PHP实现简单的模板引擎功能示例

 2025-01-15  阅读 223  评论 8  点赞 109

摘要:本文实例讲述了php实现简单的模板引擎功能。分享给大家供大家参考,具体如下: php web开发中广泛采取mvc的设计模式,controller传递给view层的数据,必须通过模板引擎才能解析出来。实现一个简单的仅仅包含if,foreach标签,解析$foo变量的模板引擎。 编写template模板类和c

本文实例讲述了php实现简单的模板引擎功能。分享给大家供大家参考,具体如下:

PHP实现简单的模板引擎功能示例

php web开发中广泛采取mvc的设计模式,controller传递给view层的数据,必须通过模板引擎才能解析出来。实现一个简单的仅仅包含if,foreach标签,解析$foo变量的模板引擎。

编写template模板类和compiler编译类。代码如下:


<?php
namespace foo\base;
use foo\base\object;
use foo\base\compiler;
/**
* 
*/
class template extends object
{
  private $_config = [
    'suffix' => '.php',//文件后缀名
    'templatedir' => '../views/',//模板所在文件夹
    'compiledir' => '../runtime/cache/views/',//编译后存放的目录
    'suffixcompile' => '.php',//编译后文件后缀
    'isrecachehtml' => false,//是否需要重新编译成静态html文件
    'issupportphp' => true,//是否支持php的语法
    'cachetime' => 0,//缓存时间,单位秒
  ];
  private $_file;//带编译模板文件
  private $_valuemap = [];//键值对
  private $_compiler;//编译器
  public function __construct($compiler, $config = [])
  {
    $this->_compiler = $compiler;
    $this->_config = array_merge($this->_config, $config);
  }
  /**
   * [assign 存储控制器分配的键值]
   * @param [type] $values [键值对集合]
   * @return [type]     [description]
   */
  public function assign($values)
  {
    if (is_array($values)) {
      $this->_valuemap = $values;
    } else {
      throw new \exception('控制器分配给视图的值必须为数组!');
    }
    return $this;
  }
  /**
   * [show 展现视图]
   * @param [type] $file [带编译缓存的文件]
   * @return [type]    [description]
   */
  public function show($file)
  {
    $this->_file = $file;
    if (!is_file($this->path())) {
      throw new \exception('模板文件'. $file . '不存在!');
    }
    $compilefile = $this->_config['compiledir'] . md5($file) . $this->_config['suffixcompile'];
    $cachefile = $this->_config['compiledir'] . md5($file) . '.html';
    //编译后文件不存在或者缓存时间已到期,重新编译,重新生成html静态缓存
    if (!is_file($compilefile) || $this->isrecompile($compilefile)) {
      $this->_compiler->compile($this->path(), $compilefile, $this->_valuemap);
      $this->_config['isrecachehtml'] = true;
      if ($this->issupportphp()) {
        extract($this->_valuemap, extr_overwrite);//从数组中将变量导入到当前的符号表
      }
    }
    if ($this->isrecachehtml()) {
      ob_start();
      ob_clean();
      include($compilefile);
      file_put_contents($cachefile, ob_get_contents());
      ob_end_flush();
    } else {
      readfile($cachefile);
    }
  }
  /**
   * [isrecompile 根据缓存时间判断是否需要重新编译]
   * @param [type] $compilefile [编译后的文件]
   * @return boolean       [description]
   */
  private function isrecompile($compilefile)
  {
    return time() - filemtime($compilefile) > $this->_config['cachetime'];
  }
  /**
   * [isrecachehtml 是否需要重新缓存静态html文件]
   * @return boolean [description]
   */
  private function isrecachehtml()
  {
    return $this->_config['isrecachehtml'];
  }
  /**
   * [issupportphp 是否支持php语法]
   * @return boolean [description]
   */
  private function issupportphp()
  {
    return $this->_config['issupportphp'];
  }
  /**
   * [path 获得模板文件路径]
   * @return [type] [description]
   */
  private function path()
  {
    return $this->_config['templatedir'] . $this->_file . $this->_config['suffix'];
  }
}


<?php
namespace foo\base;
use foo\base\object;
/**
* 
*/
class compiler extends object
{
  private $_content;
  private $_valuemap = [];
  private $_patten = [
    '#\{\\$([a-za-z_\x7f-\xff][a-za-z0-9_\x7f-\xff]*)\}#',
    '#\{if (.*?)\}#',
    '#\{(else if|elseif) (.*?)\}#',
    '#\{else\}#',
    '#\{foreach \\$([a-za-z_\x7f-\xff][a-za-z0-9_\x7f-\xff]*)}#',
    '#\{\/(foreach|if)}#',
    '#\{\\^(k|v)\}#',
  ];
  private $_translation = [
    "<?php echo \$this->_valuemap['\\1']; ?>",
    '<?php if (\\1) {?>',
    '<?php } else if (\\2) {?>',
    '<?php }else {?>',
    "<?php foreach (\$this->_valuemap['\\1'] as \$k => \$v) {?>",
    '<?php }?>',
    '<?php echo \$\\1?>'
  ];
  /**
   * [compile 编译模板文件]
   * @param [type] $source  [模板文件]
   * @param [type] $destfile [编译后文件]
   * @param [type] $values  [键值对]
   * @return [type]      [description]
   */
  public function compile($source, $destfile, $values)
  {
    $this->_content = file_get_contents($source);
    $this->_valuemap = $values;
    if (strpos($this->_content, '{$') !== false) {
      $this->_content = preg_replace($this->_patten, $this->_translation, $this->_content);
    }
    file_put_contents($destfile, $this->_content);
  }
}

我们的控制器就可以调用template中的assign方法进行赋值,show方法进行模板编译了。


/**
* [render 渲染模板文件]
* @param [type] $file      [待编译的文件]
* @param [type] $values     [键值对]
* @param array $templateconfig [编译配置]
* @return [type]         [description]
*/
protected function render($file, $values, $templateconfig = [])
{
    $di = container::getinstance();
    //依赖注入实例化对象
    $di->template = function () use ($di, $templateconfig) {
      $di->compiler = 'foo\base\compiler';
      $compiler = $di->compiler;
      return new \foo\base\template($compiler, $templateconfig);
    };
    $di->template->assign($values)->show($file);
}

container类如下:


<?php
namespace foo\base;
use foo\base\object;
class container extends object
{
  private static $_instance;
  private $s = [];
  public static $instances = [];
  public static function getinstance()
  {
    if (!(self::$_instance instanceof self)) {
      self::$_instance = new self();
    }
    return self::$_instance;
  }
  private function __construct(){}
  private function __clone(){}
  public function __set($k, $c)
  {
    $this->s[$k] = $c;
  }
  public function __get($k)
  {
    return $this->build($this->s[$k]);
  }
  /**
   * 自动绑定(autowiring)自动解析(automatic resolution)
   *
   * @param string $classname
   * @return object
   * @throws exception
   */
  public function build($classname)
  {   
    // 如果是闭包函数(closures)
    if ($classname instanceof \closure) {
      // 执行闭包函数
      return $classname($this);
    }
    if (isset(self::$instances[$classname])) {
      return self::$instances[$classname];
    }
    /** @var reflectionclass $reflector */
    $reflector = new \reflectionclass($classname);
    // 检查类是否可实例化, 排除抽象类abstract和对象接口interface
    if (!$reflector->isinstantiable()) {
      throw new \exception($reflector . ': 不能实例化该类!');
    }
    /** @var reflectionmethod $constructor 获取类的构造函数 */
    $constructor = $reflector->getconstructor();
    // 若无构造函数,直接实例化并返回
    if (is_null($constructor)) {
      return new $classname;
    }
    // 取构造函数参数,通过 reflectionparameter 数组返回参数列表
    $parameters = $constructor->getparameters();
    // 递归解析构造函数的参数
    $dependencies = $this->getdependencies($parameters);
    // 创建一个类的新实例,给出的参数将传递到类的构造函数。
    $obj = $reflector->newinstanceargs($dependencies);
    self::$instances[$classname] = $obj;
    return $obj;
  }
  /**
   * @param array $parameters
   * @return array
   * @throws exception
   */
  public function getdependencies($parameters)
  {
    $dependencies = [];
    /** @var reflectionparameter $parameter */
    foreach ($parameters as $parameter) {
      /** @var reflectionclass $dependency */
      $dependency = $parameter->getclass();
      if (is_null($dependency)) {
        // 是变量,有默认值则设置默认值
        $dependencies[] = $this->resolvenonclass($parameter);
      } else {
        // 是一个类,递归解析
        $dependencies[] = $this->build($dependency->name);
      }
    }
    return $dependencies;
  }
  /**
   * @param reflectionparameter $parameter
   * @return mixed
   * @throws exception
   */
  public function resolvenonclass($parameter)
  {
    // 有默认值则返回默认值
    if ($parameter->isdefaultvalueavailable()) {
      return $parameter->getdefaultvalue();
    }
    throw new \exception('i have no idea what to do here.');
  }
}

要想以键值对的方式访问对象的属性必须实现arrayaccess接口的四个方法,

object基类代码如下:


public function offsetexists($offset) 
{
    return array_key_exists($offset, get_object_vars($this));
}
public function offsetunset($key) 
{
    if (array_key_exists($key, get_object_vars($this)) ) {
      unset($this->{$key});
    }
}
public function offsetset($offset, $value) 
{
    $this->{$offset} = $value;
}
public function offsetget($var) 
{
    return $this->$var;
}

在某一控制器中就可以调用父类controller的render方法啦

复制代码 代码如下:
$this->render('test\index', ['name' => 'tom', 'age' => 20, 'friends' => ['jack', 'rose']], ['cachetime' => 10]);

编写视图模板文件'test\index':


<!doctype html>
<html lang="en">
<head>
  <meta charset="utf-8">
  <title>document</title>
</head>
<body>
  <p>展示模板文件视图</p> 
  <p>{$name}</p>
  <p>{$age}</p>
  <?php echo ++$age;?>
  {if $age > 18}
    <p>已成年</p>
  {else if $age < 10}
    <p>小毛孩</p>
  {/if}
  {foreach $friends} 
   <p>{^v} </p>
  {/foreach}
</body>
</html>

至此,一个简单的模板编译引擎就写好了。

更多关于php相关内容感兴趣的读者可查看本站专题:《php模板技术总结》、《php基于pdo操作数据库技巧总结》、《php运算与运算符用法总结》、《php网络编程技巧总结》、《php基本语法入门教程》、《php面向对象程序设计入门教程》、《php字符串(string)用法总结》、《php+mysql数据库操作入门教程》及《php常见数据库操作技巧汇总》

希望本文所述对大家基于smarty模板的php程序设计有所帮助。


标签:phpphp教程

评论列表:

显示更多评论

发表评论:

管理员

承接各种程序开发,外贸网站代运营,外贸网站建设等项目
  • 内容2460
  • 积分67666
  • 金币86666

Copyright © 2024 LS'Blog-保定PHP程序员老宋个人博客 Inc. 保留所有权利。 Powered by LS'blog 3.0.3

页面耗时0.0285秒, 内存占用1.96 MB, 访问数据库31次

冀ICP备19034377号