Vue项目总结(5)-表单组件基础

表单数据处理是一个项目中的必不可少的内容,编写表单组件是完成复杂项目基础。本文深入整理了Vue制作表单组件的各个方面,为后续制作复杂表单组件打好基础。

处理简单数据类型

基本方法

Vue中用prop从父组件向子组件传递数据。

下面是一个简单的输入组件MyInput.vue,定义了属性message,并且通过v-model指令绑定到了html的input上。

<template>
  <div class="my-input">
    <input v-model="message" />
  </div>
</template>
<script>
export default {
  name: 'MyInput',
  props: ['message'],
  watch: {
    message: function() {
      console.log(this.message)
    }
  }
}
</script>

我们在父组件HelloModel.vue中调用这个组件。

<template>
  <div class="hello">
    <my-input :message="message" />
    <div>message: {{ message }}</div>
  </div>
</template>

<script>
import MyInput from './MyInput'

export default {
  name: 'HelloModel',
  components: { MyInput },
  data() {
    return { message: 'hello' }
  }
}
</script>

程序是可以运行的,但是当修改数据时(属性message的值已经发生变化),Vue会发出warn警告。

[Vue warn]: Avoid mutating a prop directly since the value will be overwritten whenever the parent component re-renders. Instead, use a data or computed property based on the prop's value. Prop being mutated: "message"

而且父组件中的message并不会被修改,这是因为Vue的属性是单向绑定。

所有的 prop 都使得其父子 prop 之间形成了一个单向下行绑定:父级 prop 的更新会向下流动到子组件中,但是反过来则不行。

警告的问题很好解决,把prop的赋值给组件的数据,并且将input绑定到这个数据上(这里在input上用v-model只是想说明v-model不能直接用于简单类型的属性)。

<template>
  <div class="my-input">
    <input v-model="innerMessage" />
  </div>
</template>
<script>
export default {
  name: 'MyInput',
  props: ['message'],
  data() {
    return {
      innerMessage: this.message // 用prop赋值
    }
  },
  watch: {
    innerMessage: function() {
      console.log(this.innerMessage)
    }
  }
}
</script>

如何将修改传递回父组件?捕获input事件,发送给父组件,让父组件自己去去修改。

MyInput.vue添加向父组件发送事件的代码。

<template>
  <div class="my-input">
    <input v-model="innerMessage" @input="input" />
  </div>
</template>
<script>
export default {
  name: 'MyInput',
  props: ['message'],
  data() {
    return {
      innerMessage: this.message // 用prop赋值
    }
  },
  watch: {
    message: function() {
      console.log('myinput.message', this.message)
    },
    innerMessage: function() {
      console.log('myinput.innerMessage', this.innerMessage)
    }
  },
  methods: {
    input: function(event) {
      // 接收事件并转发给父组件,注意参数是html的原始对象
      let newVal = event.target.value
      console.log('myinput.input', newVal)
      this.$emit('input', newVal)
    }
  }
}
</script>

HelloModel.vue添加接收子组件事件的代码。

<template>
  <div class="hello">
    <my-input :message="message" @input="input" />
    <div>message: {{ message }}</div>
  </div>
</template>

<script>
import MyInput from './MyInput'

export default {
  name: 'HelloModel',
  components: { MyInput },
  data() {
    return { message: 'hello' }
  },
  methods: {
    input: function(newVal) {
      // 接收子组件传递的事件,注意参数不是event
      this.message = newVal
      console.log('parent.input', this.message)
    }
  }
}
</script>

用v-model简化代码

既然原生的input可以用v-model实现双向绑定,那么MyInput组件是否也可以支持呢?父组件中使用的时候简化为:

<my-input v-model="message" />

其实是可以的,但是MyInput要做改造,生成新的Myinput2.vue文件。

<template>
  <div class="my-input">
    <!-- 注意:这里不是v-model,改成了单向绑定 -->
    <input :value="value" @input="input" />
  </div>
</template>
<script>
export default {
  name: 'MyInput',
  props: ['value'], // 需要指定名称为value的属性
  methods: {
    input: function(event) {
      // 接收事件并转发给父组件,注意参数是原始event对象
      let newVal = event.target.value
      console.log('myinput.input', newVal, event)
      this.$emit('input', newVal)
    }
  }
}
</script>

生成新的HelloModel2.vue文件。

<template>
  <div class="hello">
    <my-input v-model="message" />
    <div>message: {{ message }}</div>
  </div>
</template>

<script>
import MyInput from './MyInput2'

export default {
  name: 'HelloModel',
  components: { MyInput },
  data() {
    return { message: 'hello' }
  }
}
</script>

参考:

.sync修饰符简化

不进行解释了,直接看代码MyInput3.vueHelloModel.vue

<template>
  <div class="my-input">
    <input :value="value" @input="input" />
  </div>
</template>
<script>
export default {
  name: 'MyInput',
  props: ['value'], // 需要指定名称为value的属性
  methods: {
    input: function(event) {
      let newVal = event.target.value
      console.log('myinput.input', newVal)
      // 和.sync修饰符匹配
      this.$emit('update:value', newVal)
    }
  }
}
</script>
<template>
  <div class="hello">
    <!-- 使用.sync修饰符 -->
    <my-input :value.sync="message" />
    <div>message: {{ message }}</div>
  </div>
</template>

<script>
import MyInput from './MyInput3'

export default {
  name: 'HelloModel',
  components: { MyInput },
  data() {
    return { message: 'hello' }
  }
}
</script>

参考:https://cn.vuejs.org/v2/guide/components-custom-events.html#sync-修饰符

补充说明

v-model.sync能简化表单组件的代码,它们有什么区别吗?

v-model写起来更简洁,应为父组件不需要知道表单组件中的属性名(默认使用value)。但是,如果表单组件中有多个input,那么v-model就无法表示绑定关系,因为.sync要指定表单控件的属性名,就可以解决1对多的绑定问题。

使用v-model时还会碰到一个问题,组件上的 v-model 默认会利用名为 value 的 prop 和名为 input 的事件,但是像单选框、复选框等类型的输入控件可能会将 value attribute 用于不同的目的。定义组件时可以用model 选项避免这样的冲突。

{
  model: {  // 定义model
    prop: 'checked',  // 绑定prop传递的值
    event: 'change'  // 定义触发事件名称
  },
  props: {
    checked: Boolean    // 接受父组件传递的值
  }
}

参考:https://cn.vuejs.org/v2/guide/components-custom-events.html#自定义组件的-v-model

处理对象和数组

前面表单控件的属性都是简单类型,如果直接传递对象或数组会有什么不一样?先看看Vue官网文档里的一句话,然后看例子。

注意在 JavaScript 中对象和数组是通过引用传入的,所以对于一个数组或对象类型的 prop 来说,在子组件中改变这个对象或数组本身将会影响到父组件的状态。

传递引用

MyForm.vue实现一个简单的表单组件,输入姓名和年龄。

<template>
  <div class="my-form">
    <div>
      <label>姓名:
        <input v-model="person.name" />
      </label>
    </div>
    <div>
      <label>年龄:
        <input v-model="person.age" />
      </label>
    </div>
  </div>
</template>
<script>
export default {
  name: 'MyForm',
  //model: { prop: 'person' },
  props: { person: Object },
  watch: {
    person: {
      handler: function() {
        console.log('myform.person', this.person)
      },
      deep: true
    }
  }
}
</script>

HelloModel.vue调用表单组件,传递对象。

<template>
  <div class="hello">
    <div>
      <my-form :person="person" />
    </div>
    <div>
      <div>姓名:{{person.name}}</div>
      <div>年龄:{{person.age}}</div>
    </div>
  </div>
</template>

<script>
import MyForm from './MyForm'

export default {
  name: 'HelloModel',
  components: { MyForm },
  data() {
    return { person: { name: 'hello', age: 20 } }
  }
}
</script>

我们在父子组件中都添加了watch,子组件中并没有抛出修改数据事件,当input中的数据发生变化时,父子组件中都可以监控到(父组件在前)。

这里有个问题:是否可以用v-model传递对象呢?我认为是可以的,但是其实没有意义,因为没有抛出修改事件数据就已经被修改了,v-model要解决问题已经不存在了。

不直接修改父组件数据

如果不希望直接修改父组件的数据怎么办?例如:需要对用户输入的数据进行检查,检查通过后再更改父组件的数据。解决办法是在组件中的控件不直接绑定传入的属性对象,而是创建一个组件内的数据进行绑定,检查通过后再将修改合并到父组件的对象中。

子组件MyForm2.vue

<template>
  <div class="my-form">
    <div>
      <label>姓名:
        <input v-model="innerPerson.name" />
      </label>
    </div>
    <div>
      <label>年龄:
        <input v-model="innerPerson.age" />
      </label>
    </div>
  </div>
</template>
<script>
export default {
  name: 'MyForm',
  props: { person: Object },
  data() {
    return {
      // 复制传入的属性
      innerPerson: JSON.parse(JSON.stringify(this.person))
    }
  },
  methods: {
    result() {
      return this.innerPerson
    }
  }
}
</script>

父组件HelloModel5.vue

<template>
  <div class="hello">
    <div>
      <my-form ref="myForm" :person="person" />
    </div>
    <div>
      <div>姓名:{{person.name}}</div>
      <div>年龄:{{person.age}}</div>
    </div>
    <div>
      <button @click="merge">合并数据</button>
    </div>
  </div>
</template>

<script>
import MyForm from './MyForm2'

export default {
  name: 'HelloModel',
  components: { MyForm },
  data() {
    return { person: { name: 'hello', age: 20 } }
  },
  methods: {
    merge() {
      Object.assign(this.person, this.$refs.myForm.result())
    }
  }
}
</script>

渲染函数(render)

当业务逻辑比较复杂时,我们用渲染函数render编写代码可能更有效,所以下面看看如何用render实现上面的这些功能。

简单类型

<script>
export default {
  name: 'MyInput',
  props: ['value'], // 需要指定名称为value的属性
  methods: {
    input: function(event) {
      let newVal = event.target.value
      // 同时支持v-model和sync
      if (this.$listeners.input) this.$emit('input', newVal)
      if (this.$listeners['update:value']) this.$emit('update:value', newVal)
    }
  },
  render(createElement) {
    const vnodeInput = createElement('input', {
      domProps: { value: this.value }, //这里是domProps,不是props
      on: { input: this.input }
    })
    return createElement('div', { class: 'my-input' }, [vnodeInput])
  }
}
</script>

父组件不需要有任何变化,就不贴在这里了。参照之前的代码,就更容易理解render函数,其实它就是将template变成了javascript代码,Vue的build也是这么干的。这里稍微增加了一点逻辑,就是让这个组件同时支持v-modelsync两种方式。

参考:https://cn.vuejs.org/v2/api/#vm-listeners

对象和数组

<script>
export default {
  name: 'MyForm',
  props: { person: Object },
  data() {
    return {
      innerPerson: JSON.parse(JSON.stringify(this.person))
    }
  },
  methods: {
    result() {
      return this.innerPerson
    }
  },
  render(h) {
    const vnodes = [
      ['姓名:', 'name'],
      ['年龄:', 'age']
    ].map(([label, key]) => {
      return h('div', [
        h('label', [
          label,
          h('input', {
            domProps: { value: this.innerPerson[key] },
            on: { input: event => (this.innerPerson[key] = event.target.value) }
          })
        ])
      ])
    })

    return h('div', { class: 'my-form' }, vnodes)
  }
}
</script>

从渲染函数的角度看,处理对象属性并没有什么特殊的地方。这里虽然只有两个属性,但是特意写成了循环的方式,是要示例一下v-forv-ifrender中的写法。

参考:https://cn.vuejs.org/v2/guide/render-function.html#v-if-和-v-for

总结

通过上面的例子把Vue中和表单处理相关的知识点都整理了一遍,解决一般性的问题应该是够用了。但是,表单处理是一个可以无限复杂的事情,会碰到各种各样的情况,细节非常多,还需不断尝试与研究。

本系列其他文章:

Vue项目总结(1)-基本概念+Nodejs+VUE+VSCode

Vue项目总结(2)-前端独立测试+VUE

Vue项目总结(3)-前后端分离导致的跨域问题分析

Vue项目总结(4)-API+token处理流程

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,445评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,889评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,047评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,760评论 1 276
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,745评论 5 367
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,638评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,011评论 3 398
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,669评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,923评论 1 299
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,655评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,740评论 1 330
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,406评论 4 320
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,995评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,961评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,197评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,023评论 2 350
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,483评论 2 342

推荐阅读更多精彩内容