欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

PHP 基于Yii框架中使用smarty模板的方法详解

程序员文章站 2022-10-06 10:40:28
第一种方法按照yii系统的办法生成视图觉得有点麻烦,觉得用smarty更省事。尝试着把smarty模板加进来了。复制代码 代码如下:date_default_timezon...
第一种方法
按照yii系统的办法生成视图觉得有点麻烦,觉得用smarty更省事。尝试着把smarty模板加进来了。
复制代码 代码如下:

date_default_timezone_set("prc");
class placecontroller extends ccontroller {
protected $_smarty;
function __construct(){
parent::__construct('place');//需要一个参数来调用父类的构造函数,该参数为控制器id
$path = yii::getpathofalias('application');//获得protected文件夹的绝对路径
include (dirname($path).directory_separator.'smarty'.directory_separator.'smarty.class.php');//smarty所在路径
$this->_smarty = new smarty();
$this->_smarty->template_dir = dirname($path).directory_separator.'template'.directory_separator;//模板路径
}

主要一个问题是自动加载类执行冲突的问题
yii注册了一个自动加载类spl_autoload_register(array('yiibase','autoload')),smarty也注册了一个自动加载类,spl_autoload_register('smartyautoload'),yii 注册在前,这样在遇到一个类名的时候,先执行的是yii的自定义自动加载类的函数,对应smarty里的每个类名而言,也是先调用yii的自动加载类的函 数,但是如果不符合yii自动加载的条件的话,就会执行smarty的自动加载类的函数,然而,smarty的类名在自动加载类的时候,确符合了yii自 动加载类的逻辑语句,结果就是yii使用include语句要包含的类肯定找不到。
解决的办法是:当smarty的类自动加载的时候,跳出在yii定义的自动加载函数,这样就会执行smarty的加载函数。
具体实现是,修改yiibase类里面的autoload函数,增加如下代码
复制代码 代码如下:

public static function autoload($classname)
{
// use include so that the error php file may appear
if(preg_match('/smarty/i', $classname)){      //只要类名包含smarty的,无论大小写,都返回,这样就跳出了yii自动加载类而去执行                                                                                  smarty的自动加载类函数了
return;
}
             yii自动加载类代码
}

这样就可以在每个action里使用smarty模板了。
复制代码 代码如下:

public function actionindex(){
$this->_smarty->assign('test', '测试');
$this->_smarty->display('create.html');
}

第二种方法:
在protected下的extensions文件夹放入smarty模板插件,并建立csmarty类文件,内容如下
复制代码 代码如下:

<?php
require_once(yii::getpathofalias('application.extensions.smarty').directory_separator.'smarty.class.php'); 
    define('smarty_view_dir', yii::getpathofalias('application.views')); 

    class csmarty extends smarty { 
        const dir_sep = directory_separator; 
        function __construct() { 
            parent::__construct(); 

            $this->template_dir = smarty_view_dir; 
            $this->compile_dir = smarty_view_dir.self::dir_sep.'template_c'; 
            $this->caching = true; 
            $this->cache_dir = smarty_view_dir.self::dir_sep.'cache'; 
            $this->left_delimiter  =  '<!--{'; 
            $this->right_delimiter =  '}-->'; 
            $this->cache_lifetime = 3600; 
        } 
        function init() {} 
    } 
    ?>

然后建立samrty所需的template_c,cache等文件夹。
接下来是配置部分
打开protected/config/main.php在components数组中加入
复制代码 代码如下:

'smarty'=>array(
    'class'=>'application.extensions.csmarty',
),

最后在action中直接用yii::app()->smarty就可以试用smarty了。如果每次在action中使用yii::app()->smarty比较麻烦的话,可以在components下的controller中可以加入
复制代码 代码如下:

protected $smarty = '';
protected function init() {
       $this->smarty = yii::app()->smarty;
 }

然后在action中就直接可以用$this->smarty使用smarty了。