我如何捕获var的结果

我想捕获var_dump的输出到一个字符串。

PHP文档说,

与任何将结果直接输出到浏览器的东西一样,输出控制函数可用于捕获此函数的输出,并将其保存为字符串(例如)。

有人可以给我一个例子,说明如何运作?

print_r()不是有效的可能性,因为它不会给我所需的信息。


使用输出缓冲:

<?php
ob_start();
var_dump($someVar);
$result = ob_get_clean();
?>

尝试var_export

您可能想要检查var_export - 虽然它不提供与var_dump相同的输出,但它提供了第二个$return参数,这会导致它返回其输出而不是打印它:

$debug = var_export($my_var, true);

为什么?

我更喜欢使用ob_startob_get_clean() 。 我还发现输出有点容易阅读,因为它只是PHP代码。

var_dumpvar_export之间的区别在于, var_export返回“变量的可解析字符串表示”,而var_dump只是简单地转储有关变量的信息。 这在实践中意味着var_export为您提供有效的PHP代码(但可能无法提供有关此变量的更多信息,尤其是在您使用资源时)。

演示:

$demo = array(
    "bool" => false,
    "int" => 1,
    "float" => 3.14,
    "string" => "hello world",
    "array" => array(),
    "object" => new stdClass(),
    "resource" => tmpfile(),
    "null" => null,
);

// var_export -- nice, one-liner
$debug_export = var_export($demo, true);

// var_dump
ob_start();
var_dump($demo);
$debug_dump = ob_get_clean();

// print_r -- included for completeness, though not recommended
$debug_printr = print_r($demo, true);

输出的差异:

var_export(上例中的$debug_export ):

 array (
  'bool' => false,
  'int' => 1,
  'float' => 3.1400000000000001,
  'string' => 'hello world',
  'array' => 
  array (
  ),
  'object' => 
  stdClass::__set_state(array(
  )),
  'resource' => NULL, // Note that this resource pointer is now NULL
  'null' => NULL,
)

var_dump(上例中的$debug_dump ):

 array(8) {
  ["bool"]=>
  bool(false)
  ["int"]=>
  int(1)
  ["float"]=>
  float(3.14)
  ["string"]=>
  string(11) "hello world"
  ["array"]=>
  array(0) {
  }
  ["object"]=>
  object(stdClass)#1 (0) {
  }
  ["resource"]=>
  resource(4) of type (stream)
  ["null"]=>
  NULL
}

print_r(上例中的$debug_printr ):

Array
(
    [bool] => 
    [int] => 1
    [float] => 3.14
    [string] => hello world
    [array] => Array
        (
        )

    [object] => stdClass Object
        (
        )

    [resource] => Resource id #4
    [null] => 
)

警告: var_export不处理循环引用

如果您试图使用循环引用转储变量,调用var_export将导致PHP警告:

 $circular = array();
 $circular['self'] =& $circular;
 var_export($circular);

结果是:

 Warning: var_export does not handle circular references in example.php on line 3
 array (
   'self' => 
   array (
     'self' => NULL,
   ),
 )

另一方面, var_dumpprint_r在遇到循环引用时将输出字符串*RECURSION*


你也可以这样做:

$dump = print_r($variable, true);
链接地址: http://www.djcxy.com/p/75351.html

上一篇: How can I capture the result of var

下一篇: Find word which was the match