摘要:我們提取變量的目的就是為了在函數中生成相應的變量賦值的字符串便于在函數中使用,例如這樣的話,只需要在調用這個匿名函數的時候傳入對應的即可獲得我們想要的結果了。
題圖:Vincent Guth
注:本文所有代碼均可在本人的個人項目colon中找到,本文也同步到了知乎專欄
可能你已經體會到了 Vue 所帶來的便捷了,相信有一部分原因也是因為其基于 DOM 的語法簡潔的模板渲染引擎。這篇文章將會介紹如何實現一個基于 DOM 的模板引擎(就像 Vue 的模板引擎一樣)。
Preface開始之前,我們先來看一下最終的效果:
const compiled = Compile(`CompileHey ?, {{ greeting }}
`, { greeting: `Hello World`, }); compiled.view // => `Hey ?, Hello World
`
實現一個模板引擎實際上就是實現一個編譯器,就像這樣:
const compiled = Compile(template: String|Node, data: Object); compiled.view // => compiled template
首先,讓我們來看下 Compile 內部是如何實現的:
// compile.js /** * template compiler * * @param {String|Node} template * @param {Object} data */ function Compile(template, data) { if (!(this instanceof Compile)) return new Compile(template, data); this.options = {}; this.data = data; if (template instanceof Node) { this.options.template = template; } else if (typeof template === "string") { this.options.template = domify(template); } else { console.error(`"template" only accept DOM node or string template`); } template = this.options.template; walk(template, (node, next) => { if (node.nodeType === 1) { // compile element node this.compile.elementNodes.call(this, node); return next(); } else if (node.nodeType === 3) { // compile text node this.compile.textNodes.call(this, node); } next(); }); this.view = template; template = null; } Compile.compile = {};walk
通過上面的代碼,可以看到 Compile 的構造函數主要就是做了一件事 ———— 遍歷 template,然后通過判斷節點類型的不同來做不同的編譯操作,這里就不介紹如何遍歷 template 了,不明白的話可以直接看 walk 函數的源碼,我們著重來看下如何編譯這些不同類型的節點,以編譯 node.nodeType === 1 的元素節點為例:
/** * compile element node * * @param {Node} node */ Compile.compile.elementNodes = function (node) { const bindSymbol = `:`; let attributes = [].slice.call(node.attributes), attrName = ``, attrValue = ``, directiveName = ``; attributes.map(attribute => { attrName = attribute.name; attrValue = attribute.value.trim(); if (attrName.indexOf(bindSymbol) === 0 && attrValue !== "") { directiveName = attrName.slice(bindSymbol.length); this.bindDirective({ node, expression: attrValue, name: directiveName, }); node.removeAttribute(attrName); } else { this.bindAttribute(node, attribute); } }); };
噢忘記說了,這里我參考了 Vue 的指令語法,就是在帶有冒號 : 的屬性名中(當然這里也可以是任何其他你所喜歡的符號),可以直接寫 JavaScript 的表達式,然后也會提供幾個特殊的指令,例如 :text, :show 等等來對元素做一些不同的操作。
其實該函數只做了兩件事:
遍歷該節點的所有屬性,通過判斷屬性類型的不同來做不同的操作,判斷的標準就是屬性名是否是冒號 : 開頭并且屬性的值不為空;
綁定相應的指令去更新屬性。
Directive其次,再看一下 Directive 內部是如何實現的:
import directives from "./directives"; import { generate } from "./compile/generate"; export default function Directive(options = {}) { Object.assign(this, options); Object.assign(this, directives[this.name]); this.beforeUpdate && this.beforeUpdate(); this.update && this.update(generate(this.expression)(this.compile.options.data)); }
Directive 做了三件事:
注冊指令(Object.assign(this, directives[this.name]));
計算指令表達式的實際值(generate(this.expression)(this.compile.options.data));
把計算出來的實際值更新到 DOM 上面(this.update())。
在介紹指令之前,先看一下它的用法:
Compile.prototype.bindDirective = function (options) { new Directive({ ...options, compile: this, }); }; Compile.prototype.bindAttribute = function (node, attribute) { if (!hasInterpolation(attribute.value) || attribute.value.trim() == "") return false; this.bindDirective({ node, name: "attribute", expression: parse.text(attribute.value), attrName: attribute.name, }); };
bindDirective 對 Directive 做了一個非常簡單的封裝,接受三個必填屬性:
node: 當前所編譯的節點,在 Directive 的 update 方法中用來更新當前節點;
name: 當前所綁定的指令名稱,用來區分具體使用哪個指令更新器來更新視圖;
expression: parse 之后的 JavaScript 的表達式。
updater在 Directive 內部我們通過 Object.assign(this, directives[this.name]); 來注冊不同的指令,所以變量 directives 的值可能是這樣的:
// directives export default { // directive `:show` show: { beforeUpdate() {}, update(show) { this.node.style.display = show ? `block` : `none`; }, }, // directive `:text` text: { beforeUpdate() {}, update(value) { // ... }, }, };
所以假設某個指令的名字是 show 的話,那么 Object.assign(this, directives[this.name]); 就等同于:
Object.assign(this, { beforeUpdate() {}, update(show) { this.node.style.display = show ? `block` : `none`; }, });
表示對于指令 show,指令更新器會改變該元素 style 的 display 值,從而實現對應的功能。所以你會發現,整個編譯器結構設計好后,如果我們要拓展功能的話,只需簡單地編寫指令的更新器即可,這里再以指令 text 舉個例子:
// directives export default { // directive `:show` // show: { ... }, // directive `:text` text: { update(value) { this.node.textContent = value; }, }, };
有沒有發現編寫一個指令其實非常的簡單,然后我們就可以這么使用我們的 text 指令了:
const compiled = Compile(``, { greeting: `Hello World`, }); compiled.view // => `generateHey ?, Hello World
`
講到這里,其實還有一個非常重要的點沒有提到,就是我們如何把 data 真實數據渲染到模板中,比如 Hey ?, {{ greeting }}
如何渲染成 Hey ?, Hello World
,通過下面三個步驟即可計算出表達式的真實數據:
把 Hey ?, {{ greeting }}
解析成 "Hey ?, " + greeting 這樣的 JavaScript 表達式;
提取其中的依賴變量并取得所在 data 中的對應值;
利用 new Function() 來創建一個匿名函數來返回這個表達式;
最后通過調用這個匿名函數來返回最終計算出來的數據并通過指令的 update 方法更新到視圖中。
parse text// reference: https://github.com/vuejs/vue/blob/dev/src/compiler/parser/text-parser.js#L15-L41 const tagRE = /{{((?:.| )+?)}}/g; function parse(text) { if (!tagRE.test(text)) return JSON.stringify(text); const tokens = []; let lastIndex = tagRE.lastIndex = 0; let index, matched; while (matched = tagRE.exec(text)) { index = matched.index; if (index > lastIndex) { tokens.push(JSON.stringify(text.slice(lastIndex, index))); } tokens.push(matched[1].trim()); lastIndex = index + matched[0].length; } if (lastIndex < text.length) tokens.push(JSON.stringify(text.slice(lastIndex))); return tokens.join("+"); }
該函數我是直接參考 Vue 的實現,它會把含有雙花括號的字符串解析成標準的 JavaScript 表達式,例如:
parse(`Hi {{ user.name }}, {{ colon }} is awesome.`); // => "Hi " + user.name + ", " + colon + " is awesome."extract dependency
我們會通過下面這個函數來提取出一個表達式中可能存在的變量:
const dependencyRE = /"[^"]*"|"[^"]*"|.w*[a-zA-Z$_]w*|w*[a-zA-Z$_]w*:|(w*[a-zA-Z$_]w*)/g; const globals = [ "true", "false", "undefined", "null", "NaN", "isNaN", "typeof", "in", "decodeURI", "decodeURIComponent", "encodeURI", "encodeURIComponent", "unescape", "escape", "eval", "isFinite", "Number", "String", "parseFloat", "parseInt", ]; function extractDependencies(expression) { const dependencies = []; expression.replace(dependencyRE, (match, dependency) => { if ( dependency !== undefined && dependencies.indexOf(dependency) === -1 && globals.indexOf(dependency) === -1 ) { dependencies.push(dependency); } }); return dependencies; }
通過正則表達式 dependencyRE 匹配出可能的變量依賴后,還要進行一些對比,比如是否是全局變量等等。效果如下:
extractDependencies(`typeof String(name) === "string" && "Hello " + world + "! " + hello.split("").join("") + "."`); // => ["name", "world", "hello"]
這正是我們需要的結果,typeof, String, split 和 join 并不是 data 中所依賴的變量,所以不需要被提取出來。
generateexport function generate(expression) { const dependencies = extractDependencies(expression); let dependenciesCode = ""; dependencies.map(dependency => dependenciesCode += `var ${dependency} = this.get("${dependency}"); `); return new Function(`data`, `${dependenciesCode}return ${expression};`); }
我們提取變量的目的就是為了在 generate 函數中生成相應的變量賦值的字符串便于在 generate 函數中使用,例如:
new Function(`data`, ` var name = data["name"]; var world = data["world"]; var hello = data["hello"]; return typeof String(name) === "string" && "Hello " + world + "! " + hello.split("").join("") + "."; `); // will generated: function anonymous(data) { var name = data["name"]; var world = data["world"]; var hello = data["hello"]; return typeof String(name) === "string" && "Hello " + world + "! " + hello.split("").join("") + "."; }
這樣的話,只需要在調用這個匿名函數的時候傳入對應的 data 即可獲得我們想要的結果了?,F在回過頭來看之前的 Directive 部分代碼應該就一目了然了:
export default class Directive { constructor(options = {}) { // ... this.beforeUpdate && this.beforeUpdate(); this.update && this.update(generate(this.expression)(this.compile.data)); } }
generate(this.expression)(this.compile.data) 就是表達式經過 this.compile.data 計算后我們所需要的值。
compile text node我們前面只講了如何編譯 node.nodeType === 1 的元素節點,那么文字節點如何編譯呢,其實理解了前面所講的內容話,文字節點的編譯就簡單得不能再簡單了:
/** * compile text node * * @param {Node} node */ Compile.compile.textNodes = function (node) { if (node.textContent.trim() === "") return false; this.bindDirective({ node, name: "text", expression: parse.text(node.textContent), }); };
通過綁定 text 指令,并傳入解析后的 JavaScript 表達式,在 Directive 內部就會計算出表達式實際的值并調用 text 的 update 函數更新視圖完成渲染。
:each 指令到目前為止,該模板引擎只實現了比較基本的功能,而最常見且重要的列表渲染功能還沒有實現,所以我們現在要實現一個 :each 指令來渲染一個列表,這里可能要注意一下,不能按照前面兩個指令的思路來實現,應該換一個角度來思考,列表渲染其實相當于一個「子模板」,里面的變量存在于 :each 指令所接收的 data 這個「局部作用域」中,這么說可能抽象,直接上代碼:
// :each updater import Compile from "path/to/compile.js"; export default { beforeUpdate() { this.placeholder = document.createComment(`:each`); this.node.parentNode.replaceChild(this.placeholder, this.node); }, update() { if (data && !Array.isArray(data)) return; const fragment = document.createDocumentFragment(); data.map((item, index) => { const compiled = Compile(this.node.cloneNode(true), { item, index, }); fragment.appendChild(compiled.view); }); this.placeholder.parentNode.replaceChild(fragment, this.placeholder); }, };
在 update 之前,我們先把 :each 所在節點從 DOM 結構中去掉,但是要注意的是并不能直接去掉,而是要在去掉的位置插入一個 comment 類型的節點作為占位符,目的是為了在我們把列表數據渲染出來后,能找回原來的位置并把它插入到 DOM 中。
那具體如何編譯這個所謂的「子模板」呢,首先,我們需要遍歷 :each 指令所接收的 Array 類型的數據(目前只支持該類型,當然你也可以增加對 Object 類型的支持,原理是一樣的);其次,我們針對該列表的每一項數據進行一次模板的編譯并把渲染后的模板插入到創建的 document fragment 中,當所有整個列表編譯完后再把剛剛創建的 comment 類型的占位符替換為 document fragment 以完成列表的渲染。
此時,我們可以這么使用 :each 指令:
Compile(`
會渲染成:
其實細心的話你會發現,模板中使用的 item 和 index 變量其實就是 :each 更新函數中 Compile(template, data) 編譯器里的 data 值的兩個 key 值。所以要自定義這兩個變量也是非常簡單的:
// :each updater import Compile from "path/to/compile.js"; export default { beforeUpdate() { this.placeholder = document.createComment(`:each`); this.node.parentNode.replaceChild(this.placeholder, this.node); // parse alias this.itemName = `item`; this.indexName = `index`; this.dataName = this.expression; if (this.expression.indexOf(" in ") != -1) { const bracketRE = /(((?:.| )+?))/g; const [item, data] = this.expression.split(" in "); let matched = null; if (matched = bracketRE.exec(item)) { const [item, index] = matched[1].split(","); index ? this.indexName = index.trim() : ""; this.itemName = item.trim(); } else { this.itemName = item.trim(); } this.dataName = data.trim(); } this.expression = this.dataName; }, update() { if (data && !Array.isArray(data)) return; const fragment = document.createDocumentFragment(); data.map((item, index) => { const compiled = Compile(this.node.cloneNode(true), { [this.itemName]: item, [this.indexName]: index, }); fragment.appendChild(compiled.view); }); this.placeholder.parentNode.replaceChild(fragment, this.placeholder); }, };
這樣一來我們就可以通過 (aliasItem, aliasIndex) in items 來自定義 :each 指令的 item 和 index 變量了,原理就是在 beforeUpdate 的時候去解析 :each 指令的表達式,提取相關的變量名,然后上面的例子就可以寫成這樣了:
Compile(`
到這里,其實一個比較簡單的模板引擎算是實現了,當然還有很多地方可以完善的,比如可以增加 :class, :style, :if 或 :src 等等你可以想到的指令功能,添加這些功能都是非常的簡單的。
全篇介紹下來,整個核心無非就是遍歷整個模板的節點樹,其次針對每一個節點的字符串值來解析成對應的表達式,然后通過 new Function() 這個構造函數來計算成實際的值,最終通過指令的 update 函數來更新到視圖上。
如果還是不清楚這些指令如何編寫的話,可以參考我這個項目 colon 的相關源碼(部分代碼可能會有不影響理解的細微差別,可忽略),有任何問題都可以在 issue 上提。
目前有一個局限就是 DOM-based 的模板引擎只適用于瀏覽器端,目前筆者也正在實現兼容 Node 端的版本,思路是把字符串模板解析成 AST,然后把更新數據到 AST 上,最后再把 AST 轉成字符串模板,實現出來后有空的話再來介紹一下 Node 端的實現。
最后,如果上面有說得不對或者有更好的實現方式的話,歡迎指出討論。
文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。
轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/84756.html
摘要:這是一個系列文章,將會介紹目前前端領域里用到的三種模板引擎技術,它們分別是基于字符串的模板基于操作的模板基于虛擬的模板本文是這個系列的第一篇,著重介紹基于字符串的模板引擎的實現原理,分析它的優點缺點以及使用的場景。 這是一個系列文章,將會介紹目前Web前端領域里用到的三種模板引擎技術,它們分別是: 基于字符串的模板 基于Dom操作的模板 基于虛擬Dom的模板 本文是這個系列的第一篇...
摘要:目錄前言問題的提出模板引擎和結合的實現編譯原理相關模版引擎的詞法分析語法分析與抽象語法樹代碼生成完整的結語前言本文嘗試構建一個前端模板引擎,并且把這個引擎和進行結合。于是就構思了一個方案,在前端模板引擎上做手腳。 作者:戴嘉華 轉載請注明出處并保留原文鏈接( https://github.com/livoras/blog/issues/14 )和作者信息。 目錄 前言 問題的提出...
摘要:向影子樹添加的任何內容都將成為宿主元素的本地元素,包括,這就是影子實現樣式作用域的方式。 這是專門探索 JavaScript 及其所構建的組件的系列文章的第 17 篇。 想閱讀更多優質文章請猛戳GitHub博客,一年百來篇優質文章等著你! 如果你錯過了前面的章節,可以在這里找到它們: JavaScript 是如何工作的:引擎,運行時和調用堆棧的概述! JavaScript 是如何工作...
摘要:當我們的視圖和數據任何一方發生變化的時候,我們希望能夠通知對方也更新,這就是所謂的數據雙向綁定。返回值返回傳入函數的對象,即第一個參數該方法重點是描述,對象里目前存在的屬性描述符有兩種主要形式數據描述符和存取描述符。 前言 談起當前前端最熱門的 js 框架,必少不了 Vue、React、Angular,對于大多數人來說,我們更多的是在使用框架,對于框架解決痛點背后使用的基本原理往往關注...
摘要:套頁面的過程實際就是將靜態頁面變成切割成一塊塊,每一塊都是一個,或文件,它們是后端模板引擎的處理對象其實模板是不局限于后端還是前端的,模板的本質是用于從數據變量到實際的視覺表現代碼這項工作的一種實現手段。 時下流行什么react, avalon, angular, vue什么,其核心都離不開前端模板。理解前端模板,是我們了解MV* 的關鍵。 前端框架最重要的目的是將頁面渲染出來。渲染...
閱讀 4025·2021-11-22 13:53
閱讀 1724·2021-09-23 11:52
閱讀 2443·2021-09-06 15:02
閱讀 948·2019-08-30 15:54
閱讀 907·2019-08-30 14:15
閱讀 2391·2019-08-29 18:39
閱讀 662·2019-08-29 16:07
閱讀 427·2019-08-29 13:13