Switch Statement, It Does Not Work With Prompt
I just learned switch statements. I was practicing it by building something. When i set the value of variable to a number it works but when i asks the user for a number it always o
Solution 1:
You need to convert the user input from a string to an integer, like so
confirm("You want to learn basic counting?");
var i = prompt("Type any number from where you want to start counting[Between 0 and 10]");
i = parseInt(i); // this makes it an integerswitch(i) {
//...
Solution 2:
The switch
statement performs a strict comparison between the input expression and case expressions. The output of the following would be:
var i = 1;
switch (i) {
case"1":
console.log('String 1');
break;
case1:
console.log('Number 1');
break;
}
// Number 1var j = "1";
switch (j) {
case"1":
console.log('String 1');
break;
case1:
console.log('Number 1');
break;
}
// String 1
The prompt function returns a string so either:
- Change your case statements to
case "1":
,case "2":
- Case the user input to a number using
i = Number(i)
Solution 3:
I know this question had answered before, but I want to add something else. Beside of other answers, you can use the unary plus +. It actually does the same thing as Number(...), but is shorter. In other words, the plus operator + applied to a single value, doesn’t do anything to numbers. But if the operand is not a number, the unary plus converts it into a number.
for instance:
let a = '2';
alert( a + 3); // 23
but
let a = '2';
alert( +a + 3); // 5
so add unary + before prompt in your code:
var i = +prompt("Type any number from where you want to start counting[Between 0 and 10]");
Post a Comment for "Switch Statement, It Does Not Work With Prompt"