Php создать временный файл с расширением

Обновлено: 04.07.2024

Создаёт временный файл с уникальным именем, открывая его в режиме чтения и записи (w+), и возвращает файловый указатель.

Этот файл автоматически удаляется после закрытия (использования fclose() ) или после завершения работы скрипта.

Для дополнительной информации, обратитесь к документации вашей системы по функции tmpfile(3), а также к заголовочному файлу stdio.h .

Возвращаемые значения

Возвращает дескриптор файла, аналогичный тому, который возращает функция fopen() для новых файлов или FALSE в случае возникновения ошибки.

Примеры

<?php
$temp = tmpfile ();
fwrite ( $temp , "записываем во временный файл" );
fseek ( $temp , 0 );
echo fread ( $temp , 1024 );
fclose ( $temp ); // происходит удаление файла
?>

Результат выполнения данного примера:

Смотрите также

  • tempnam() - Создаёт файл с уникальным именем
  • sys_get_temp_dir() - Возвращает путь к директории временных файлов

Коментарии

I found this function useful when uploading a file through FTP. One of the files I was uploading was input from a textarea on the previous page, so really there was no "file" to upload, this solved the problem nicely:

And I'm not sure if you need the fseek($temp,0); in there either, just leave it unless you know it doesn't effect it.

No, the fseek() is necessary - after writing to the file, the file pointer (I'll use "file pointer" to refer to the current position in the file, the thing you change with fseek()) is at the end of the file, and reading at the end of the file gives you EOF right away, which manifests itself as an empty upload.

Where you might be getting confused is in some systems' requirement that one seek or flush between reading and writing the same file. fflush() satisfies that prerequisite, but it doesn't do anything about the file pointer, and in this case the file pointer needs moving.

Beware that PHP's tmpfile is not an equivalent of unix' tmpfile.
PHP (at least v. 5.3.17/linux I'm using now) creates a file in /tmp with prefix "php", and deletes that file on fclose or script termination.
So, if you want to be sure that you don't leave garbage even in case of a fatal error, or killed process, you shouldn't rely on this function.
Use the classical method of deleting the file after creation:
<?php
$fn = tempnam ( '/tmp' , 'some-prefix-' );
if ( $fn )
$f = fopen ( $fn , 'w+' );
unlink ( $fn ); // even if fopen failed, because tempnam created the file
if ( $f )
do_something_with_file_handle ( $f );
>
>
?>

Since this function may not be working in some environments, here is a simple workaround:

function temporaryFile($name, $content)
$file = DIRECTORY_SEPARATOR .
trim(sys_get_temp_dir(), DIRECTORY_SEPARATOR) .
DIRECTORY_SEPARATOR .
ltrim($name, DIRECTORY_SEPARATOR);

register_shutdown_function(function() use($file) unlink($file);
>);

To get the underlying file path of a tmpfile file pointer:

<?php
$file = tmpfile ();
$path = stream_get_meta_data ( $file )[ 'uri' ]; // eg: /tmp/phpFx0513a

Читайте также: