Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

PHP Increment a counting variable in a text file

Tags:

php

This seems simple but I can't figure it out.

file_get_contents('count.txt');
$variable_from_file++;
file_put_contents('count.txt', $variable_from_file);

There is only one line of data in count.txt and it is the hits counter. Is there a way to do this?

like image 450
Norse Avatar asked Nov 29 '22 09:11

Norse


2 Answers

If you want to be sure no increments go uncounted (which is what CodeCaster is referring to, the script may load count.txt, increment it, while another file is doing the same, then save that, and then only one increment would have been done and not the proper two), you should use fopen.

$fp = fopen('count.txt', 'c+');
flock($fp, LOCK_EX);

$count = (int)fread($fp, filesize('count.txt'));
ftruncate($fp, 0);
fseek($fp, 0);
fwrite($fp, $count + 1);

flock($fp, LOCK_UN);
fclose($fp);

This will lock the file, preventing any others from reading or writing to it while the count is incremented (meaning others would have to wait before they can increment the value).

like image 98
ian.aldrighetti Avatar answered Dec 19 '22 18:12

ian.aldrighetti


There is a slightly funnier way:

file_put_contents("count.txt",@file_get_contents("count.txt")+1);

file_get_contents reads the contents of the counter file.
@ tells PHP to ignore the error of a missing file. The returned false will then be interpreted as the count of 0.
+1 will cause the string to be converted to a number.
file_put_contents then stores the new value in the counter file as a string.

On a very busy system you might want to obtain a file lock first to prevent simultaneous writes. The OS file cache usually makes this method extremely fast.

like image 26
Simon Rigét Avatar answered Dec 19 '22 17:12

Simon Rigét