3

我正在为在共享主机中运行的客户端编写 PHP CLI 脚本。它使用一个简单的函数记录到一个文件,例如:

function log_entry($msg) {
    global $log_file, $log_handle;
    $msg =  "[".date('Y-m-d H:i:s')."] ".$msg."\n";
    echo $msg;
    $log_handle = fopen($log_file, 'a');
    fwrite($log_handle, $msg);
}

我得到这个错误:

PHP Warning:  fopen(./logs/sync.20130410.log) 
[<a href='function.fopen'>function.fopen</a>]: failed to open stream: 
Too many open files in ./functions.php on line 61

我认为使用相同的句柄存在问题,所以我将其更改为:

function log_entry($msg) {
    global $log_file;
    $msg =  "[".date('Y-m-d H:i:s')."] ".$msg."\n";
    echo $msg;
    $log_handle = fopen($log_file, 'a');
    fwrite($log_handle, $msg);
    fclose($log_handle);
}

但这没有用。我总是在同一日志行中收到错误。当我这样做时,ulimit -n我得到 1024,但这应该不是问题,因为我从不打开多个文件。想法?

4

1 回答 1

7

发现了问题。我正在回答这个问题,以防万一有人出于同样的原因使用谷歌搜索,但我知道这个答案并未包含在问题中。

我正在使用 BigCommerce API 客户端,结果发现他们正在为每个请求打开一个句柄并使我的脚本崩溃。这是我修复它的方法:

BigCommerce/API/Connection.php:354-365:

public function put($url, $body)
{
    $this->addHeader('Content-Type', $this->getContentType());

    if (!is_string($body)) {
        $body = json_encode($body);
    }

    $this->initializeRequest();
    $handle = tmpfile();
    fwrite($handle, $body);
    fseek($handle, 0);
    curl_setopt($this->curl, CURLOPT_INFILE, $handle);
    curl_setopt($this->curl, CURLOPT_INFILESIZE, strlen($body));

    curl_setopt($this->curl, CURLOPT_URL, $url);
    curl_setopt($this->curl, CURLOPT_PUT, true);
    curl_exec($this->curl);
    fclose($handle); // Added this line

    return $this->handleResponse();
}

(添加fclose($handle);)行。

于 2013-04-10T22:53:24.203 回答