6

我想在文本文件中记录下载

有人来到我的网站并下载了一些东西,如果它还没有,它将在文本文件中添加一个新行或增加当前行。

我努力了

$filename = 'a.txt';
$lines    = file($filename);
$linea    = array();

foreach ($lines as $line) 
{ 
    $linea[] = explode("|",$line);
}

$linea[0][1] ++;

$a = $linea[0][0] . "|" . $linea[0][1];

file_put_contents($filename, $a);

但它总是增加超过 1

文本文件格式为

 name|download_count
4

4 回答 4

2

您正在for循环之外进行递增,并且仅访问[0]th 元素,因此其他任何地方都没有任何变化。

这应该看起来像:

$filename = 'a.txt';
$lines = file($filename);

// $k = key, $v = value
foreach ($lines as $k=>$v) { 
    $exploded = explode("|", $v);

    // Does this match the site name you're trying to increment?
    if ($exploded[0] == "some_name_up_to_you") {
        $exploded[1]++;

        // To make changes to the source array,
        // it must be referenced using the key.
        // (If you just change $v, the source won't be updated.)
        $lines[$k] = implode("|", $exploded);
    }        
}

// Write.
file_put_contents($filename, $lines);

不过,您可能应该为此使用数据库。查看 PDO 和 MYSQL,您将走上令人敬畏的道路。


编辑

要执行您在评论中提到的操作,您可以设置一个布尔标志,并在您遍历数组时触发它。break如果您只寻找一件事,这也可能需要 a :

...
$found = false;
foreach ($lines as $k=>$v) { 
    $exploded = explode("|", $v);

    if ($exploded[0] == "some_name_up_to_you") {
        $found = true;
        $exploded[1]++;
        $lines[$k] = implode("|", $exploded);
        break; // ???
    }        
}

if (!$found) {
    $lines[] = "THE_NEW_SITE|1";
}

...
于 2012-11-28T05:42:17.403 回答
0

我个人建议使用 json blob 作为文本文件的内容。然后您可以将文件读入 php,对其进行解码(json_decode),操作数据,然后重新保存。

于 2012-12-12T14:11:23.723 回答
0

一方面您正在使用foreach循环,另一方面您在将其存储后仅将第一行写入文件$a......这让我混淆了你的.txt文件中有什么......

试试下面的代码......希望它能解决你的问题......

$filename = 'a.txt';
// get file contents and split it...
$data = explode('|',file_get_contents($filename));
// increment the counting number...
$data[1]++;
// join the contents...
$data = implode('|',$data);
file_put_contents($filename, $data);
于 2012-11-28T06:17:52.340 回答
0

与其在文本文件中创建自己的结构,不如直接使用 PHP 数组来跟踪?您还应该应用适当的锁定来防止竞争条件:

function recordDownload($download, $counter = 'default')
{
    // open lock file and acquire exclusive lock
    if (false === ($f = fopen("$counter.lock", "c"))) {
            return;
    }
    flock($f, LOCK_EX);

    // read counter data
    if (file_exists("$counter.stats")) {
            $stats = include "$counter.stats";
    } else {
            $stats = array();
    }

    if (isset($stats[$download])) {
        $stats[$download]++;
    } else {
        $stats[$download] = 1;
    }

    // write back counter data
    file_put_contents('counter.txt', '<?php return ' . var_export($stats, true) . '?>');

    // release exclusive lock
    fclose($f);
}

recordDownload('product1'); // will save in default.stats
recordDownload('product2', 'special'); // will save in special.stats
于 2012-11-28T06:22:08.320 回答