Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

[Vue warn]: Invalid prop: type check failed for prop "X". Expected , got String

Given this Vue 2 component:

  Vue.component('read-more', {
    props: {
      'text': String,
      'clamp': {
        type: String,
        default: 'Read More'
      },
      'less': {
        type: String,
        default: 'Read Less'
      },
      'length': {
        type: Number,
        default: 100
      }
    },
    template: `
    <p>
      <span v-if="!show">{{truncate(text)}} <a href="javascript:;" v-if="text.length >= length" @click="toggle()">{{clamp}}</a></span>
      <span v-if="show">{{text}} <a href="javascript:;" @click="toggle()" v-if="text.length >= length">{{less}}</a></span>
    </p>
    `,
    methods: {
      truncate(string) {
        if (string) {
          return string.toString().substring(0, this.length);
        }

        return '';
      },
      toggle() {
        this.show = !this.show;
      },
    },
    data() {
      return {
        show: false,
        counter: this.length,
      };
    },
  });

Usage (HAML):

%read-more{v: {bind: '{text: some_object.property}' }}

Everything works fine but I get Vue warnings for all the declared props:

[Vue warn]: Invalid prop: type check failed for prop "text". Expected , got String.

[Vue warn]: Invalid prop: type check failed for prop "clamp". Expected , got String.

[Vue warn]: Invalid prop: type check failed for prop "less". Expected , got String.

[Vue warn]: Invalid prop: type check failed for prop "length". Expected , got Number.

What am I doing wrong?

EDIT

I've created a fiddle which works just fine: http://jsfiddle.net/oLt9wkxe/8/

In my app though, this component is nested within a few other components. It works perfectly fine but shows these warnings which are annoying!

like image 787
jesal Avatar asked Jul 10 '17 23:07

jesal


1 Answers

This attribute will send a string

myBoolValue=false

This attribute will send a boolean

:myBoolValue="false"

This is forcing the type and raise exception

props: { myBoolValue: Boolean }

This won't complain but you will get a string instead of the boolean value

props: [ "myBoolValue" ]

All my code as recomanded example:

const MyTable = Vue.component("my-table", {
props: {
  myBoolValue: Boolean // Force type
  myStringValue: String,
  myObject: Object
},

<my-table
  ref="otbExpertTable_user"
  :myBoolValue="false"
  v-bind:is-mobile="isMobile"
  v-on:hover-item="hoverItem"
  :myObject=metaUsers
/>
like image 185
profimedica Avatar answered Nov 14 '22 08:11

profimedica