我有一个PHP类,可以包含自己类型的数组,当我为其中一个数组项调用它时,这个类还有一个名为hatch()
的函数,它给了我一条你不能调用的消息功能。我称之为
$this->arrayLikeThis[$i]->hatch();
然而,我做了一个外部功能来孵化对象,但我喜欢这样称呼它。我知道我可以调用类var_dump()
的任何函数就是这样:
object(web\ui\structure\tag)#1 (4) {
["name"]=>
string(4) "meta"
["type"]=>
int(1)
["attributes"]=>
array(2) {
[0]=>
object(web\ui\structure\attribute)#2 (2) {
["attributeName"]=>
string(7) "content"
["attributeValue"]=>
string(24) "text/html; charset=utf-8"
}
[1]=>
object(web\ui\structure\attribute)#3 (2) {
["attributeName"]=>
string(10) "http-equiv"
["attributeValue"]=>
string(12) "Content-Type"
}
}
["childNodes"]=>
array(0) {
}
}
答案 0 :(得分:1)
您没有指定实际对象,只是指定对象数组:
$this->arrayLikeThis[identifier]->hatch();
其中identifier
是数字(如果数组是数字),或者是包含要调用其函数的对象的元素的名称。
我刚刚为你拍了这个例子给你看:
<?php
class arby
{
public $myID=0;
public $ray=array();
public function insertNew()
{
$this->ray[0] = new arby();
}
public function updateMe()
{
$this->myID='1';
}
public function displayMe()
{
echo $this->myID."\n";
}
}
$var= new arby();
$var->displayMe();
$var->insertNew();
$var->ray[0]->updateMe();
$var->ray[0]->displayMe();
?>
输出:
0
1
这涵盖了一个可以在其中包含自身实例的类,将这些实例添加到数组中并从其中调用函数以及在对象数组中调用单个对象。
编辑:假设hatch()
函数是attribute
对象中的函数,这应该有效:
$varName->attributes[0]->hatch();
编辑:假设我在第二个实例中有进一步的 arby
实例,你可以这样调用它们的函数:
$var->ray[0]->ray[1]->hatch();
这假设变量$var
在数组元素arby
中有另一个0
类的实例,而这个实例又有另一个数组,你想调用该对象的函数这次是元素1
。
答案 1 :(得分:1)
Fluffeh是对的,你的代码应该可以正常工作,如果它实际上是对类的引用(我非常怀疑它是)。这是一个模拟你的类可能是什么样子的例子(具有相同的功能和数组)。
<?php
class egg {
private $identifier;
private $eggChildren = array();
public function __construct($identifier) {
$this->identifier = $identifier;
}
public function createEgg($identifier) {
$this->eggChildren[$identifier] = new egg($this->identifier . " - " . $identifier);
}
public function hatch() {
echo "Just hatched egg with ID " . $this->identifier . "<br />";
}
public function hatchAllChildren() {
foreach ($this->eggChildren as $childID => $eggChild) {
$eggChild->hatch();
}
}
}
class eggs {
private $arrayLikeThis;
const COUNT_EGGS = 3;
const COUNT_EGG_CHILDREN = 3;
public function createEggs() {
$this->arrayLikeThis = array();
for ($i = 0; $i < self::COUNT_EGGS; $i++) {
$this->arrayLikeThis[$i] = new egg($i);
for ($j = 0; $j < self::COUNT_EGG_CHILDREN; $j++) {
$this->arrayLikeThis[$i]->createEgg($j);
}
}
}
public function hatchEggs() {
for ($i = 0; $i < self::COUNT_EGGS; $i++) {
$this->arrayLikeThis[$i]->hatchAllChildren();
$this->arrayLikeThis[$i]->hatch();
}
}
}
$eggController = new eggs();
$eggController->createEggs();
$eggController->hatchEggs();
?>
这将输出
Just hatched egg with ID 0 - 0
Just hatched egg with ID 0 - 1
Just hatched egg with ID 0 - 2
Just hatched egg with ID 0
Just hatched egg with ID 1 - 0
Just hatched egg with ID 1 - 1
Just hatched egg with ID 1 - 2
Just hatched egg with ID 1
Just hatched egg with ID 2 - 0
Just hatched egg with ID 2 - 1
Just hatched egg with ID 2 - 2
Just hatched egg with ID 2