当我在php中创建一个类时,我遇到了这个错误:
Parse error: syntax error, unexpected '[', expecting ',' or ';' on line 5
一个简单的例子:
<?php
class MyClass
{
public $variable["attribute"] = "I'm a class property!";
}
?>
我已经看过Reference - What does this error mean in PHP?,但这似乎不适合我的情况。所有其他现有问题的问题似乎都依赖于旧的PHP版本。但我使用的是PHP 5.6.3!
我该怎么办?我只是一塌糊涂吗?
答案 0 :(得分:2)
您无法显式创建类似的变量(数组索引)。你必须这样做:
class MyClass {
// you can use the short array syntax since you state you're using php version 5.6.3
public $variable = [
'attribute' => 'property'
];
}
或者,你可以做(像大多数人一样),这个:
class MyClass {
public $variable = array();
function __construct(){
$this->variable['attribute'] = 'property';
}
}
// instantiate class
$class = new MyClass();
答案 1 :(得分:1)
我想你应该按照下面的方式声明它:
class MyClass
{
public $variable = array( "attribute" => "I'm a class property!" );
}
答案 2 :(得分:1)
先制作一个数组。使用以下代码
<?php
class MyClass
{
public $variable = array("attribute"=>"I'm a class property!");
}
?>
HOpe这可以帮助你
答案 3 :(得分:1)
您无法声明此类成员。您也不能在类成员声明中使用表达式。
有两种方法可以实现您的目标:
class MyClass
{
public $variable;
function __construct()
{
$variable["attribute"] = "I'm a class property!";
}
}
或者像这样
class MyClass
{
public $variable = array("attribute" => "I'm a class property!");
}