How to call a function using knockout.js when enter key is pressed.. here is my code below.
ko.bindingHandlers.enterkey = {
init: function (element, valueAccessor, allBindingsAccessor, viewModel) {
var inputSelector = 'input,textarea,select';
$(document).on('keypress', inputSelector, function (e) {
var allBindings = allBindingsAccessor();
$(element).on('keypress', 'input, textarea, select', function (e) {
var keyCode = e.which || e.keyCode;
if (keyCode !== 13) {
alert('a');
return true;
}
var target = e.target;
target.blur();
allBindings.enterkey.call(viewModel, viewModel, target, element);
alert('b');
return false;
});
});
}
};
ko.applyBindings(viewModel);
HTML
<input type="text" data-bind="value:sendMessageText, enterkey: sendMessage" />
ViewModel
function contactsModel(){
var self = this;
self.jid=ko.observable();
self.userName=ko.observable();
self.sendMsgText=ko.observable();
self.sendMessage = function(){
if(self.sendMessageText() == '' )
alert("Enter something in input field");
else{
var message = {
to : self.userName(),
message : self.sendMsgText()
}
self.sentMessages.push(message);
sendMessage(message);
}
}
}
Any idea's about what is wrong here or suggestions for better approach.
And this worked for me, thanks to @DaafVader.
in view:
in javascript:
To put keyup event in your jquery event instead of knockout event reduced the complexity of the knockout viewmodel.
Use the submit binding (http://knockoutjs.com/documentation/submit-binding.html) on the form around your input, that's what it's made for.
Example from the Knockout docs:
It also automatically handles your button if there is one.
This worked for me, thanks to @DaafVader for most of it.
in view
in viewmodel
When you create your own knockout bindingHandler, it is used in the same way as the other bindingHanlders eg:
data-bind="text: myvalue"
so your HTML will need to look something like this
<input type="text" data-bind="value:sendMessageText, valueUpdate: 'afterkeydown', enterkey: sendMessage" />
An important binding to add is the
valueUpdate: 'afterkeydown'
binding. Without this binding when a user types text in the input and hits enter the onblur event is not raised prior toenterkey
binding. This results in the observable returning an unexpected value and not the current text if the input's value is accessed in an action invoked byenterKey
.Another Look at Custom Bindings for KnockoutJS
EDIT
This is what I have used previously on other projects. JsFiddle Demo
No need for a custom binding, just use knockout's keypress event(Knockout docs):
And your function:
JSFiddle example
EDIT: New binding from knockout(3.2.0) : textInput - obviates the need to have a valueUpdate binding.