我有这样的代码:

private static $dates = array(
  'start' => mktime( 0,  0,  0,  7, 30, 2009),  // Start date
  'end'   => mktime( 0,  0,  0,  8,  2, 2009),  // End date
  'close' => mktime(23, 59, 59,  7, 20, 2009),  // Date when registration closes
  'early' => mktime( 0,  0,  0,  3, 19, 2009),  // Date when early bird discount ends
);

这给了我以下错误:

解析错误:语法错误,在/home/user/ sites /site/registration/inc/registration.class中出现意外的'(',期望')'。第19行

所以,我想我做错了什么…但如果不是那样,我怎么能这样做呢?如果我用常规字符串改变mktime,它就能工作。所以我知道我可以这样做。

有人有什么建议吗?


当前回答

PHP无法解析初始化式中的非平凡表达式。

我更喜欢在类定义之后添加代码来解决这个问题:

class Foo {
  static $bar;
}
Foo::$bar = array(…);

or

class Foo {
  private static $bar;
  static function init()
  {
    self::$bar = array(…);
  }
}
Foo::init();

PHP 5.6现在可以处理一些表达式了。

/* For Abstract classes */
abstract class Foo{
    private static function bar(){
        static $bar = null;
        if ($bar == null)
            bar = array(...);
        return $bar;
    }
    /* use where necessary */
    self::bar();
}

其他回答

在这部分代码中不能进行函数调用。如果你让init()类型的方法在其他代码执行之前执行,那么你就可以填充变量。

在我的例子中,我同时使用静态和非静态类属性,甚至可能在定义类之前让主程序代码引用类的静态部分。由于类的静态部分没有构造函数,只需添加一个手动构造函数来初始化任何需要非平凡计算的变量:

class A
   {
   static $a; // Initialized by Init()
   static function Init()
      {
      A::$a=nontrivial();
      {
   }
...
A::Init();    // Initialize static part of class
...
$obj=new A(); // Using initialized class as an object

这太复杂了,无法定义。你可以将定义设置为null,然后在构造函数中检查它,如果它没有被更改-设置它:

private static $dates = null;
public function __construct()
{
    if (is_null(self::$dates)) {  // OR if (!is_array(self::$date))
         self::$dates = array( /* .... */);
    }
}

最好的方法是像这样创建一个访问器:

/**
* @var object $db : map to database connection.
*/
public static $db= null; 

/**
* db Function for initializing variable.   
* @return object
*/
public static function db(){
 if( !isset(static::$db) ){
  static::$db= new \Helpers\MySQL( array(
    "hostname"=> "localhost",
    "username"=> "root",
    "password"=> "password",
    "database"=> "db_name"
    )
  );
 }
 return static::$db;
}

然后你可以执行static::db();或自我:db ();从任何地方。

我更喜欢简单地创建一个getter函数,而不是寻找一种让静态变量工作的方法。如果需要属于特定类的数组,也很有帮助,实现起来也简单得多。

class MyClass
{
   public static function getTypeList()
   {
       return array(
           "type_a"=>"Type A",
           "type_b"=>"Type B",
           //... etc.
       );
   }
}

在需要该列表的任何地方,只需调用getter方法。例如:

if (array_key_exists($type, MyClass::getTypeList()) {
     // do something important...
}