更改 Vue.js 示例以使用 ajax

Changing Vue.js example to use ajax

我在我的最新项目中使用 Vue.js,在项目的一部分中,我需要渲染存储在数据库中的树视图 - 我使用 Vue.js 树视图示例作为基础并以正确的格式从我的服务器传来数据。

我找到了一种修改示例以从 js 加载数据的方法,但在它加载数据时,组件已经呈现。当我使用来自服务器的数据预加载 var 时,我检查了数据是否有效。

我将如何更改以从 ajax 开始加载?

我的 js:

Vue.component('item', {
    template: '#item-template',
props: {
    model: Object
},
data: function() {
    return {
        open: false
    }
},
computed: {
    isFolder: function() {
        return this.model.children && this.model.children.length
    }
},
methods: {
    toggle: function() {
        if (this.isFolder) {
            this.open = !this.open
        }
    },
    changeType: function() {
        if (!this.isFolder) {
            Vue.set(this.model, 'children', [])
            this.addChild()
            this.open = true
        }
    }
}
})

var demo = new Vue({
    el: '#demo',
data: {
    treeData: {}
},
ready: function() {
    this.fetchData();
},
methods: {
    fetchData: function() {
        $.ajax({
            url: 'http://example.com/api/categories/channel/treejson',
            type: 'get',
            dataType: 'json',
            async: false,
            success: function(data) {

                var self = this;
                self.treeData = data;

            }
        });
    }
}
})

模板:

<script type="text/x-template" id="item-template">
  <li>
    <div
      :class="{bold: isFolder}"
      @click="toggle"
      @dblclick="changeType">
      @{{model.name}}
      <span v-if="isFolder">[@{{open ? '-' : '+'}}]</span>
    </div>
    <ul v-show="open" v-if="isFolder">
      <item
        class="item"
        v-for="model in model.children"
        :model="model">
      </item>
    </ul>
  </li>
</script>

和 html:

<ul id="demo">
  <item
    class="item"
    :model="treeData">
  </item>
</ul>

问题出在 $.ajax() 调用中。 success 处理程序中 self 的值有错误的值

success: function(data) {
    var self = this;    // this = jqXHR object
    self.treeData = data;
}

使用 context 选项和 this.treeData

$.ajax({
    url: 'http://example.com/api/categories/channel/treejson',
    type: 'get',
    context: this,    // tells jQuery to use the current context as the context of the success handler
    dataType: 'json',
    async: false,
    success: function (data) {
        this.treeData = data;
    }
});

或将 var self = this 行移动到 $.ajax();

之前的正确位置
fetchData: function () {
    var self = this;

    $.ajax({
        url: 'http://example.com/api/categories/channel/treejson',
        type: 'get',
        dataType: 'json',
        async: false,
        success: function (data) {
            self.treeData = data;
        }
    });
}