Php сбросить кэш файлов

PHP clearstatcache() Function

Output file size, truncate file, clear cache, and then output file size again:

$file = fopen(«test.txt», «a+»);
// truncate file
ftruncate($file,100);
fclose($file);

//Clear cache and check filesize again
clearstatcache();
echo filesize(«test.txt»);
?>

The output of the code above could be:

Definition and Usage

The clearstatcache() function clears the file status cache.

PHP caches data for some functions for better performance. If a file is to be checked several times in a script, you probably want to avoid caching to get correct results. To do this, use the clearstatcache() function.

Syntax

Parameter Values

Parameter Description
clear_realpath_cache Optional. Indicates whether to clear the realpath cache or not. Default is FALSE, which indicates not to clear realpath cache
filename Optional. Specifies a filename, and clears the realpath and cache for that file only

Tips and Notes

Tip: Functions that are caching:

Technical Details

Return Value: Nothing
PHP Version: 4.0+
PHP Changelog: PHP 5.3 — Added two optional parameters: clear_realpath_cahe and filename

❮ PHP Filesystem Reference

Источник

clearstatcache

Для обеспечения большей производительности при использовании функций stat() , lstat() или любой другой функции, перечисленных в приведенном ниже списке, PHP кеширует результаты их выполнения. Однако, в некоторых случаях вам может потребоваться очистка этого кэша. Например, когда ваш скрипт несколько раз проверяет состояние одного и того же файла, который может быть изменен или удален во время выполнения скрипта, вы можете захотеть очистить кэш состояния. В этом случае необходимо использовать функцию clearstatcache() для очистки в PHP кэшированной информации об указанном файле.

Обратите внимание, что PHP не кэширует информацию о несуществующих файлах. Так что если вы вызовете file_exists() на несуществующем файле, она будет возвращать FALSE до тех пор, пока вы не создадите этот файл. Если же вы создадите файл, она будет возвращать TRUE даже если затем вы его удалите. Однако, функция unlink() очистит данный кэш автоматически.

Замечание:

Данная функция кэширует информацию об определенных файлах, поэтому имеет смысл вызывать clearstatcache() только в том случае, если вы совершаете несколько операций с одним и тем же файлом и не хотите получать кэшированную информацию об этом файле.

Список параметров

Очищать кэш realpath или нет.

Очистить кэш realpath и stat только для определенного файла, используется только если параметр clear_realpath_cache установлен в TRUE .

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

Эта функция не возвращает значения после выполнения.

Список изменений

Версия Описание
5.3.0 Добавлены необязательные параметры clear_realpath_cache и filename .

Примеры

Пример #1 Пример использования clearstatcache()

function get_owner ( $file )
$stat = stat ( $file );
$user = posix_getpwuid ( $stat [ ‘uid’ ]);
return $user [ ‘name’ ];
>

printf ( $format , date ( ‘r’ ), get_owner ( $file ));

chown ( $file , ‘ross’ );
printf ( $format , date ( ‘r’ ), get_owner ( $file ));

clearstatcache ();
printf ( $format , date ( ‘r’ ), get_owner ( $file ));
?>

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

UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: ross

Источник

clearstatcache

Для обеспечения большей производительности при использовании функций stat() , lstat() или любой другой функции, перечисленных в приведённом ниже списке, PHP кеширует результаты их выполнения. Однако, в некоторых случаях вам может потребоваться очистка этого кеша. Например, когда ваш скрипт несколько раз проверяет состояние одного и того же файла, который может быть изменён или удалён во время выполнения скрипта, вы можете захотеть очистить кеш состояния. В этом случае необходимо использовать функцию clearstatcache() для очистки в PHP кешированной информации об указанном файле.

Обратите внимание, что PHP не кеширует информацию о несуществующих файлах. Так что, если вы вызовете file_exists() на несуществующем файле, она будет возвращать false до тех пор, пока вы не создадите этот файл. Если же вы создадите файл, она будет возвращать true , даже если затем вы его удалите. Однако, функция unlink() очистит данный кеш автоматически.

Замечание:

Данная функция кеширует информацию об определённых файлах, поэтому имеет смысл вызывать clearstatcache() только в том случае, если вы совершаете несколько операций с одним и тем же файлом и не хотите получать кешированную информацию об этом файле.

Список параметров

Нужно ли также очищать кеш realpath.

Очистить кеш realpath только для определённого имени файла; используется только в том случае, если у параметра clear_realpath_cache установлено значение true .

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

Функция не возвращает значения после выполнения.

Примеры

Пример #1 Пример использования clearstatcache()

function get_owner ( $file )
$stat = stat ( $file );
$user = posix_getpwuid ( $stat [ ‘uid’ ]);
return $user [ ‘name’ ];
>

printf ( $format , date ( ‘r’ ), get_owner ( $file ));

chown ( $file , ‘ross’ );
printf ( $format , date ( ‘r’ ), get_owner ( $file ));

clearstatcache ();
printf ( $format , date ( ‘r’ ), get_owner ( $file ));
?>

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

UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: ross

User Contributed Notes 7 notes

Not documented, but seems like clearstatcache() is clearing the cache only for the process it is being called from. I have 2 PHP scripts running simultaneously, and the first one does call clearstatcache(), but still the second one deadlocks, unless I call clearstatcache() in it too:

script1:
touch ( ‘system.lock’ );
.
unlink ( ‘system.lock’ );
clearstatcache (); // should be done by unlink?
?>

script2:
while ( is_file ( ‘system.lock’ ) sleep ( 1 );
clearstatcache (); // without this, script 2 will deadlock forever!
>
?>

I also found this page, which leads to the same conclusion:
https://stackoverflow.com/questions/9251237/clearstatcache-include-path-sessions

clearstatcache() does not canonicalize the path. clearstatcache(true, «/a/b/c») is different from clearstatcache(true, «/a/b//c»).

unlink() does not clear the cache if you are performing file_exists() on a remote file like:

if ( file_exists ( «ftp://ftp.example.com/somefile» ))
?>

In this case, even after you unlink() successfully, you must call clearstatcache().

Note that this function affects only file metadata. However, all the PHP file system functions do their own caching of actual file contents as well. You can use the «realpath_cache_size = 0» directive in PHP.ini to disable the content caching if you like. The default content caching timeout is 120 seconds.

Content caching is not a good idea during development work and for certain kinds of applications, since your code may read in old data from a file whose contents you have just changed.

Note: This is separate from the caching typically done by browsers for all GET requests (the majority of Web accesses) unless the HTTP headers override it. It is also separate from optional Apache server caching.

Just to make this more obvious (and so search engines find this easier):

If you do fileops of any kind outside of PHP (say via a system() call), you probably want to clear the stat cache before doing any further tests on the file/dir/whatever. For example:

// is_dir() forces a stat call, so the cache is populated
if( is_dir ( $foo ) ) system ( «rm -rf » . escapeshellarg ( $foo ));
if( is_dir ( $foo ) ) // . will still be true, even if the rm succeeded, because it’s just
// reading from cache, not re-running the stat()
>
>
?>

Pop a clearstatcache() after the system call and all is good (modulo a bit of a performance hit from having a cleared stat cache 🙁 ).

Definition of $filename parameter let’s you think that it expects the filename only but it works if you give the path + filename also.

It should be more clear about this.

On Linux, a forked process inherits a copy of the parent’s cache, but after forking the two caches do not impact each other. The snippet below demonstrates this by creating a child and confirming outdated (cached) information, then clearing the cache, and getting new information.

if ( is_dir ( $target )) die( «Delete $target before running.\n» );
>

echo «Creating $target .\n» ;
mkdir ( $target ) || die( «Unable to create $target .\n» );
report ( $target ); // is_dir($target) is now cached as true

echo «Unlinking $target .\n» ;
rmdir ( $target ) || die( «Unable to unlink $target .\n» );

// This will say «yes», which is old (inaccurate) information.
report ( $target );

if (( $pid = pcntl_fork ()) === — 1 ) < die( "Failed to pcntl_fork.\n" ); >
elseif ( $pid === 0 ) // child
report ( $target , ‘> ‘ );
echo «> Clearing stat cache.\n» ;
clearstatcache ();
report ( $target , ‘> ‘ );
> else // parent
sleep ( 2 ); // move this to the child block to reverse the test.
report ( $target , ‘> ‘ );
clearstatcache ();
report ( $target , ‘> ‘ );
>

Источник

clearstatcache

Когда вы используете stat () , lstat () или любую из других функций, перечисленных в списке затронутых функций (ниже), PHP кэширует информацию, возвращаемую этими функциями, чтобы обеспечить более высокую производительность. Однако в некоторых случаях может потребоваться очистить кешированную информацию. Например, если один и тот же файл проверяется несколько раз в рамках одного сценария, и этот файл может быть удален или изменен во время работы этого сценария, вы можете очистить кэш состояния. В этих случаях вы можете использовать функцию clearstatcache (), чтобы очистить кэшируемую PHP информацию о файле.

Также следует отметить, что PHP не кэширует информацию о несуществующих файлах. Итак, если вы вызовете file_exists () для несуществующего файла, он вернет false , пока вы не создадите файл. Если вы создадите файл, он вернет true , даже если вы затем удалите файл. Однако unlink () очищает кеш автоматически.

Note:

Эта функция кэширует информацию об определенных именах файлов, поэтому вам нужно вызывать clearstatcache () только в том случае, если вы выполняете несколько операций с одним и тем же именем файла и не хотите, чтобы информация об этом конкретном файле не кэшировалась.

Parameters

Следует ли также очищать кеш реального пути.

Очистить кеш реального пути только для определенного имени файла; используется только в том случае, если clear_realpath_cache установлено значение true .

Return Values

Examples

Пример # 1 clearstatcache () Пример

 $file = 'output_log.txt'; function get_owner($file) < $stat = stat($file); $user = posix_getpwuid($stat['uid']); return $user['name']; > $format = "UID @ %s: %s\n"; printf($format, date('r'), get_owner($file)); chown($file, 'ross'); printf($format, date('r'), get_owner($file)); clearstatcache(); printf($format, date('r'), get_owner($file)); ?>

Из приведенного выше примера будет выведено нечто подобное:

UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: root UID @ Sun, 12 Oct 2008 20:48:28 +0100: ross
PHP 8.2

(PHP 5,7,8)class_parents Возвращает классы данного Эта функция возвращает массив с именами родительских классов данного object_or_class.

(PHP 5 5.4.0,7,8)class_uses Возвращает признаки,используемые данным Данная функция возвращает массив с именами признаков,которые использует данный объект_или_класс.

(PHP 5 5.5.0,7,8)cli_get_process_title Возвращает текущий Возвращает текущий заголовок процесса,установленный функцией cli_set_process_title().

(PHP 5 5.5.0,7,8)cli_set_process_title Устанавливает заголовок процесса,видимый в таких инструментах,как top и ps.

Источник

Читайте также:  Hash sets in python
Оцените статью