PHP getrusage()返回错误的信息?

时间:2010-04-28 18:05:45

标签: php cpu cpu-usage ubuntu-8.04

我正在尝试确定PHP脚本的CPU使用率。我刚刚找到this article,详细说明了如何查找系统和用户CPU使用时间(第4节)。

然而,当我尝试这些例子时,我收到了完全不同的结果。

第一个例子

sleep(3);

$data = getrusage();
echo "User time: ".
    ($data['ru_utime.tv_sec'] +
    $data['ru_utime.tv_usec'] / 1000000);
echo "System time: ".
    ($data['ru_stime.tv_sec'] +
    $data['ru_stime.tv_usec'] / 1000000);

结果:

User time: 29.53
System time: 2.71

示例2

for($i=0;$i<10000000;$i++) {

}

// Same echo statements

结果:

User time: 16.69
System time: 2.1

示例3

$start = microtime(true);  
while(microtime(true) - $start < 3) {  

}  

// Same echo statements

结果:

User time: 34.94
System time: 3.14

显然,除了第三个例子中的系统时间外,没有任何信息是正确的。那么我做错了什么?我真的希望能够使用这些信息,但它需要可靠。

我正在使用Ubuntu Server 8.04 LTS(32位),这是php -v的输出:

PHP 5.2.4-2ubuntu5.10 with Suhosin-Patch 0.9.6.2 (cli) (built: Jan  6 2010 22:01:14)
Copyright (c) 1997-2007 The PHP Group
Zend Engine v2.2.0, Copyright (c) 1998-2007 Zend Technologies

2 个答案:

答案 0 :(得分:2)

您可以使用系统'time'命令从外部验证此信息:

/usr/bin/time php script.php

将打印如下内容:

0.03user 0.00system 0:03.04elapsed 0%CPU (0avgtext+0avgdata 32752maxresident)k
0inputs+0outputs (0major+2234minor)pagefaults 0swaps

当然,不要忘记getrusage()信息是使用的CPU时间,microtime()是挂钟时间。该程序可能会根据墙上的时钟运行10分钟,但内部可能只使用几秒钟的CPU时间。然后,在系统上运行的所有后台程序,资源争用以及常规内务处理争夺CPU时间。

能够在如此短的时间内获得准确的时间安排所涉及的因素太多了。执行循环的while(microtime())版本的三次运行,我得到以下时间:

用户:0.98,0.09,0.90 sys:0.12,0.05,0.94

显然差异很大。即使只是一个简单的<? print_r(getrusage()) ?>也有utime / stimes,范围从0到0.03。

尝试长时间运行循环,并在其中执行某些操作以增加cpu使用率。现在你的数字太小而无法准确测量。

答案 1 :(得分:0)

感谢Marc B's advice,我能够发现,在getrusage()的计算中,错误的短暂时间会导致错误。

我已经创建了一个解决这些不准确数字的解决方法。这是代码:

define('SCRIPT_START', microtime(1));

register_shutdown_function('record_activity');

/* Do work here */

function record_activity()
{
    $data = getrusage();
    $cpuu = ($data['ru_utime.tv_sec'] + $data['ru_utime.tv_usec'] / 1000000);
    $cpus = ($data['ru_stime.tv_sec'] + $data['ru_stime.tv_usec'] / 1000000);
    $renderedtime = round(microtime(1) - SCRIPT_START, 6);

    // Have some log function to put this info somewhere
    insert_record($renderedtime,
        //Only pass user CPU time if it's less than or equal to rendered time
        ($renderedtime >= $cpuu ? $cpuu : NULL ),
        //Only pass system CPU time if it's less than or equal to rendered time
        ($renderedtime >= $cpus ? $cpus : NULL ));
}

希望这会对遇到同样问题的其他人有所帮助。