构建自己的JavaScript模板小引擎
有时候,我们不需要太牛逼太强大的JavaScript模板引擎(比如jQuery tmpl或者handlebarsjs),我们只是需要在简单的模板里绑定一些非常简单的字段,本文将使用非常简单的技巧来帮你实现这个小功能。
首先我们先来定义我们需要的模板,在id为template的script块里:
<!doctype html>
<html>
<head>
<meta charset=utf-8>
<title>Simple Templating</title>
</head>
<body>
<div class="result"></div>
<script type="template" id="template">
<h2>
<a href="{{href}}">
{{title}}
</a>
</h2>
<img src="{{imgSrc}}" alt="{{title}}">
</script>
</body>
</html>
然后,我们需要通过Ajax等其它方式获取所需要的数据,这里为了展示方便,我们使用了自己定义的数组:
var data = \[
{
title: "Knockout应用开发指南",
href: "http://www.jcodecraeer.com",
imgSrc: "http://www.jcodecraeer.com"
},
{
title: "微软ASP.NET站点部署指南",
href: "http://www.jcodecraeer.com",
imgSrc:"http://www.jcodecraeer.com"
},
{
title: "HTML5学习笔记简明版",
href: "http://www.jcodecraeer.com",
imgSrc: "http://www.jcodecraeer.com"
}
\],
我们有2种方式来绑定这些数据到模板上,第一种是非常简单的hardcode方法,第二种是自动识别变量式的。
我们先来看第一种方式,是通过替换花括号里的值为data里所对应的值来达到目的:
template = document.querySelector('#template').innerHTML,
result = document.querySelector('.result'),
i = 0, len = data.length,
fragment = '';
for ( ; i < len; i++ ) {
fragment += template
.replace( /\\{\\{title\\}\\}/, data\[i\].title )
.replace( /\\{\\{href\\}\\}/, data\[i\].href )
.replace( /\\{\\{imgSrc\\}\\}/, data\[i\].imgSrc );
}
result.innerHTML = fragment;
第二种方式比较灵活,是通过正则表达式来替换所有花括号的值,而无需一个一个替换,这样相对来说比较灵活,但是要注意模板标签可能在数据里不存在的情况:
template = document.querySelector('#template').innerHTML,
result = document.querySelector('.result'),
attachTemplateToData;
// 将模板和数据作为参数,通过数据里所有的项将值替换到模板的标签上(注意不是遍历模板标签,因为标签可能不在数据里存在)。
attachTemplateToData = function(template, data) {
var i = 0,
len = data.length,
fragment = '';
// 遍历数据集合里的每一个项,做相应的替换
function replace(obj) {
var t, key, reg;
//遍历该数据项下所有的属性,将该属性作为key值来查找标签,然后替换
for (key in obj) {
reg = new RegExp('{{' + key + '}}', 'ig');
t = (t || template).replace(reg, obj\[key\]);
}
return t;
}
for (; i < len; i++) {
fragment += replace(data\[i\]);
}
return fragment;
};
result.innerHTML = attachTemplateToData(template, data);
这样,我们就可以做到,无限制定义自己的标签和item属性了,而无需修改JS代码。