Smarty 中所有的訪問都是基於變數的,下面通過一個執行個體來進行說明。
執行個體思路:主檔案通過引入模板初始化設定檔(init.inc.php)和一個類,並對模板中的變數進行賦值顯示。
首先,設定init.inc.php 檔案,作為Smarty 模板的初始化設定檔
init.inc.php
define('ROOT_PATH', dirname(__FILE__)); //定義網站根目錄
require ROOT_PATH.'/libs/Smarty.class.php'; //載入Smarty 檔案
$_tpl = new Smarty(); //執行個體化一個對象
$_tpl->template_dir = ROOT_PATH.'/tpl/'; //重新設定模板目錄為根目錄下的tpl 目錄
$_tpl->compile_dir = ROOT_PATH.'./com/'; //重新設定編譯目錄為根目錄下的com 目錄
$_tpl->left_delimiter = '<{'; //重新設定左定界符為'<{'
$_tpl->right_delimiter = '}>'; //重新設定左定界符為'}>'
?>
主檔案index.php
require 'init.inc.php'; //引入模板初始設定檔案
require 'Persion.class.php'; //載入對象檔案
global $_tpl;
$title = 'This is a title!';
$content = 'This is body content!';
/*
* 一、從PHP 中分配給模板變數;
* 動態資料(PHP從資料庫或檔案,以及演算法產生的變數)
* 任何類型的資料都可以從PHP分配過來,主要包括如下
* 標量:string、int、double、boolean
* 複合:array、object
* NULL
* 索引數組是直接通過索引來訪問的
* 關聯陣列,不是使用[關聯下標]而是使用. 下標的方式
* 對象是直接通過->來訪問的
* */
$_tpl->assign('title',$title);
$_tpl->assign('content',$content); //變數的賦值
$_tpl->assign('arr1',array('abc','def','ghi')); //索引數組的賦值
$_tpl->assign('arr2',array(array('abc','def','ghi'),array('jkl','mno','pqr'))); //索引二維數組的賦值
$_tpl->assign('arr3',array('one'=>'111','two'=>'222','three'=>'333')); //關聯陣列的賦值
$_tpl->assign('arr4',array('one'=>array('one'=>'111','two'=>'222'),'two'=>array('three'=>'333','four'=>'444'))); //關聯二維數組的賦值
$_tpl->assign('arr5',array('one'=>array('111','222'),array('three'=>'333','444'))); //關聯和索引混合數組的賦值
$_tpl->assign('object',new Persion('小易', 10)); //對象賦值
//Smarty 中數值也可以進行運算(+-*/^……)
$_tpl->assign('num1',10);
$_tpl->assign('num2',20);
$_tpl->display('index.tpl');
?>
主檔案index.php 的模板檔案index.tpl(擱置在/tpl/目錄下)
<{$title}>
變數的訪問:<{$content}>
索引數組的訪問:<{$arr1[0]}> <{$arr1[1]}> <{$arr1[2]}>
索引二維數組的訪問:<{$arr2[0][0]}> <{$arr2[0][1]}> <{$arr2[0][2]}> <{$arr2[1][0]}> <{$arr2[1][1]}> <{$arr2[1][2]}>
關聯陣列的訪問:<{$arr3.one}> <{$arr3.two}> <{$arr3.three}>
關聯二維數組的訪問:<{$arr4.one.one}> <{$arr4.one.two}> <{$arr4.two.three}> <{$arr4.two.four}>
關聯和索引混合數組的訪問:<{$arr5.one[0]}> <{$arr5.one[1]}> <{$arr5[0].three}> <{$arr5[0][0]}>
對象中成員變數的訪問:<{$object->name}> <{$object->age}>
對象中方法的訪問:<{$object->hello()}>
變數的運算:<{$num1+$num2}>
變數的混合運算:<{$num1+$num2*$num2/$num1+44}>
Persion.class.php
class Persion {
public $name; //為了訪問方便,設定為public
public $age;
//定義一個構造方法
public function __construct($name,$age) {
$this->name = $name;
$this->age = $age;
}
//定義一個hello() 方法,輸出名字和年齡
public function hello() {
return '您好!我叫'.$this->name.',今年'.$this->age.'歲了。';
}
}
?>
執行結果:
變數的訪問:This is body content!
索引數組的訪問:abc def ghi
索引二維數組的訪問:abc def ghi jkl mno pqr
關聯陣列的訪問:111 222 333
關聯二維數組的訪問:111 222 333 444
關聯和索引混合數組的訪問:111 222 333 444
對象中成員變數的訪問:小易10
對象中方法的訪問:您好!我叫小易,今年10歲了。
變數的運算:30
變數的混合運算:94
摘自:lee 的專欄
http://www.bkjia.com/PHPjc/478576.htmlwww.bkjia.comtruehttp://www.bkjia.com/PHPjc/478576.htmlTechArticleSmarty 中所有的訪問都是基於變數的,下面通過一個執行個體來進行說明。 執行個體思路:主檔案通過引入模板初始化設定檔(init.inc.php)和一個類,...