PHP Increment a counting variable in a text file

前端 未结 5 1910
Happy的楠姐
Happy的楠姐 2020-12-10 20:14

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);         


        
相关标签:
5条回答
  • 2020-12-10 20:47

    Exactly like you did it should work fine. Just capture the data from file_get_contents(), and check if both of those functions were successful.

    $var = file_get_contents('count.txt');
    if ($var === false) {
        die('Some error message.');
    }
    $var++;
    if (file_put_contents('count.txt', $var) === false) {
        die('Some error message.');
    }
    
    0 讨论(0)
  • 2020-12-10 20:49

    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 (if the OS permits) to prevent simultaneous writes.

    0 讨论(0)
  • 2020-12-10 20:54
    $variable_from_file = (int)file_get_contents('count.txt');
    

    But notice that this is not thread-safe.

    0 讨论(0)
  • 2020-12-10 20:57

    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).

    0 讨论(0)
  • 2020-12-10 21:01

    This works for me though

    $count = intval(file_get_contents('count.txt'));
    file_put_contents('count.txt', ++$count);
    echo file_get_contents('count.txt');
    
    0 讨论(0)
提交回复
热议问题