0

基本的に、ノード サーバーに GET 要求を送信して、ブログ投稿を取得してリンクを作成しようとしています。を実行するcollection.fetchと、GET 要求が正常に完了します (ノード サーバーは、正しいオブジェクトを送信していることをログに記録します)。モデルは適切なデータを正常に解析しますが、コレクションを使用しようとすると、空であると表示されます。コードは次のとおりです。

var mdm = mdm || {};

// MODEL
mdm.Post = Backbone.Model.extend({
        parse: function( response ) {
        response.id = response._id;
        console.log(response); // logs the two documents
        return response;
    }
});

// COLLECTION
mdm.Posts = Backbone.Collection.extend({
    model: mdm.Post,
    url: '/api/posts'
});

// MODEL VIEW
mdm.LinkView = Backbone.View.extend({
    template: _.template( $('#link_template').html() ),

    render: function() {
        this.$el.html( this.template( this.model.toJSON() ));
        return this;
    }
});

// COLLECTION VIEW
mdm.LinksView = Backbone.View.extend({
    el: '#link_list',

    initialize: function() {
        this.collection = new mdm.Posts();
        this.collection.fetch({reset: true});
                // makes the request properly, but collection is empty
        this.render();
                // never gets called because the collection is empty
        console.log(this.collection.length); 
                // logs a length of 0
    },

    render: function() {
        // renders collection
    }
});

$(function() {
    new mdm.LinksView();
});

データは送信され、モデルで解析されるため、最終的にコレクションが空になるかどうかはわかりません。どんな助けでも大歓迎です。

4

2 に答える 2

1

ビューにモデルが表示されない理由として最も可能性が高いのは、非同期fetchが完了する前にレンダリングが行われているためです。

以下のようなものがうまくいくでしょう:

mdm.LinksView = Backbone.View.extend({
    el: '#link_list',

initialize: function() {
    this.collection = new mdm.Posts();
    this.listenTo(this.collection, 'reset', this.render);
    this.collection.fetch({reset: true});
}

上記のコードは、イベントのリスナーを設定し、resetイベントが発生したときに関数collectionを実行します。render

successまた、errorハンドラを渡しfetchて render 関数を手動で呼び出すこともできます。

this.collection.fetch({
    success: _.bind(function() { 
        this.render(); }, this)
});

お役に立てれば!

于 2013-11-07T03:57:17.277 に答える
0

@fbynite のコメントによると、問題はfetch非同期であることに関連していました。コレクションビューに次の変更を加えたところ、うまくいきました。

initialize: function() {
    var self = this;
    this.collection = new mdm.Posts();
    this.collection.fetch({reset: true,
        success: function() {
            self.render();
            console.log(self.collection.length);
        }
    });
},

このコードは Backbone チュートリアルからの変更であるため、他のユーザーが同様の問題に遭遇する可能性があります。http://addyosmani.github.io/backbone-fundamentals/#exercise-2-book-library---your-first-restful-backbone.js-app

于 2013-11-07T03:55:34.067 に答える