0

我在尝试显示一些变量时收到错误,如下所示:

echo "id is $url->model->id";

问题似乎是 echo 只喜欢以这种方式显示的简单变量(如 $id 或 $obj->id)。

class url {
    public function  __construct($url_path) {
        $this->model = new url_model($url_path);
    }
}

class url_model {
    public function  __construct($url_path) {
        $this->id = 1;
    }
}

进而

$url = new url();
echo "id is $url->model->id"; // does not work

$t = $url->model->id;
echo "id is $t";  //works

$t = $url->model;
echo "id is $t->id";  //works

echo "id is {$url->model->id}"; //works. This is the same syntax used to display array elements in php manual.

//php manual example for arrays
echo "this is {$baz['value']}";

我不知道它为什么起作用,我只是猜到了语法。

在 php 手册中它没有说明如何使用echo "..."对象。还有一些奇怪的行为:在简单的变量上回显,有效;对对象的简单属性的回应;在另一个对象内部的对象的简单属性上回显不起作用。

echo "id is {$url->model->id}";是正确的方法吗?有没有更简单的方法?

4

2 回答 2

1

更新 :

也许我错了,回显$url->model$url->model->id仅尝试将其转换为字符串并返回它以便您可以执行此操作,但您__toString的模型中必须具有功能

我做了一个例子来澄清我的观点:

class url {
    public function  __construct($url_path) {
        $this->model = new url_model($url_path);
    }
}

class url_model {
    public function  __construct($url_path) {
        $this->id = 1;
    }

    public function __toString()
    {
        return (string) $this->id ; 
    }
}

$url = new url("1");
echo "id is $url->model->id"; // it will  convert $url->model to "1" , so the string will be 1->id
echo "id is $url->model"; // this will  work now too 
$t = $url->model->id;
echo "id is $t";  //works
$t = $url->model;
echo "id is $t->id";  //works
echo "id is {$url->model->id}"; //works. This is the same syntax used to display array elements in php manual

但我不知道是echo "this is {$baz['value']}";为了什么??????

检查__toString以获取有关魔术方法的更多信息

但我宁愿坚持{$url->model->id}

于 2012-06-14T09:48:02.260 回答
0

"{$var}"是通用字符串变量插值语法。对于诸如一维数组之类的事物,有一些称为简单语法的语法快捷方式:

echo "$arr[foo]";

但是,这不适用于多维数组,例如"$arr[foo][bar]". 这只是一个硬编码的特殊情况。对象也是如此。"$obj->foo"是一种有效的硬编码特殊情况,而更复杂的情况必须由复杂的"{$obj->foo->bar}"语法来处理。

于 2012-06-14T09:39:47.700 回答