var
calculator = document.calculator;
input1 = calculator.input1;
input2 = calculator.input2;
result = calculator.result;
equals = calculator.equals;
function add(a,b) {
equals.value = a+b;
}
result.addEventListener("click", function() {
add.apply(add, [input1.value, input2.value]);
});
<form name="calculator">
<input type="text" name="input1" /><br />
<input type="text" name="input2" /><br />
<input type="button" name="result" value="result" /><br /><br />
<input type="text" name="equals" readonly="true" />
</form>
It only returns the to numbers together -- not added. For example: 5 + 3 = 53 not 8. How do I fix this??
var
calculator = document.calculator;
input1 = calculator.input1;
input2 = calculator.input2;
result = calculator.result;
equals = calculator.equals;
function add(a,b) {
equals.value = a+b;
}
result.addEventListener("click", function() {
add.apply(add, [input1.value, input2.value]);
});
<form name="calculator">
<input type="text" name="input1" /><br />
<input type="text" name="input2" /><br />
<input type="button" name="result" value="result" /><br /><br />
<input type="text" name="equals" readonly="true" />
</form>
It only returns the to numbers together -- not added. For example: 5 + 3 = 53 not 8. How do I fix this??
Share Improve this question edited Jul 9, 2011 at 7:07 Brock Adams 93.7k23 gold badges241 silver badges305 bronze badges asked Mar 20, 2011 at 12:21 David GDavid G 96.9k41 gold badges172 silver badges258 bronze badges 1- 3 You'll never get 5+3=7. You could get 4+3=7, or 5+2=7. :) – gilly3 Commented Mar 20, 2011 at 13:33
4 Answers
Reset to default 8Use parseFloat(a) + parseFloat(b)
if it's a float type or parseInt(a, 10) + parseInt(b, 10)
for integer type.
Javascript will, by default, always interpret input as strings.
There are a few ways around this, by using the builtin parseXXX() functions or simply by first multiplying the values by 1 as remended by this page.
The problem here is, your code is doing a string concat operation (using +
on strings) on a
and b
.
You need to explicitly specify that, you want addition (using +
on numbers) to be performed on a
and b
.
Change your add function to:
function add(a,b) {
equals.value = Number(a) + Number(b);
}
This is simpler.
Just multiply the values of each input by 1 to convert them to number.
input1 = calculator.input1*1;
input2 = calculator.input2*1;
or subtract a zero
input1 = calculator.input1-0;
input2 = calculator.input2-0;
Note: Thanks Matthew for the tip ;)