做者:David Desmaisons翻譯:瘋狂的技術宅javascript
原文:https://alligator.io/vuejs/re...html
未經容許嚴禁轉載前端
在本文中咱們討論 Vue 中的無渲染插槽模式可以幫助解決哪些問題。vue
在 Vue.js 2.3.0 中引入的做用域插槽顯著提升了組件的可重用性。無渲染組件模式應運而生,解決了提供可重用行爲和可插入表示的問題。java
在這裏,咱們將會看到如何解決相反的問題:怎樣提供可重用的外觀和可插入的行爲。node
這種模式適用於實現複雜行爲且具備可自定義表示的組件。git
它知足如下功能:程序員
舉個例子:一個執行 Ajax 請求並顯示結果的插槽的組件。組件處理 Ajax 請求並加載狀態,而默認插槽提供演示。github
這是一個簡化版的實現:面試
<template> <div> <slot v-if="loading" name="loading"> <div>Loading ...</div> </slot> <slot v-else v-bind={data}> </slot> </div> </template> <script> export default { props: ["url"], data: () => ({ loading: true, data: null }), async created() { this.data = await fetch(this.url); this.loading = false; } }; </script>
用法:
<lazy-loading url="https://server/api/data"> <template #default="{ data }"> <div>{{ data }}</div> </template> </lazy-loading>
有關這種模式的原始文章,請在這裏查看。
若是問題反過來該怎麼辦:想象一下,若是一個組件的主要特徵就是它的表示形式,另外它的行爲應是可自定義的。
假設你想要基於 SVG 建立一個樹組件,以下所示:
你想要提供 SVG 的顯示和行爲,例如在單擊時收回節點和突出顯示文本。
當你打算不對這些行爲進行硬編碼,而且讓組件的用戶自由覆蓋它們時,就會出現問題。
暴露這些行爲的簡單解決方案是向組件添加方法和事件。
你可能會這樣去實現:
<script> export default { mounted() { // pseudo code nodes.on('click',(node) => this.$emit('click', node)); }, methods: { expandNode(node) { //... }, retractNode(node) { //... }, highlightText(node) { //... }, } }; </script>
若是組件的使用者要向組件添加行爲,須要在父組件中使用 ref,例如:
<template> <tree ref="tree" @click="onClick"></tree> </template> <script> export default { methods: { onClick(node) { this.$refs.tree.retractNode(node); } } }; </script>
這種方法有幾個缺點:
讓咱們看看無渲染插槽如何解決這些問題。
行爲基本上包括證實對事件的反應。因此讓咱們建立一個插槽,用來接收對事件和組件方法的訪問:
<template> <div> <slot name="behavior" :on="on" :actions="actions"> </slot> </div> </template> <script> export default { methods: { expandNode(node) { }, retractNode(node) { }, //... }, computed:{ actions() { const {expandNode, retractNode} = this; return {expandNode, retractNode}; }, on() { return this.$on.bind(this); } } }; </script>
on
屬性是父組件的 $on
方法,所以能夠監聽全部事件。
能夠將行爲實現爲無渲染組件。接下來編寫點擊擴展組件:
export default { props: ['on','action'] render: () => null, created() { this.on("click", (node) => { this.actions.expandNode(node); }); } };
用法:
<tree> <template #behavior="{ on, actions }"> <expand-on-click v-bind="{ on, actions }"/> </template> </tree>
該解決方案的主要優勢是:
例如,經過將圖形組件聲明爲:
<template> <div> <slot name="behavior" :on="on" :actions="actions"> <expand-on-click v-bind="{ on, actions }"/> </slot> </div> </template>
考慮一個懸停突出顯示組件:
export default { props: ['on','action'] render: () => null, created() { this.on("hover", (node) => { this.actions.highlight(node); }); } };
覆蓋標準行爲:
<tree> <template #behavior="{ on, actions }"> <highlight-on-hover v-bind="{ on, actions }"/> </template> </tree>
添加兩個預約義的行爲:
<tree> <template #behavior="{ on, actions }"> <expand-on-click v-bind="{ on, actions }"/> <highlight-on-hover v-bind="{ on, actions }"/> </template> </tree>
做爲行爲的組件是可以自描述的。
on
屬性能夠訪問全部組件事件。默認狀況下,該插槽可以使用新事件。
無渲染插槽提供了一種有趣的解決方案,能夠在組件中公開方法和事件。它們提供了更具可讀性和可重用性的代碼。
能夠在 github 上找到實現此模式的樹組件的代碼:Vue.D3.tree