render函式
vue通過 template 來建立你的 HTML。但是,在特殊情況下,這種寫死的模式無法滿足需求,必須需要js的程式設計能力。此時,需要用render來建立HTML。
什麼情況下適合使用render函式
在一次封裝一套通用按鈕元件的工作中,按鈕有四個樣式(default success error )。首先,你可能會想到如下實現
<div v-if="type === 'success'">success</div>
<div v-else-if="type === 'error'">error</div>
<div v-else-if="type === 'warm'">warm</div>
<div v-else>default</div>
複製程式碼
這樣寫在按鈕樣式少的時候完全沒有問題,但是試想,如果需要的按鈕樣式有十多個,按鈕內的文字根據實際情況而定(如success按鈕內的文字可能是OK、GOOD等等)。那麼template寫死的方式就顯得很無力了。遇上類似這樣的情況,使用render函式可以說最優選擇了。
根據實際情況改寫按鈕元件
首先render函式生成的內容相當於template的內容,故使用render函式時,在.vue檔案中需要先把template標籤去掉。只保留邏輯層。
export default {
render(h) {
return h('div',{
'class': {
btn: true,
success: this.type === 'success',
error: this.type === 'error',
warm: this.type === 'warm',
default: this.type === 'default'
},
domProps: {
innerHTML: this.$slots.default[0].text
},
on: {
click: this.clickHandle
}
})
},
methods: {
clickHandle() {
// dosomething
}
},
props: {
type: {
type: String,
default: 'default'
},
text: {
type: String,
default: 'default'
}
}
};
複製程式碼
根據元件化思維,能抽象出來的東西絕不寫死在邏輯上。這裡的clickHandle函式可以根據按鈕的type型別觸發不同的邏輯,就不多敘述了。
然後在父元件呼叫
<btn
v-for="(btn, index) in testData"
:type="btn.type"
:text="btn.text"
:key="index">{{btn.text}}
</btn>
複製程式碼
使用jsx
是的,要記住每個引數的型別同用法,按序傳參實在是太麻煩了。那麼其實可以用jsx來優化這個繁瑣的過程。
return (
<div
class={{
btn: true,
success: this.type === 'success',
error: this.type === 'error',
warm: this.type === 'warm',
default: this.type === 'default'
}}
onClick={this.clickHandle}>
{this.$slots.default[0].text}
</div>
)
複製程式碼