0

这是我的 Backbone.js:

(function() {
    window.App = {
        Models: {},
        Collections: {},
        Views: {},
        Router: {}
    };

    window.template = function(id) {
        return _.template( $('#' + id).html() );
    };

    var vent = _.extend({}, Backbone.Events);

    App.Router = Backbone.Router.extend({
        routes: {
            '' : 'index',
            '*other' : 'other'
        },
        index: function() {

        },
        other: function() {

        }
    });


    App.Models.Main = Backbone.Model.extend({
        defaults : {
            FName: ''
        }
    });

    App.Collections.Mains = Backbone.Collection.extend({
        model: App.Models.Main,
        initialize: function() {
            this.fetch({
                success: function(data) {
                    console.log(data.models);
                }
            });
        },
        url: '../leads/main_contact'
    });

    App.Views.Mains = Backbone.View.extend({
        tagName: 'ul',
        initialize: function() {
            this.collection.on('reset', this.render, this);
            console.log(this.collection);
        },
        render: function() {
            return this.collection.each(this.addOne, this);
        },
        addOne: function(main) {
            var mainC = new App.Views.Main({ model: main});
            this.$el.append(mainC.render().el);
            return this;
        }
    });

    App.Views.Main = Backbone.View.extend({
        tagName: 'li',
        template: template('mainContactTemplate'),
        render: function () {
            this.$el.html(this.template(this.model.toJSON()));
            return this;
        }

    });

    mains = new App.Collections.Mains();
    main = new App.Views.Main({ collection: mains});

    new App.Router;
    Backbone.history.start();
})();

我想要做的是将返回的数据ul绑定到一个名为$('#web-leads'). 给定这段代码,我该怎么做?顺便说一句,我已经在此处发布了有关此内容的信息,并尝试将第一个答案和第二个答案结合起来。但我仍然没有将 HTML 和数据绑定到 DOM。数据在我的集合中正确地从服务器返回,所以我知道这不是问题。不用担心路由器的东西。那是为了以后。

4

1 回答 1

2

通常,在 Backbone 中,您不会将数据放在 DOM 元素上:您将其放在包装该 DOM 元素的视图中。

话虽这么说,如果你真的想在元素上存储数据,jQuery 有一个功能:

$('#web-leads').data('someKey', 'yourData');

然后,您可以使用以下方法检索该数据:

$('#web-leads').data('someKey');

* 编辑 *

在与 OP 的评论讨论中,很明显,真正的目标只是将视图元素附加到页面上的元素。如果要附加到的元素是#web-leads,那么这可以通过以下方式完成:

$('#web-leads').append(theView.render().el);
于 2013-01-04T21:56:56.433 回答