最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

javascript - Adding a number to an undefined value - Stack Overflow

programmeradmin1浏览0评论

In the JS example:

 var test;

 function test () {
     var t = test + 1;
     alert(t);
 }

I am trying to make a counter but if I set test to 0, it still always gives me 1. I don't know what I am doing wrong. I am activating the function through a button.

In the JS example:

 var test;

 function test () {
     var t = test + 1;
     alert(t);
 }

I am trying to make a counter but if I set test to 0, it still always gives me 1. I don't know what I am doing wrong. I am activating the function through a button.

Share Improve this question edited Mar 2, 2016 at 3:56 Cᴏʀʏ 108k20 gold badges168 silver badges198 bronze badges asked Mar 2, 2016 at 3:45 HawkeyeHawkeye 3771 gold badge4 silver badges14 bronze badges 1
  • What is it that you expect to happen? If you never change test why would you expect anything different to happen? – Pointy Commented Mar 2, 2016 at 3:47
Add a ment  | 

3 Answers 3

Reset to default 7

You should define test as 0 to begin with so that it starts out as an object of type Number. Adding numbers to undefined results in NaN (not-a-number), which won't get you anywhere.

So now to address your issue of why the number never goes past 1, the first mistake is that you actually don't increment the value of test in your code, you just assign the result of temporarily adding 1 to it to t before alert()ing that result. There's no mutation of test here. Use a pre- or post-increment operator or set the result of test + 1 back to test to update it.

Secondly, you should probably not have a function and a local variable named the same, it just confuses things.

Taking all of these into account, we get:

var test = 0; // Now test is a Number

function testIncrementOne() { // name change to prevent clashing/confusing
    var t = ++test;    // pre-increment (adds 1 to test and assigns that result to t)
    // var t = test++; // post-increment (assigns the current value of test to t 
                       // and *then* increments test)
    alert(t);
}

Or just:

 function testIncrementOne() {
    alert(++test);
}

I think what you want is this:

var test = 0;

 function incrementTest() {
     test = test + 1;
     alert(test);
 }

If you aren't in control of test, you might do something like:

// Test if test is a number, if not, convert it
if (typeof test != 'number') {
  test = Number(test);
}

// If conversion resulted in NaN, set to a default
if (isNaN(test) {
  test = 0;
}

// Now it's safe to do addition
test += 1

Of course that is all pretty tedious and can be replaced with:

test = (+test || 0) + 1;
发布评论

评论列表(0)

  1. 暂无评论