0

背景:

我正在对使用带有 Handlebars 的主干.js 作为模板引擎的应用程序进行更改。在更改事件触发后,我需要创建附加到当前 DOM 结构的 html,这基本上只是模型中包含的信息的吐出。这种变化需要适应已经建立的应用程序结构。

问题:

我创建了一个使用 Handlebars 模板和模型来创建 html 的新视图。然后我实例化该视图并调用渲染函数并使用 JQuery 附加输出。我注意到的是,当呈现 html 时,传入的模型是因为 $el 上的属性而不是填写模板(就像我认为应该的那样)。

查看我正在更改:

$.hart.TestView = Backbone.View.extend({
    tagName: "li",
    template: Handlebars.compile($('#templateOne').html()),
    initialize: function () {
        this.model.on('change', function () {
            this.createMoreInfoHtml();
        }, this);
    },
    selectSomething: function () {
        this.$el.removeClass('policies');

        this.createMoreInfoHtml(); //function created for new view stuff
    },
    createMoreInfoHtml: function () {
        var id = this.$el.attr('data-id', this.model.get("ID"));
        $('.info').each(function () {
            if ($(this).parent().attr('data-id') == id 
                $(this).remove();
        });

        var view = new $.hart.NewView(this.model, Handlebars.compile($("#NewTemplate").html()));
        $('h1', this.$el).after(view.render().el);
    },
    render: function () {
        ... //render logic
    }
});

我创建的视图:

$.hart.NewView = Backbone.View.extend({
        initialize: function (model, template) {
            this.model = model;
            this.template = template;
        },
        render: function () {
            this.$el.html(this.template({ info: this.model }));
            this.$el.addClass('.info');
            return this;
        }
    });

Json 是模型:

{
        "PetName":"Asdfasdf", 
        "DateOfBirth":"3/11/2011 12:00:00 AM",      
        "IsSpayNeutered":false, 
        "Sex":"F", 
        "SpeciesID":2, 
        "ID":"ac8a42d2-7fa7-e211-8ef8-000c2964b571"
    }

模板

<script id="NewTemplate" type="text/html">
        <span>Pet Name: </span>
        <span>{{this.PetName}}</span>
    </script>

所以现在的问题是:我做错了什么?为什么模型的属性被创建为 $el 上的属性而不是填充模板?有人可以指导我如何获得我正在寻找的结果吗?

4

1 回答 1

1

让我们跳过杰克注意到的问题。
您创建视图的方式是错误的。当您在初始化函数中获得预期的参数时,它可能会起作用,但它具有您看不到的意外行为。查看视图的构造函数:

var View = Backbone.View = function(options) {
  this.cid = _.uniqueId('view');
  this._configure(options || {});

现在让我们看看这个_configure方法:

_configure: function(options) {
  if (this.options) options = _.extend({}, _.result(this, 'options'), options);
  _.extend(this, _.pick(options, viewOptions));

而且当然...

var viewOptions = ['model', 'collection', 'el', 'id', 'attributes', 'className', 'tagName', 'events'];

好的,我们在这里......基本上,当将模型作为options参数传递时,您传递的是一个带有attributes键的对象(模型的属性)。但是这个attributes键也在视图中用于将属性绑定到它的元素!因此,您注意到的行为。

现在,另一个错误的事情。每次创建新函数时都在编译模板,但也不将其用作单例。将您的模板放在视图中:

$.hart.NewView = Backbone.View.extend({
  template: Handlebars.compile($("#NewTemplate").html(),

并更改视图的创建以使整个工作正常:

new $.hart.NewView({model: this.model});

哦,摆脱这种无用的initialize方法。您只是在做 Backbone 已经在做的事情。

于 2013-04-17T21:43:40.680 回答