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

让Kohana使用第三方模版引擎

程序员文章站 2022-05-06 23:01:35
...
Kohana的视图层很简单,变量数据放在$_data数组中。所以继承Kohana_View类并覆写部分方法,就可以非常轻松的使用第三方模版引擎作为视图层。
这里的例子是使用Blitz Template,如果要用Smarty之类的也可以类似修改。
文件在application/classes/stucampus/system/view.php下,可以修改,但是修改要和命名空间对应。至于如何支持命名空间,见 这里
  1. namespace StuCampus\System;
  2. class View extends \Kohana_View
  3. {
  4. /**
  5. * 模版引擎
  6. *
  7. * @var \Blitz
  8. */
  9. protected static $templateEngine = null;
  10. /**
  11. * Returns a new View object. If you do not define the "file" parameter,
  12. * you must call [View::set_filename].
  13. *
  14. * $view = View::factory($file);
  15. *
  16. * @param string view filename
  17. * @param array array of values
  18. * @return View
  19. */
  20. public static function factory($file = NULL, array $data = NULL)
  21. {
  22. return new self($file, $data);
  23. }
  24. /**
  25. * Captures the output that is generated when a view is included.
  26. * The view data will be extracted to make local variables. This method
  27. * is static to prevent object scope resolution.
  28. *
  29. * $output = View::capture($file, $data);
  30. *
  31. * @param string filename
  32. * @param array variables
  33. * @return string
  34. */
  35. protected static function capture($kohana_view_filename, array $kohana_view_data)
  36. {
  37. // 覆写parent
  38. $params = array_merge($kohana_view_data, self::$_global_data);
  39. $output = self::$templateEngine->parse($params);
  40. return $output;
  41. }
  42. /**
  43. * 设置视图的文件名
  44. *
  45. * @example $view->set_filename($file);
  46. *
  47. * @param string view filename
  48. * @return View
  49. * @throws \Kohana_View_Exception
  50. */
  51. public function set_filename($file)
  52. {
  53. $return = parent::set_filename($file);
  54. // 初始化试图引擎
  55. self::$templateEngine = new \Blitz($this->_file);
  56. return $return;
  57. }
  58. /**
  59. * 解析模板
  60. *
  61. * @see Kohana_View::render()
  62. */
  63. public function render($file = NULL)
  64. {
  65. // 这个方法和parent一样的,但是parent没有使用静态延迟绑定,所以只好重写一次= =#
  66. if ($file !== NULL)
  67. {
  68. $this->set_filename($file);
  69. }
  70. if (empty($this->_file))
  71. {
  72. throw new Kohana_View_Exception('You must set the file to use within your view before rendering');
  73. }
  74. // Combine local and global data and capture the output
  75. return View::capture($this->_file, $this->_data);
  76. }
  77. }
复制代码