2

我有这个 HTML:

<ul class="chat_list" data-bind="foreach: chats">
  <li>
    <div class="chat_response" data-bind="visible: CommentList().length == 0">
      <form data-bind="submit: $root.addComment">
        <input class="comment_field" placeholder="Comment…" 
          data-bind="value: NewCommentText" 
        />
      </form>
    </div>            
  </li>
</ul>

和这个JavaScript:

function ChatListViewModel(chats) {

   // var self = this;

    self.chats = ko.observableArray(ko.utils.arrayMap(chats, function (chat) {
        return { CourseItemDescription: chat.CourseItemDescription,
            CommentList: ko.observableArray(chat.CommentList),
            CourseItemID: chat.CourseItemID,
            UserName: chat.UserName,
            ChatGroupNumber: chat.ChatGroupNumber,
            ChatCount: chat.ChatCount,
            NewCommentText: ko.observable("")
        };
    }));

    self.newChatText = ko.observable();

    self.addComment = function (chat) {
        var newComment = { CourseItemDescription: chat.NewCommentText(),
            ParentCourseItemID: chat.CourseItemID,
            CourseID: $.CourseLogic.dataitem.CourseID,
            AccountID: $.CourseLogic.dataitem.AccountID,
            SystemObjectID: $.CourseLogic.dataitem.CommentSystemObjectID,
            SystemObjectName: "Comments",
            UserName: chat.UserName
        };
        chat.CommentList.push(newComment);
        chat.NewCommentText("");
    };
}
ko.applyBindings(new ChatListViewModel(initialData)); 

当我进入调试器时,它显示函数的chat参数addComment()是表单元素而不是聊天对象。

为什么会这样?

4

2 回答 2

5

这是设计使然。来自Knockout.js 文档

如本例所示,KO 将表单元素作为参数传递给您的提交处理函数。如果需要,您可以忽略该参数,但有关何时引用该元素很有用的示例,请参阅ko.postJson 实用程序的文档。

正如Serjio所指出的,您可以使用 currying 将其他参数传递到函数中,或者您可以使用Knockout 的 Unobtrusive Event Processing,它允许您获取与表单元素关联的整个上下文。

self.addComment = function (form) {
    var context = ko.contextFor(form);
    var chat = context.$data;

    //rest of your method here
};
于 2012-07-03T02:54:05.290 回答
5

因为KO行为。要将聊天变量传递给提交处理程序,您可以使用:

<ul class="chat_list" data-bind="foreach: chats">
    <li>
        <div class="chat_response" data-bind="visible: CommentList().length == 0">
            <form data-bind="submit: function(form){$root.addComment($data, form)}">
                <input class="comment_field" placeholder="Comment…" data-bind="value: NewCommentText" />
            </form>
        </div>            
    </li>
</ul>
于 2012-07-03T02:59:34.850 回答