1

我正在尝试从同一类中的函数访问在类中声明的数组。我尝试了几种不同的方法来让它工作,但我对 PHP 比较陌生。这是我的代码片段

class Site extends CI_Controller {

    var $dates = array(
        "Task" => NULL,
        "Date1" => NULL,
        "Date2" => NULL,
        "TimeDiff" => NULL
    );

function index() 
{   
    if($this->$dates['Date1'] != NULL && $this->$dates['Date2'] != NULL)
    {
        $this->$dates['TimeDiff'] = $this->$dates['Date2']->getTimestamp() - $this->$dates['Date1']->getTimestamp();            
    }

    $this->load->view('usability_test', $this->$dates);
}

我也尝试使用 global 关键字

global $dates;

无论如何,我仍然收到“未定义的变量”错误。谢谢!

4

2 回答 2

9

你想要$this->dates['Date1']而不是$this->$dates['Date1']. 注意没有$before dates

作为旁注,请确保您CI_Controller通过如下定义正确扩展__construct()

class Site extends CI_Controller {

    // class properties, etc.

    function __construct(){
        parent::__construct();
    }

    // class methods, etc.

}

另一件需要注意的事情,var自 PHP5 起已弃用。根据您的需要,您将希望使用publicprivateprotected(编辑:当然,假设您使用的是PHP5)。

于 2012-06-28T18:09:35.460 回答
3

为自己创建一个帮助类来满足您的需要:

class MyTask
{
    private $task;

    /**
     * @var DateTime
     */
    private $date1, $date2;

    ...

    public function getTimeDiff() {
        $hasDiff = $this->date1 && $this->date2;
        if ($hasDiff) {
            return $this->date2->getTimestamp() - $this->date1->getTimestamp();
        } else {
            return NULL;
        }
    }
    public function __toString() {
        return (string) $this->getTimeDiff();
    }

    /**
     * @return \DateTime
     */
    public function getDate1()
    {
        return $this->date1;
    }

    /**
     * @param \DateTime $date1
     */
    public function setDate1(DateTime $date1)
    {
        $this->date1 = $date1;
    }

    /**
     * @return \DateTime
     */
    public function getDate2()
    {
        return $this->date2;
    }

    /**
     * @param \DateTime $date2
     */
    public function setDate2(DateTime $date2)
    {
        $this->date2 = $date2;
    }
}

这里的关键点是该范围和内容的所有细节都在类中。所以你不需要在其他地方关心。

作为额外的奖励,该__toString方法可以帮助您轻松地将这个对象集成到您的视图中,因为您可以只使用echo对象。

class Site extends CI_Controller
{
    /**
     * @var MyTask
     */
    private $dates;

    public function __construct() {
        $this->dates = new MyTask();
        parent::__construct();
    }

    function index() 
    {
        $this->load->view('usability_test', $this->$dates);
    }

    ...

更好的?

于 2012-06-28T18:21:09.663 回答