VueJS。自定义组件

时间:2017-09-16 21:55:00

标签: vue.js

HTML:

<products-list v-model="product.name" v-on:keyup="productName"></products-list>

JS:

Vue.component('products-list', {
    template:
        `<input class="product_name form-control" contenteditable="true"></input>`,
});

var app = new Vue({
    el: '#app',
    data: {
        items: items,
        product: {
            name: "",
        }
    },
    methods: {
        productName: function() {
            console.log(product.name);
        }
    }
});

当我开始输入输入字段时,我想在控制台中获取此数据,但目前它是空的。我做错了什么?

3 个答案:

答案 0 :(得分:9)

默认情况下,

v-model使用@input事件,因此如果要在自定义组件上使用v-model,则需要向父级发出输入事件。因此,在您的组件中,您只需执行以下操作:

<input class="product_name form-control" @input="$emit('input', $event.target.value)" />

现在在你的父母那里你可以做到:

<products-list v-model="product.name"></products-list>

您可以在此JSFiddle上看到完整的示例:https://jsfiddle.net/7s2ugt11/

答案 1 :(得分:1)

  

在自定义组件中使用v-model有时会导致一些冲突。

或者我们只想将该值用于不同目的。

这就是为什么vue介绍model请看一下。

<!-- Parent Component -->
<div id="app">
  <my-checkbox v-model="checked" value="unchanged"></my-checkbox>{{checked}}
</div>

<!-- Child Component -->
<template id="my_checkbox">
  <div>
   My value is {{value}} <br>
   <input type="checkbox" :value="value" @change="$emit('change', !checked)">  
  </div>
</template>

脚本:

Vue.component('my-checkbox', {
    template: '#my_checkbox',
  model: {
    prop: 'checked',
    event: 'change'
  },
  props: {
    // this allows using the `value` prop for a different purpose
    value: String,
    // use `checked` as the prop which take the place of `value`
    checked: {
      type: Boolean,
      default: false
    }
  },
})

new Vue({
  el: "#app",
  data: {
        checked: null
  },    
})

See it in action

答案 2 :(得分:1)

Vue 3.x发生了重大变化:

BREAKING :在自定义组件上使用时,v-model属性和事件的默认名称已更改:
道具:value-> modelValue;
事件:input-> update:modelValue;

https://v3.vuejs.org/guide/migration/v-model.html

因此,您的子组件为:

<template>
  <input :value="modelValue" @input="$emit('update:modelValue', $event.target.value)" />
</template>

<script>
export default {
  name: "ProductsList",
  props: ['modelValue']
}
</script>

父组件中,您将不会进行任何更改:

<products-list v-model="product.name"></products-list>