VueJs:Textarea输入绑定

时间:2017-07-09 10:00:30

标签: vue.js vuejs2 vue-component

我试图弄清楚如何从组件中检测textarea值的变化。

对于输入,我们可以简单地使用

<input
  :value="value"
  @input="update($event.target.value)"
>

然而,在textarea上,这不会起作用。

我正在使用的是CKEditor组件,当更新父组件(附加到此子组件)的模型值时,它应该更新wysiwyg的内容。

我的Editor组件目前看起来像这样:

<template>
    <div class="editor" :class="groupCss">
        <textarea :id="id" v-model="input"></textarea>
    </div>
</template>

<script>
    export default {
        props: {
            value: {
                type: String,
                default: ''
            },
            id: {
                type: String,
                required: false,
                default: 'editor'
            }
        },
        data() {
            return {
                input: this.$slots.default ? this.$slots.default[0].text : '',
                config: {
                    ...
                }
            }
        },
        watch: {
            input(value) {
                this.update(value);
            }
        },
        methods: {
            update(value) {
                CKEDITOR.instances[this.id].setData(value);
            },
            fire(value) {
                this.$emit('input', value);
            }
        },
        mounted () {
            CKEDITOR.replace(this.id, this.config);
            CKEDITOR.instances[this.id].setData(this.input);
            this.fire(this.input);
            CKEDITOR.instances[this.id].on('change', () => {
                this.fire(CKEDITOR.instances[this.id].getData());
            });
        },
        destroyed () {
            if (CKEDITOR.instances[this.id]) {
                CKEDITOR.instances[this.id].destroy()
            }
        }
    }
</script>

并将其包含在父组件

<html-editor
    v-model="fields.body"
    id="body"
></html-editor>

但是,只要父组件的模型值发生变化 - 它就不会触发观察者 - 实际上不会更新编辑器的窗口。

当父组件的模型update()更新时,我只需要调用fields.body方法。

关于我如何处理它的任何指针?

1 个答案:

答案 0 :(得分:2)

这是一个很难破译的代码,但我要做的是将文本区域和WYSIWYG HTML窗口分解为两个不同的组件,然后让父级同步值,所以:

TextArea组件:

<template id="editor">
  <textarea :value="value" @input="$emit('input', $event.target.value)" rows="10" cols="50"></textarea>
</template>

/**
 *  Editor TextArea
 */
Vue.component('editor', {
  template: '#editor',
  props: {
    value: {
      default: '',
      type: String
    }
  }
});

我在这里所做的就是在输入时将输入发送回父级,我使用输入作为事件名称并使用value作为道具,所以我可以使用v-model编辑。现在我只需要一个所见即所得的窗口来显示代码:

WYSIWYG窗口:

/**
 * WYSIWYG window
 */
Vue.component('wysiwyg', {
  template: `<div v-html="html"></div>`,
  props: {
    html: {
      default: '',
      type: String
    }
  }
}); 

没有什么事情发生,它只是呈现作为道具传递的HTML。

最后,我只需要在组件之间同步值:

<div id="app">
  <wysiwyg :html="value"></wysiwyg>
  <editor v-model="value"></editor>
</div>

new Vue({
  el: '#app',
  data: {
    value: '<b>Hello World</b>'
  }
})

现在,当编辑器更改时,它会将事件发送回父级,后者会更新value,然后在wysiwyg窗口中触发该更改。以下是整个行动:https://jsfiddle.net/Lnpmbpcr/