看過 Vue 原始碼的同學可以知道,<keep-alive>
、<transition>
、<transition-group>
等元件
元件的實現是一個物件,注意它有一個屬性 abstract
為 true
,表明是它一個抽象元件
。
Vue 的文件沒有提這個概念,在抽象元件的生命週期過程中,我們可以對包裹的子元件監聽的事件進行攔截,也可以對子元件進行 Dom 操作,從而可以對我們需要的功能進行封裝,而不需要關心子元件的具體實現。
下面實現一個 debounce
元件,對子元件的 click
事件進行攔截
核心程式碼如下:
<script>
import {get, debounce, set} from 'loadsh';
export default {
name: 'debounce',
abstract: true, //標記為抽象元件
render() {
let vnode = this.$slots.default[0]; // 子元件的vnode
if (vnode) {
let event = get(vnode, `data.on.click`); // 子元件繫結的click事件
if (typeof event === 'function') {
set(vnode, `data.on.click`, debounce(event, 1000));
}
}
return vnode;
}
};
</script>
複製程式碼
使用
<debounce>
<button @click="clickHandler">測試</button>
</debounce>
複製程式碼
可以看到,按鈕的 click
事件已經加上了去抖(debounce)操作。
我們可以進一步對 debounce
元件進行優化。
<script>
import {get, debounce, set} from '@/utils';
export default {
name: 'debounce',
abstract: true, //標記為抽象元件
props: {
events: String,
wait: {
type: Number,
default: 0
},
options: {
type: Object,
default() {
return {};
}
}
},
render() {
let vnode = this.$slots.default[0]; // 子元件的vnode
if (vnode && this.events) {
let eventList = this.events.split(',');
eventList.forEach(eventName => {
let event = get(vnode, `data.on[${eventName}]`); // 子元件繫結的click事件
if (typeof event === 'function') {
/**
* 加上debounce操作, 引數與 lodash 的debounce完全相同
*/
set(vnode, `data.on[${eventName}]`, debounce(event, this.wait, this.options));
}
});
}
return vnode;
}
};
</script>
複製程式碼
使用
<debounce events="click" :wait="250" :options="{maxWait: 1000}">
<button @click="clickHandler">測試</button>
</debounce>
複製程式碼
我們同樣可以為輸入框的 input 事件進行 debouce 操作
<debounce events="input" :wait="250" :options="{maxWait: 1000}">
<input @input="inputandler" placeholder="輸入關鍵字進行搜尋" />
</debounce>
複製程式碼
本文作者: Shellming
本文連結: shellming.com/2019/05/06/…
版權宣告: 本部落格所有文章除特別宣告外,均採用 CC BY-NC-SA 3.0 許可協議。轉載請註明出處!