2014-09-19 130 views
0

我想使用xdebug来计算超薄应用程序的代码覆盖率。结果似乎是错误的,因为它告诉我,路由处理程序中的所有代码不执行(和我做了一些需求...)超薄框架和代码覆盖率

<?php 
require 'vendor/autoload.php'; 
$app = new \Slim\Slim(); 
xdebug_start_code_coverage(XDEBUG_CC_UNUSED | XDEBUG_CC_DEAD_CODE); 
$app->get('/data', function() use ($app) { 
    echo "data"; 
}); 
$app->get('/STOP', function() use ($app) { 
    $data = xdebug_get_code_coverage(); 
    var_dump($data); 
}); 
$app->run(); 

我使用运行在服务器:

php -S localhost:8080 -t . test.php 

然后执行两个请求:

curl http://localhost:8080/server.php/data 
curl http://localhost:8080/server.php/STOP > result.html 

result.html覆盖率输出告诉我:

'.../test.php' => 
array (size=11) 
    0 => int 1 
    5 => int 1 
    6 => int -1 
    7 => int 1 
    8 => int 1 
    9 => int 1 
    10 => int -1 
    11 => int 1 
    12 => int 1 
    473 => int 1 
    1267 => int 1 

第6行应为int 1,因为它已执行。我错过了什么?

回答

0

问题很明显,输出中显示的覆盖范围仅包含第二个请求,因为整个PHP脚本都在每个请求中运行。

简单的解决方案包括使用两个其他答案:enter link description hereenter link description here以使用php代码覆盖https://github.com/sebastianbergmann/php-code-coverage生成覆盖率报告,然后将所有报告合并到外部脚本中。

现在服务器如下是:

<?php 
require 'vendor/autoload.php'; 
$app = new \Slim\Slim(); 
// https://stackoverflow.com/questions/19821082/collate-several-xdebug-coverage-results-into-one-report 
$coverage = new PHP_CodeCoverage; 
$coverage->start('Site coverage'); 
function shutdown() { 
    global $coverage; 
    $coverage->stop(); 
    $cov = serialize($coverage); //serialize object to disk 
    file_put_contents('coverage/data.' . date('U') . '.cov', $cov); 
} 
register_shutdown_function('shutdown'); 
$app->get('/data', function() use ($app) { 
    echo "data"; 
}); 
$app->run(); 

和合并脚本是:

#!/usr/bin/env php 
<?php 
// https://stackoverflow.com/questions/10167775/aggregating-code-coverage-from-several-executions-of-phpunit 
require 'vendor/autoload.php'; 
$coverage = new PHP_CodeCoverage; 
$blacklist = array(); 
exec("find vendor -name '*'", $blacklist); 
$coverage->filter()->addFilesToBlacklist($blacklist); 
foreach(glob('coverage/*.cov') as $filename) { 
    $cov = unserialize(file_get_contents($filename)); 
    $coverage->merge($cov); 
} 
print "\nGenerating code coverage report in HTML format ..."; 
$writer = new PHP_CodeCoverage_Report_HTML(35, 70); 
$writer->process($coverage, 'coverage'); 
print " done\n"; 
print "See coverage/index.html\n"; 

合并脚本也使一切都在vendor入黑名单。