在前端日常的業務中,不管是官網、展現頁仍是後臺運營系統都離不開表單,它承載了大部分的數據採集工做。因此如何更好地實現它,是日常工做中的一個重要問題。前端
在應用Vue框架去開發業務時,會將頁面上每一個獨立的可視/可交互區域拆分爲一個組件,再經過多個組件的自由組合來組成新的頁面。例如vue
<template>
<header></header>
...
<content></content>
...
<footer></footer>
</template>
複製代碼
當用戶的某個行爲觸發表單時(例如註冊、創建內容等),指望在頁面中彈出一個From
組件。一般的作法是在template
中填入一個<form>
組件用於開發,並經過控制data
中的UI.isOpen
來對其display
進行控制,例如在當前<template>
組件內開發<register-form>
。git
<template>
<header></header>
...
<content></content>
...
<footer></footer>
...
<register-form v-if="UI.isOpen">
<form-item></form-item>
...
<submit-button></submit-button>
</register-form>
</template>
複製代碼
這樣開發有一點優點,Form
組件與其父組件之間能夠經過prop
以及$emit
方便通訊。可是也會有如下幾個缺陷:github
data
必需要有UI.isOpen
來控制表單,若是存在多個表單時,就會有大量的狀態來維護表單的開關;data
進行重置;爲了解決以上缺陷,而且還能具有方便通訊的優點,本文選擇用Vue.extend
將原有<form>
組件轉化爲method function
,並維護在當前組件的method
中,當用戶觸發時,在頁面中掛載,關閉時自動註銷。api
演示地址:演示實例bash
代碼地址:FatGe githubapp
<template>
<div id="app">
<el-button
type="primary" icon="el-icon-edit-outline"
@click="handleClick"
>註冊</el-button>
</div>
</template>
<script>
import register from './components/register'
import { transform } from './transform'
export default {
name: 'App',
methods: {
register: transform(register),
handleClick () {
this.register({
propsData: { name: '皮鞋' },
done: name => alert(`${name}牛B`)
})
}
}
}
</script>
複製代碼
當<el-button>
的點擊事件觸發時,調用register
方法,將表單組件掛載在頁面中。框架
<template>
<div class="mock" v-if="isVisible">
<div class="form-wrapper">
<i class="el-icon-close close-btn" @click.stop="close"></i>
...<header />
...<content />
<div class="footer">
<el-button
type="primary"
@click="handleClick"
>肯定</el-button>
<el-button
type="primary"
@click="handleClick"
>取消</el-button>
</div>
</div>
</div>
</template>
<script>
export default {
porps: { ... },
data () {
return {
isVisible: true
}
},
watch: {
isVisible (newValue) {
if (!newValue) {
this.destroyElement()
}
}
},
methods: {
handleClick ({ type }) {
const handler = {
close: () => this.close()
}
},
destroyElement () {
this.$destroy()
},
close () {
this.isVisible = false
}
},
mounted () {
document.body.appendChild(this.$el)
},
destroyed () {
this.$el.parentNode.removeChild(this.$el)
}
}
</script>
複製代碼
在APP組件內並未維護<form>
組件的狀態,其打開或關閉只維護在自身的data
中。函數
上述代碼中,最爲關鍵的一步就是transform
函數,它將原有的`組件化