65

这是在 php 中将数组作为常量的唯一方法还是这个糟糕的代码:

class MyClass
{
    private static $myArray = array('test1','test2','test3');

    public static function getMyArray()
    {
       return self::$myArray;
    } 
}
4

7 回答 7

80

您的代码很好 - 在 5.6 版之前的 PHP 中不能将数组声明为常量,因此静态方法可能是最好的方法。您应该考虑通过注释将此变量标记为常量:

/** @const */
private static $myArray = array(...);

使用 PHP 5.6.0 或更高版本,您可以声明数组常量:

const myArray = array(...);
于 2012-08-26T10:08:33.763 回答
19

从 PHP 5.6.0(2014 年 8 月 28 日)开始,可以定义一个数组常量(参见PHP 5.6.0 新特性)。

class MyClass
{
    const MYARRAY = array('test1','test2','test3');

    public static function getMyArray()
    {
        /* use `self` to access class constants from inside the class definition. */
        return self::MYARRAY;
    } 
}

/* use the class name to access class constants from outside the class definition. */
echo MyClass::MYARRAY[0]; // echo 'test1'
echo MyClass::getMyArray()[1]; // echo 'test2'

$my = new MyClass();
echo $my->getMyArray()[2]; // echo 'test3'

在 PHP 7.0.0(2015 年 12 月 3 日)中,可以使用 define() 定义数组常量。在 PHP 5.6 中,它们只能用 const 定义。(见PHP 7.0.0 新特性

define('MYARRAY', array('test1','test2','test3'));
于 2015-05-04T13:53:25.213 回答
9

我遇到了这个线程来寻找自己的答案。在认为我必须将我的数组传递给它需要的每个函数之后。我对数组和 mysql 的经验让我想知道序列化是否可以工作。当然可以。

define("MYARRAY",     serialize($myarray));

function something() {
    $myarray= unserialize(MYARRAY);
}
于 2013-10-24T07:38:24.353 回答
2

我建议使用以下内容:

class MyClass
{
    public static function getMyArray()
    {
       return array('test1','test2','test3');
    } 
}

这样你就有了一个 const 数组,并且保证没有人可以更改它,甚至不能更改 Class 本身的方法。

可能的微优化(不确定现在 PHP 编译器优化了多少):

class MyClass
{
    public static function getMyArray()
    {
       static $myArray = array('test1','test2','test3');
       return $myArray;
    } 
}
于 2015-02-15T19:15:17.240 回答
1

将其标记为静态是一个不错的选择。这是一个封装静态数组以获得某种恒定行为的示例。

class ArrayConstantExample {

    private static $consts = array(
        'CONST_MY_ARRAY' => array(
            1,2,3,4
        )
    );

    public static function constant($name) {
        return self::$consts[$name];
    }

}

var_dump( ArrayConstantExample::constant('CONST_MY_ARRAY') );

印刷:

array(4) { [0]=> int(1) [1]=> int(2) [2]=> int(3) [3]=> int(4) }
于 2014-10-10T20:00:37.107 回答
1

您创建了一个静态数组,而不是一个常量数组。静态变量是可变的;常量是不可变的。您的代码还不错,但它并没有按照您的意愿去做。

在 PHP 5.6 中,您可以声明const数组。请看我之前的解释

也许你想要这样的东西:

class MyClass
{
    const MY_ARRAY = array('test1','test2','test3');

    public function getMyArray()
    {
       return MY_ARRAY;
    } 
}

请注意,常量没有$前缀,这表明它们的不变性。$foo是一个变量;FOO不是。此外,常量名称总是大写的,至少在我接触过的编程语言中是这样。这不是由编译器强制执行的;它只是一个(几乎?)通用编码风格约定。可见性关键字publicprotectedprivate不适用于常量。最后,static根据您是否希望该功能为static.

于 2015-05-07T22:56:33.690 回答
1

从 PHP 5.6 起,可以将常量定义为标量表达式,也可以定义数组常量。

class foo {
   const KEYS = [1, 3, 6, 7];
}
//
echo foo::KEYS[0]; // 1
于 2016-01-06T11:01:12.800 回答