2

我是一个骨干新手,我正在尝试开发一个类似 Todo 的应用程序。

我有一个主视图,它是一个列表视图,它有子视图。- 子视图内容可以双击编辑,当按下回车键时会被保存。- 与主干 github 代码中给出的 todo 示例非常相似。

var SubView = Backbone.View.extend({
    tagName: "li",    
    events: {
        "dblclick"              : "show_edit_view",
        "blur .element"         : "close_edit_view",
        "keypress .element"     : "save_edit_view",
        "click button.remove"   : "remove_question"
    },
    initialize: function(){
        this.render();             
        this.listenTo(this.model, "change", this.render);
    },
    render: function(){        
        this.$el.html(_.template($("#sub_view_template").html(),this.model.toJSON()));
        return this;
    },
    show_edit_view: function() {
        this.$el.find("div.view").addClass("no_show");
        this.$el.find("input").removeClass("no_show");
    },
    close_edit_view: function(){
        this.$el.find("div.view").removeClass("no_show");
        this.$el.find("input").addClass("no_show");
    },
    save_edit_view: function(e){
        if (e.keyCode == 13) {            
            this.model.save({name: e.currentTarget.value});
            this.close_edit_view();
        }
    }
}); 

这个模板是

<script id="sub_view_template" type="text/x-template">
   <div class="view"><%= name %></div>
   <input class="element no_show" value="<%= name %>" type="text" /> <button class="remove">Remove</button>
</script>  

这个工作正常,模型在视图中更新,更新发布请求被发送到服务器。

但是,当我更改初始化和 save_edit_view 函数时,只会触发第一个更改事件,而不是更改事件。

initialize: function(){
    this.render();             
    this.listenTo(this.model, "change", this.render);
    this.input = this.$("input.element");
},
save_edit_view: function(e){
    if (e.keyCode == 13) {            
        this.model.save({name: $(this.input).val()});
        this.close_edit_view();
    }
}

我想知道问题可能是什么?

谢谢你的帮助!!!

4

2 回答 2

1

我猜this.$("input.element");是指列表中的第一项。当您第一次使用第一项的值更改模型值时,它会起作用。但是第二次它不起作用,因为第一项的值仍然相同。这就是为什么您必须从事件中获取输入值 -e.currentTarget.value

于 2013-08-23T06:25:35.977 回答
1

问题是您只指一个对象。这意味着当您进行分配时:

this.input = this.$('input.element'); // match the current elements.

您只能从该确切对象中获取值。在第一个之后changethis.input不是包含您的新值的同一个对象,并且无法save使用新值的模型。

一个可能有帮助的演示:

console.log(this.$('input.element') != this.$('input.element')); // true

这就是为什么以下方法会起作用:

save_edit_view: function(e){
  if (e.keyCode == 13) {            
    this.model.save({name: this.$('input.element').val()});
    this.close_edit_view();
  }
}
于 2013-08-23T08:57:53.377 回答