0

我正在尝试仅在 1 个数组中循环所有分配,但出现如下图所示的错误,谁能教我怎么做?为什么会出现此错误?非常感谢

在此处输入图像描述

这是我的 template.php

class Template{
    private $vars = array();

    public function assign($key, $value){
        $this->vars[$key] = $value;
    }

    public function render($template_name){
        $path = $template_name. '.html';

        if(file_exists($path)){
            $contents = file_get_contents($path);

            foreach($this->vars as $key => $value){
                $contents = preg_replace('/\[' . $key . '\]/', $value, $contents);
            }
            $pattern = array(
                                '/\<\!\-\- if (.*) \-\-\>/',
                                '/\<\!\-\- else \-\-\>/',
                                '/\<\!\-\- endif \-\-\>/',
                                '/\<\!\-\- echo (.*) \-\-\>/'
                            );
            $replace = array(
                                '<?php if($1) : ?>',
                                '<?php else : ?>',
                                '<?php endif; ?>',
                                '<?php echo ($1) ?>'
                            );
            $contents = preg_replace($pattern, $replace, $contents);

            eval(' ?>' . $contents . '<?php ');
        }else {
            exit('<h1>Template error!</h1>');
        }
    }

}

?>

assign 用于分配 value ,然后在我的 html 中可以只写 [value] 来显示它的值

头文件.php

<?php

session_start();
header('Content-Type: text/html; charset=utf-8');
include $_SERVER['DOCUMENT_ROOT'] . '/class/template.php';

$game = '2';
$tech = '3';
$beauty = '4';
$bagua = '1';

$template = new Template;
$template->assign('sitename', 'site name');
$template->assign('title', '');

$code = array(
                'test1',
                'test2',
                'test3'
            );

$word = array(
                'haha1',
                'haha2',
                'haha3'
            );

$template->assign($code, $word);
$template->assign('test4', 'haha4');
$template->render('view/default/header');
?>

header.html

[test1][test2][test3][test4]

结果: 在此处输入图像描述

4

2 回答 2

0

已经有一个内置的 PHP 函数可以满足您的需求: array_combine

在您的示例代码中,您可以执行以下操作:

public function assign($key, $value){
    if(is_array($key)) {
        $this->vars = array_merge($this->vars, array_combine($key, $value));
    } else {
        $this->vars[$key] = $value;
    }
}

或者简单地使用for循环实现类似的东西。

于 2013-06-08T08:37:33.770 回答
0

正如 Damien 指出的那样:您正在尝试将一个数组分配给另一个数组的键,这会引发错误。

一个不错的解决方案是调整 assign 方法以接受数组:

public function assign($key, $value = false)
{
    if (is_array($key))
    {
        foreach ($key as $k => $v) $this->vars[$k] = $v;
    }
    else
    {
        $this->vars[$key] = $value;
    }
}

现在您可以将数组或 $key, $value 发送到 assign 方法,它会处理任何一种情况。

或者当然您可以将添加的键更改为字符串而不是数组:)

于 2013-06-08T08:31:39.193 回答