web-dev-qa-db-ja.com

バックボーンコレクションはデータをフェッチしますが、モデルを設定しません

ローカルAPIからBackboneコレクションにデータを入力し、ビューを変更してデータを表示しようとしています。私のコレクションのfetch()呼び出しは成功したようで、データを取得しますが、フェッチ操作はコレクション内のモデルを更新しません。

これは私のモデルとコレクションのために持っているものです:

var Book = Backbone.Model.extend();

var BookList = Backbone.Collection.extend({

    model: Book,
    url: 'http://local5/api/books',

    initialize: function(){
        this.fetch({
            success: this.fetchSuccess,
            error: this.fetchError
        });
    },

    fetchSuccess: function (collection, response) {
        console.log('Collection fetch success', response);
        console.log('Collection models: ', this.models);
    },

    fetchError: function (collection, response) {
        throw new Error("Books fetch error");
    }

});

そして私はこのように私の見解を行いました:

var BookView = Backbone.View.extend({

    tagname: 'li',

    initialize: function(){
        _.bindAll(this, 'render');
        this.model.bind('change', this.render);
    },

    render: function(){
        this.$el.html(this.model.get('author') + ': ' + this.model.get('title'));
        return this;
    }

});

var BookListView = Backbone.View.extend({

    el: $('body'),

    initialize: function(){
        _.bindAll(this, 'render');

        this.collection = new BookList();
        this.collection.bind('reset', this.render)
        this.collection.fetch();

        this.render();
    },

    render: function(){
        console.log('BookListView.render()');
        var self = this;
        this.$el.append('<ul></ul>');
        _(this.collection.models).each(function(item){
            console.log('model: ', item)
            self.appendItem(item);
        }, this);
    }

});

var listView = new BookListView();

そして私のAPIは次のようなJSONデータを返します:

[
    {
        "id": "1",
        "title": "Ice Station Zebra",
        "author": "Alistair MacLaine"
    },
    {
        "id": "2",
        "title": "The Spy Who Came In From The Cold",
        "author": "John le Carré"
    }
]

このコードを実行すると、コンソールで次のようになります。

BookListView.render() app.js:67
Collection fetch success Array[5]
Collection models:  undefined 

これは、フェッチ呼び出しがデータを正常に取得していることを示していますが、モデルにデータを入力していないことを示しています。私がここで間違っていることを誰かに教えてもらえますか?

13
And Finally

fetchSuccess関数にはcollection.modelsではないthis.models

console.log('Collection models: ', collection.models);

@Pappaによる提案を検討してください。

12
user10

BookListコレクションでfetchを2回呼び出しています。1回目は初期化時、もう1回はBookListViewの初期化時です。インスタンス化された瞬間にコレクションにデータを取り込むことは悪い習慣と考えられています。また、initialize呼び出し内でビューを2回レンダリングします。1回は「リセット」イベントに応答し、それから直接ビューを呼び出します。

BookListコレクションから初期化関数を完全に削除し、this.render()の呼び出しを削除することをお勧めします。 BookListViewの初期化呼び出しの最後。

8
Pappa