如何访问已转换为对象的数组的属性/值?例如,我想访问索引 0 中的值,
$obj = (object) array('qualitypoint', 'technologies', 'India');
var_dump($obj->0);
错误,
解析错误:语法错误,意外的 T_LNUMBER,在第 11 行的 C:...converting_to_object.php 中需要 T_STRING 或 T_VARIABLE 或 '{' 或 '$'
试试这个:
$obj = (object) array('test' => 'qualitypoint', 'technologies', 'India');
var_dump($obj->test);
结果是:
string(12) "qualitypoint"
但试图访问$obj->0
,同样的错误出现:Parse error: syntax error, unexpected T_LNUMBER, expecting T_STRING or T_VARIABLE or '{' or '$'
如果你遍历对象,很难,你可以像通常的数组一样访问属性:
foreach($obj as $x) {
var_dump($x);
}
显然,属性命名规则与基本变量命名规则相同。
如果将其转换为 ArrayObject,则可以正常访问索引:
$obj = new ArrayObject(array('qualitypoint', 'technologies', 'India'));
并倾倒它:
var_dump($obj[0]);
你会得到:
string(12) "qualitypoint"
您无法通过$obj->0
其访问值的原因是它针对 PHP 变量命名,请参阅http://php.net/manual/en/language.variables.basics.php了解更多信息。即使你使用ArrayObject
你仍然会遇到同样的问题
但是有一个补丁...您可以将所有整数键转换为字符串或编写自己的转换函数
例子
$array = array('qualitypoint', 'technologies', 'India' , array("hello","world"));
$obj = (object) $array;
$obj2 = arrayObject($array);
function arrayObject($array)
{
$object = new stdClass();
foreach($array as $key => $value)
{
$key = (string) $key ;
$object->$key = is_array($value) ? arrayObject($value) : $value ;
}
return $object ;
}
var_dump($obj2->{0}); // Sample Output
var_dump($obj,$obj2); // Full Output to see the difference
$sumObject = $obj2->{3} ; /// Get Sub Object
var_dump($sumObject->{1}); // Output world
输出
string 'qualitypoint' (length=12)
全输出
object(stdClass)[1]
string 'qualitypoint' (length=12)
string 'technologies' (length=12)
string 'India' (length=5)
array
0 => string 'hello' (length=5)
1 => string 'world' (length=5)
object(stdClass)[2]
public '0' => string 'qualitypoint' (length=12)
public '1' => string 'technologies' (length=12)
public '2' => string 'India' (length=5)
public '3' =>
object(stdClass)[3]
public '0' => string 'hello' (length=5)
public '1' => string 'world' (length=5)
多阵列输出
谢谢
:)