我正在阅读OpenCart的来源,我在下面遇到了这样的表达。有人可以向我解释一下:
$quote = $this->{'model_shipping_' . $result['code']}->getQuote($shipping_address);
在声明中,有一个奇怪的代码部分是
$this->{'model_shipping_' . $result['code']}
哪个有{}
,我想知道那是什么?它看起来像我,但我不太确定。
答案 0 :(得分:27)
大括号用于表示PHP中的字符串或变量插值。它允许您创建“变量函数”,这可以让您在不明确知道实际情况的情况下调用函数。
使用它,您可以在对象上创建一个类似于数组的属性:
$property_name = 'foo';
$object->{$property_name} = 'bar';
// same as $object->foo = 'bar';
或者,如果您有某种REST API类,则可以调用一组方法之一:
$allowed_methods = ('get', 'post', 'put', 'delete');
$method = strtolower($_SERVER['REQUEST_METHOD']); // eg, 'POST'
if (in_array($method, $allowed_methods)) {
return $this->{$method}();
// return $this->post();
}
如果你想:
,它也可以在字符串中用来更容易地识别插值$hello = 'Hello';
$result = "{$hello} world";
当然这些都是简化。示例代码的目的是根据$result['code']
的值运行多个函数之一。
答案 1 :(得分:10)
属性的名称在运行时从两个字符串计算
说,$result['code']
为'abc'
,访问的属性为
$this->model_shipping_abc
如果您的属性或方法名称中包含奇怪的字符,这也很有用。
否则将无法区分以下内容:
class A {
public $f = 'f';
public $func = 'uiae';
}
$a = new A();
echo $a->f . 'unc'; // "func"
echo $a->{'f' . 'unc'}; // "uiae"
答案 2 :(得分:4)