将变量从Controller传递给View

时间:2012-09-11 07:50:10

标签: php model-view-controller

我有一个问题,我一直在制作自己的MVC应用程序但是在模型和控制器之间传递变量似乎存在问题。控制器的输出是一个包含一些json格式数据的单个变量,看起来很简单。

控制器

<?php 

class controllerLib 
{
     function __construct() 
     {
            $this->view = new view();
     }

     public function getModel($model) 
     {
            $modelName = $model."Model"; 
            $this->model=new $modelName();
     }
}

 class controller extends controllerLib
 {
     function __construct()
     {
            parent::__construct();
     } 

     public function addresses($arg = false) 
     {
            echo'Addresses '.$arg.'<br />';

            $this->view->render('addressesView');

            $this->view->showAddresses = $this->model->getAddresses(); 
     }
 }

 ?>

查看

 <?php 

 class view
 {
    function __construct()
    {
    }

    public function render($plik)
    {
        $render = new $plik();
    }
 }

 class addressesView extends view
 {
    public $showAddresses;

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

        require 'view/head.php';

        $result = $this->showAddresses;


        require 'view/foot.php';
    }
 }


 ?>

现在的问题是$ this-&gt; showAddresses没有传递给查看而且卡住了。

1 个答案:

答案 0 :(得分:0)

代码有各种各样的问题:

  1. render()将新视图保存在本地var中,以便在函数结束后不存在

  2. 您不能指望$this->showAddresses在构造函数时具有值。

  3. 您应该将render()方法实现为View构造函数之外的方法。

    function __construct() 
    {
        parent::__construct();
    
        require 'view/head.php';
    
        $result = $this->showAddresses; // (NULL) The object is not created yet
    
    
        require 'view/foot.php';
    }
    

    查看课程:

    public function factory($plik) // Old render($splik) method
    {
        return new $plik();
    }
    

    addressesView类:

    function __construct() 
    {
      parent::__construct();
    }
    
    function render()
    {
        require 'view/head.php';
    
        $result = $this->showAddresses; // Object is created and the field has a value
    
    
        require 'view/foot.php';
    }
    

    控制器类:

     $view = $this->view->factory('addressesView');
     $view->showAddresses = $this->model->getAddresses(); 
     $view->render();