1

如何获得控制台上显示的命令输出?

<?php
ob_start();
system('faxstat -s' , $retval);
$last_line = ob_get_contents();
ob_end_clean();
preg_match('/^32.+\s{9}(.*)/m', $last_line, $job_id);
?>

在控制台中,输出如下:

JID  Pri S  Owner Number       Pages Dials     TTS Status
36   127 R www-da 0xxxxxxxx     0:1   0:12         
32   127 R www-da 0xxxxxxxx     0:1   0:12         
35   127 R www-da 0xxxxxxxx     0:1   0:12         

但在 PHP 中,的回声$last_line是这样的:

JID Pri S Owner Number Pages Dials TTS Status 36 127 R www-da 0xxxxxxxx 0:1 0:12 32 127 R www-da 0xxxxxxxx
0:1 0:12 35 127 R www-da 0xxxxxxxx 0:1 0:12

注意:我不想打印输出,所以不需要<pre>标签。我想要preg_match它。因为它丢失了格式,所以我的正则表达式没用。

4

4 回答 4

3

您需要将exec与通过引用传递给它的变量一起使用以捕获您的输出线。

$lastLine = exec('df -h',$output);

exec 只返回它遇到的最后一行作为它的返回值,你会发现在你的 $output 参数中执行的命令 exec 的完整输出(你通过引用提供的变量exec() 转换为一个数组并填充,请参阅也PHP:参考解释

例如

<?php
$lastLine = exec('df -h',$output);

print "\n$lastLine\n";
print_r($output);

将打印

none                  990M     0  990M   0% /var/lock

Array
(
    [0] => Filesystem            Size  Used Avail Use% Mounted on
    [1] => /dev/sda1             145G  140G  5.8G  97% /
    [2] => none                  981M  668K  980M   1% /dev
    [3] => none                  990M  3.4M  986M   1% /dev/shm
    [4] => none                  990M  240K  989M   1% /var/run
    [5] => none                  990M     0  990M   0% /var/lock
)

所以你可以看到 $lastLine 真的是命令打印的最后一行

我不明白为什么 shell_exec 或反引号对你不起作用,对不起。

现在为您的解析模式:

<?php

// was stil using your posted 'wrong output'
$output = "JID Pri S Owner Number Pages Dials TTS Status 36 127 R www-da 0xxxxxxxx 0:1 0:12 32 127 R www-da 0xxxxxxxx 
0:1 0:12 35 127 R www-da 0xxxxxxxx 0:1 0:12";

// we just strip the header out
$header = "JID Pri S Owner Number Pages Dials TTS Status ";

$headerless = str_replace($header,'',$output);

$pattern = '/([0-9]+)\s+([0-9]+)\s+([A-Z]+)\s+([^\s]+)\s+([^\s]+)\s+([0-9:]+)\s+([0-9:]+)/m'; // m to let it traverse multi-line

/*
  we match on 0-9 whitespace 0-9 WS A-Z 'Anything not WS' WS ANWS WS 0-9:0-9 WS 0-9:0-9
*/
preg_match_all($pattern,$headerless,$matches);
print_r($matches);

这将为您提供所有单独的元素。显然,当您使用 exec 将其返回到数组中时,您不需要剥离标题以及所有这些,但我认为该模式应该可以正常工作。

于 2012-06-20T21:27:50.190 回答
1

使用反引号运算符 (`) 应保留输出格式。

$lastline = `ls`;
于 2012-06-20T20:29:41.770 回答
1

如果您不想输出任何内容,也可以使用exec(). 但是$last_line将只包含命令打印的实际最后一行。如果要处理整个输出,可以将其重定向到第二个参数为exec().

于 2012-06-20T20:36:02.053 回答
0

如果没有看到您用于匹配的正则表达式,很难说。我的猜测是您正在尝试匹配不在此转换字符串中的非打印字符。尝试在\s上进行匹配,这将查找多种类型的空白字符。

于 2012-06-20T20:18:15.567 回答