我正在编写自己的MVC框架并且已经进入了视图渲染器。我将控制器中的变量设置为View对象,然后通过.phtml脚本中的echo $ this-> myvar访问变量。
在我的default.phtml中,我调用方法$ this-> content()来输出viewscript。
这就是我现在这样做的方式。这是一个正确的方法吗?
class View extends Object {
protected $_front;
public function __construct(Front $front) {
$this->_front = $front;
}
public function render() {
ob_start();
require APPLICATION_PATH . '/layouts/default.phtml' ;
ob_end_flush();
}
public function content() {
require APPLICATION_PATH . '/views/' . $this->_front->getControllerName() . '/' . $this->_front->getActionName() . '.phtml' ;
}
}
答案 0 :(得分:15)
简单视图类的示例。与你和David Ericsson的真实相似。
<?php
/**
* View-specific wrapper.
* Limits the accessible scope available to templates.
*/
class View{
/**
* Template being rendered.
*/
protected $template = null;
/**
* Initialize a new view context.
*/
public function __construct($template) {
$this->template = $template;
}
/**
* Safely escape/encode the provided data.
*/
public function h($data) {
return htmlspecialchars((string) $data, ENT_QUOTES, 'UTF-8');
}
/**
* Render the template, returning it's content.
* @param array $data Data made available to the view.
* @return string The rendered template.
*/
public function render(Array $data) {
extract($data);
ob_start();
include( APP_PATH . DIRECTORY_SEPARATOR . $this->template);
$content = ob_get_contents();
ob_end_clean();
return $content;
}
}
?>
在视图中可以访问类中定义的函数,如下所示:
<?php echo $this->h('Hello World'); ?>
答案 1 :(得分:11)
以下是我如何做到的一个例子:
<?php
class View
{
private $data = array();
private $render = FALSE;
public function __construct($template)
{
try {
$file = ROOT . '/templates/' . strtolower($template) . '.php';
if (file_exists($file)) {
$this->render = $file;
} else {
throw new customException('Template ' . $template . ' not found!');
}
}
catch (customException $e) {
echo $e->errorMessage();
}
}
public function assign($variable, $value)
{
$this->data[$variable] = $value;
}
public function __destruct()
{
extract($this->data);
include($this->render);
}
}
?>
我使用我的控制器中的assign函数来分配变量,并在析构函数中提取该数组,使其成为视图中的局部变量。
如果你愿意,可以随意使用它,我希望它可以让你知道如何做到这一点
以下是一个完整的例子:
class Something extends Controller
{
public function index ()
{
$view = new view('templatefile');
$view->assign('variablename', 'variable content');
}
}
在您的视图文件中:
<?php echo $variablename; ?>