Set Input Value From Current Input Textfield On Change Event
I have a table with two input boxes. A and B. I enter something into input A (and also B) and I want it's value to automatically be set to whatever I type into it on change event
Solution 1:
Description
If you want to keep the two input elements in sync on every keystroke you should use jQuery´s .keyup()
and .change()
(for copy and paste) method.
Sample
$("#A1").change(function() {
$("#B1").val($("#A1").val());
});
$("#B1").change(function() {
$("#A1").val($("#B1").val());
});
$("#A1").keyup(function() {
$("#B1").val($("#A1").val());
});
$("#B1").keyup(function() {
$("#A1").val($("#B1").val());
});
jsFiddle Demonstration
More Information
Solution 2:
Try this:
$("#B1").bind("change keyup", function(){
$("#B2").val($(this).val());
});
$("#B2").bind("change keyup", function(){
$("#B1").val($(this).val());
});
This way it will pick up each character and will also get copy-and-paste text using the mouse.
Solution 3:
you can try something like this
$('#A1').change(function(){
$('#B1').val($(this).val());
});
same for the other input
$('#B1').change(function(){
$('#A1').val($(this).val());
});
Solution 4:
Change event for input[type=text] do not work as you would expect them to. It basically checks for the changed value of focus out and then fire the event.
I would recommend using keyup event to copy the value accross. it will be as simple as:
$('#A1').keyup(function(){
$('#B1').val($('#A1').val());
});
Post a Comment for "Set Input Value From Current Input Textfield On Change Event"