Hello i have two inputs and when im writing in the first input, with keyup jquery function im writing automatically in the second input field.
But I want to write line instead of space to the second input field when im clicking the spacebar.
For example:
First input: Hello world,
Second input: Hello-world
I have the following code:
$(".firstInput").keyup(function(e) {
val = $(this).val();
if( e.keyCode == 32 ) {
val += "-";
}
$(".secondInput").val( val );
});
Hello i have two inputs and when im writing in the first input, with keyup jquery function im writing automatically in the second input field.
But I want to write line instead of space to the second input field when im clicking the spacebar.
For example:
First input: Hello world,
Second input: Hello-world
I have the following code:
$(".firstInput").keyup(function(e) {
val = $(this).val();
if( e.keyCode == 32 ) {
val += "-";
}
$(".secondInput").val( val );
});
Share
Improve this question
edited Jun 20, 2020 at 9:12
CommunityBot
11 silver badge
asked Feb 13, 2017 at 21:53
ÖzkanÖzkan
1052 silver badges7 bronze badges
3 Answers
Reset to default 8That could be done simply using replace
, like :
$(".secondInput").val( $(this).val().replace(/ /g, "-") );
NOTE : I suggest the use of input
instead of keyup
since it's more efficient when you track the user input.
Hope this helps.
$(".firstInput").on('input', function(e) {
$(".secondInput").val( $(this).val().replace(/ /g, "-") );
});
<script src="https://ajax.googleapis./ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<input class='firstInput' />
<input class='secondInput' />
$(".firstInput").keyup(function(e) {
val = $(this).val();
val = val.replace(/\s/g, '-');
$(".secondInput").val( val );
});
Zakaria Acharki one liner is the least amount of code.. but for anyone starting out it might be pretty hard to grasp. Here is an alternative that is easier for beginners to follow:
$(".firstInput").keyup(function(e) {
//grab the text, note the use of the var keyword to prevent messing with the global scope
var input1 = $(this).val();
// break the string into an array by splitting on the ' '. Then join the array into a string again with '-' as the glue
input1 = input1.split(' ').join('-');
// or use regex, but regex is a whole other language: input1 = input1.replace(/ /g, "-")
//finally place the modified string into its destination
$(".secondInput").val( input1 );
});