Search code examples
javascriptvue.jsvuejs2vue-component

vuejs update parent data from child component


I'm starting to play with vuejs (2.0). I built a simple page with one component in it. The page has one Vue instance with data. On that page I registered and added the component to html. The component has one input[type=text]. I want that value to reflect on the parent (main Vue instance).

How do I correctly update the component's parent data? Passing a bound prop from the parent is not good and throws some warnings to the console. They have something in their doc but it is not working.


Solution

  • Two-way binding has been deprecated in Vue 2.0 in favor of using a more event-driven architecture. In general, a child should not mutate its props. Rather, it should $emit events and let the parent respond to those events.

    In your specific case, you could use a custom component with v-model. This is a special syntax which allows for something close to two-way binding, but is actually a shorthand for the event-driven architecture described above. You can read about it here -> https://v2.vuejs.org/v2/guide/components.html#Form-Input-Components-using-Custom-Events.

    Here's a simple example:

    Vue.component('child', {
      template: '#child',
      
      //The child has a prop named 'value'. v-model will automatically bind to this prop
      props: ['value'],
      methods: {
        updateValue: function (value) {
          this.$emit('input', value);
        }
      }
    });
    
    new Vue({
      el: '#app',
      data: {
        parentValue: 'hello'
      }
    });
    <script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.5.13/vue.js"></script>
    
    <div id="app">
      <p>Parent value: {{parentValue}}</p>
      <child v-model="parentValue"></child>
    </div>
    
    <template id="child">
       <input type="text" v-bind:value="value" v-on:input="updateValue($event.target.value)">
    </template>


    The docs state that

    <custom-input v-bind:value="something" v-on:input="something = arguments[0]"></custom-input>
    

    is equivalent to

    <custom-input v-model="something"></custom-input>
    

    That is why the prop on the child needs to be named value, and why the child needs to $emit an event named input.