在 PHP 中,如何检查某个循环使用了多少内存



我目前正在制作一个PHP计时器,用于检查某种做某事的方式与完成相同(基本上是基准测试)的另一件事相比需要多少时间。

现在,我还想让这个工具能够判断这种特定的操作方式占用了多少内存。

所以,为了了解更多信息,我正在使用微时间来检查开始时间,在该

代码上执行 2000,000 次循环,然后用一些数学运算做另一个微时间来检查它花费了多少时间,所以我想做的是,在微时间范围之外,也检查内存使用情况。

这是我当前的代码:

// Set the amount of loops to do, default is 2000
$loops = 2000;
$start_time = microtime(true); // Start the timer
for($i = 0; $i < $loops; $i++) {
    // Code to test
}
$total_time = microtime(true) - $start_time; // Stop the timer, and figure out the total
ob_end_flush();   // Enable output again
echo $total_time; // Echo the timer's result
?>

如果您至少使用 5.2,memory_get_peak_usage()应该可以正常工作。

http://php.net/manual/en/function.memory-get-peak-usage.php

您可以在循环之前调用它一次,以了解到该点为止的基线,然后在之后再次调用它以查看循环执行期间的峰值。

正在修改代码...

// Set the amount of loops to do, default is 2000
$loops = 2000;
$base_mem = memory_get_peak_usage();
$start_time = microtime(true); // Start the timer
for($i = 0; $i < $loops; $i++) {
    // Code to test
}
$end_time = microtime(true);  // Stop the timer
$extra_mem = memory_get_peak_usage();
// figure out the totals
$total_time = $end_time - $start_time;
$total_mem = $extra_mem - $base_mem;
ob_end_flush();   // Enable output again
echo "Total Time: $total_timen";
echo "Total Mem Above Basline: $total_mem bytesn";

当您认为该过程处于顶峰时,可以使用memory_get_usage(http://php.net/manual/en/function.memory-get-usage.php)。

或者你也可以偶尔调用它并记录最高值......或者随心所欲。

但这是一个过程。您是在谈论PHP进程"A"检查另一个PHP进程的内存使用情况吗?

㞖:

$myPID = getmypid();
$stats = explode("n", shell_exec('pmap $(pgrep php) | grep 'total\|\:''));
for ($i = 0; $i < count($stats); $i += 2) {
    if (strpos($stats[$i], "$myPID") === false) {
        preg_match('/d+/', $stats[$i+1], $preRes);
        $res = $preRes[0];
    }
}
//if $res has a value, that value is the kilobytes of memory being used by the other PHP process

这个解决方案有一个问题:如果你有超过 2 个 php 进程在运行,你不能保证你会得到正确的进程。

要解决此问题,请首先运行另一个进程,获取其 PID,然后将其作为参数传递给此进程。如果您有要检查的过程' PID,您可以这样做:

$stats = explode("n", shell_exec('pmap $(pgrep php) | grep 'total\|\:''));
for ($i = 0; $i < count($stats); $i += 2) {
    if (strpos($stats[$i], "$otherPID") === 0) {
        preg_match('/d+/', $stats[$i+1], $preRes);
        $res = $preRes[0];
    }
}
//$res contains the result you want in kilobytes

您也可以检查所有不属于您的进程的内存:

$myPID = getmypid();
$stats = explode("n", shell_exec('pmap $(pgrep php) | grep 'total\|\:''));
for ($i = 0; $i < count($stats) - 1; $i += 2) {
    if (strpos($stats[$i], "$myPID") === false) {
        preg_match('/d+/', $stats[$i+1], $preRes);
        $res[] = $preRes[0];
    }
}

因此,要获得最大的内存使用量,只需保留一个$max变量并继续检查它。

相关内容

  • 没有找到相关文章

最新更新