1
$smarty->assign('name',$value);
$smarty->display("index.html");

这样它会自动替换$variablesindex.html ,从而节省大量echo?

4

4 回答 4

1

你可以使用这样的东西:

// assigns the output of a file into a variable...
function get_include_contents($filename, $data='') {
    if (is_file($filename)) {
        if (is_array($data)) {
            extract($data);
        }
        ob_start();
        include $filename;
        $contents = ob_get_contents();
        ob_end_clean();
        return $contents;
    }
    return false;
}


$data = array('name'=>'Ross', 'hobby'=>'Writing Random Code');
$output = get_include_contents('my_file.php', $data);
// my_file.php will now have access to the variables $name and $hobby
于 2009-11-19T06:12:40.137 回答
1

取自上一个问题

class Templater {

    protected $_data= array();

    function assign($name,$value) {
      $this->_data[$name]= $value;
    }

    function render($template_file) {
       extract($this->_data);
       include($template_file);
    }
}

$template= new Templater();
$template->assign('myvariable', 'My Value');
$template->render('path/to/file.tpl');

在模板中

<?= $foobar ?>

将打印 foobar .... 如果您需要制作自己的语法,您可以使用preg_replace_callback

例如 :

function replace_var($matches){
    global $data;
    return $data[$matches[1]];
}
preg_replace_callback('/{$([\w_0-9\-]+)}/', 'replace_var');
于 2009-11-19T06:19:43.337 回答
1

使用上一个答案中的 Templater 类,您可以将渲染函数更改为使用正则表达式

function render($template_file) {
  $patterns= array();
  $values= array();
  foreach ($this->_data as $name=>$value) {
    $patterns[]= "/\\\$$name/";
    $values[]= $value;
  }
  $template= file_get_contents($template_file);
  echo preg_replace($patterns, $values, $template);
}

......

$templater= new Templater();
$templater->assign('myvariable', 'My Value');
$templater->render('mytemplate.tpl');

以及以下模板文件:

<html>
<body>
This is my variable <b>$myvariable</b>
</body>
</html>

将呈现:

这是我的变量我的价值

免责声明:实际上并没有运行它来查看它是否有效!请参阅 preg_replace 上的 PHP 手册,示例 #2: http: //php.net/manual/en/function.preg-replace.php

于 2009-11-19T06:34:48.133 回答
0

您描述的功能由extract php 函数处理,例如:

// Source: http://www.php.net/manual/en/function.extract.php
$size = "large";
$var_array = array("color" => "blue", "size"  => "medium", "shape" => "sphere");
extract($var_array, EXTR_PREFIX_SAME, "wddx");
echo "$color, $size, $shape, $wddx_size\n";

但我强烈建议您使用 Sergey 或 RageZ 发布的类之一,因为否则您将重新发明轮子,PHP 中有很多低调和高端的模板类,实际上很多:)

于 2009-11-19T07:23:23.380 回答