Php命令行即时输出

时间:2012-04-23 00:33:55

标签: command-line php

我正在编写一个命令行php脚本,它对控制台窗口做了一些输出,它看起来很好只有问题就是当我输入

php myfilename.php -....

在控制台窗口中,只有在完全执行后才会将结果输出到窗口..

我想要的是像下面那样动态地执行此操作

customer id: 1223 skipped.
customer id: 22233 added..

...等

另一个问题是添加\ n \ r到printf函数没有转到新行......

关于这些问题的任何想法..

3 个答案:

答案 0 :(得分:5)

这可能是由于output buffering。您可以在需要时使用ob_flush()手动刷新缓冲区。

至于您的第二个问题,Microsoft Windows上换行符的正确顺序是"\r\n",而不是相反。

答案 1 :(得分:3)

首先,Windows-style end-of-line marker is \r\n, not \n\r。使用的\n\r系统并不多,但它们很少见,你现在可以忘掉它们。

其次,输出块缓冲的可能性很大 - 您可以使用ob_implicit_flush(1)在每个输出命令后自动插入flush()命令。或者,当您需要刷新输出时,可以手动调用flush()

答案 2 :(得分:3)

关于End-Of-Line标记,始终使用PHP预定义常量 PHP_EOL; 根据您的平台正确设置,因此您无需担心是对还是错。

对于[Enter]问题,可能是输出缓冲已打开。在脚本中添加这个简单的测试:

function test()
{
    $state = array(' added', ' skipped');
    for ($i = 0; $i < 50; $i++)
    {
        echo 'customer id: ' . rand(1, 1000) . $state[rand(0, 1)] . PHP_EOL;
        usleep(50000); // slow it a bit to see the line by line output
    }
}

// without ob -------------------------------------------

$start = microtime(true);
test();
echo 'Finished in ' . round(microtime(true) - $start, 2) . PHP_EOL . str_repeat('-', 78) . PHP_EOL;
sleep(1);

// with ob ----------------------------------------------

$start = microtime(true);
ob_start(); // if called somewhere at the top in your script

// some previous code...
echo 'Line 1'.PHP_EOL.'Line 2'.PHP_EOL.uniqid().PHP_EOL;

// flush the buffer and stop ob
// this will echo whatever is in the output buffer!
//ob_end_flush();

// or, store the current buffer content in a variable and use it later
$output = ob_get_clean();

test();
echo $output;
echo 'Finished in ' . round(microtime(true) - $start, 2) . PHP_EOL . str_repeat('-', 78) . PHP_EOL;

// you could start buffering again, if needed
ob_start();

有关输出控制功能,请参阅http://www.php.net/manual/en/ref.outcontrol.php。它们是非常强大的工具。

希望它有所帮助。干杯!