模型如何更新MVC模式中的视图?

时间:2013-02-06 01:33:24

标签: model-view-controller view model observer-pattern

我对MVC模式的结构感到困惑。

在Google上搜索的某些地方,我发现该模型会更新所有订阅该模型的视图。模型如何在MVC模式中更新视图?

任何人都可以通过举例给我一个简单明了的想法吗?

由于

1 个答案:

答案 0 :(得分:4)

MVC有各种各样的风格。听起来您可能一直在阅读视图观察模型更改的supervising controller pattern

我从你过去的问题和答案中看到你喜欢php。我不确定监督主持人在php中有多常见(我当然从未使用它,但我很想知道其他人是否这样做)。它在.Net应用程序(例如winforms)中很常见,其中模型可以数据绑定到UI控件。通过订阅模型事件向视图通知模型的更改。

无论如何,因为我认为在php中尝试这会很有趣我把一个例子放在一起:

<?php

$input = array(2, 3, 4, 5, 6, 7, 8, 9, 10);

$model = new model(1);
$controller = new controller(
              $model, new view($model, 0), new view($model, 2)
              );

$controller->doAction($input);

class model {
  //the model changed event
  public $modelChangedEvent = array();
  private $val;

  public function __construct($val) {
     $this->val = $val;
  }

  public function setVal($val) {
     $this->val = $val;
     //raise the model changed event because the model state has changed
     $this->raiseModelChangedEvent();
  }

  public function getSquaredVal() {
     return pow($this->val, 2);
  }

  private function raiseModelChangedEvent() {
     foreach ($this->modelChangedEvent as $handler)
        call_user_func($handler);
  }

}

class view {

  private $model;
  private $decimalPlaces;
  private $valueHistory = array();

  public function __construct($model, $decimalPlaces) {
    $this->model = $model;
    $this->valueHistory[] = $model->getSquaredVal();
    $this->decimalPlaces = $decimalPlaces;
    //listen to the model changed event and call handler
    $this->model->modelChangedEvent[] = array(
                             $this,
                             'modelChangedEventHandler'
                              );
  }

  public function showView() {
    $formatted = array_map(
                 array($this, 'getFormattedValue'), $this->valueHistory
                 );
    echo implode('<br/>', $formatted), '<br/><br/>';
  }

  public function modelChangedEventHandler() {
     $this->valueHistory[] = $this->model->getSquaredVal();
  }

  private function getFormattedValue($val) {
     return number_format($val, $this->decimalPlaces);
  }

}

class controller {

   private $model;
   private $view1;
   private $view2;

   public function __construct($model, $view1, $view2) {
     $this->model = $model;
     $this->view1 = $view1;
     $this->view2 = $view2;
   }

   public function doAction($input) {
     foreach ($input as $val) $this->model->setVal($val);
     $this->view1->showView();
     $this->view2->showView();
   }

}
?>