for 循环不是 运行 通过长度

For loop not running through length

我不知道我做错了什么导致我的 for 循环没有完成我的长度。我正在尝试使用用户输入将二进制转换为十进制,但它不起作用。我有的是

已编辑

var val = $("txtIn").value;
if (cT[1].checked) {
  var bVal = val;
  if (isNaN(bVal)) {
    alert(val + " is not a number. A number is required to run the program.");
  } else if ((val % 1) !== 0) {
    alert(val + " is not an integer. A whole number is required to run the program.");
  } else if (bVal < 0) {
    alert(val + " is not able to convert. Input must be positive integer.");
  } else {
    convertByArrayB(bVal);
  }
  }
  
  function convertByArrayB(bVal) {
    var r, i, j;

    for (i = 0; i < bVal.length; i++) {
      r = bVal.charAt(i);
      if (r !== '1' && r !== '0') {
        alert("You did not enter a valid binary number. Please try again!");
      }

      var nv = parseInt(r, 2);
      
    }

    $("txtOut").value = nv;

  }

我认为您不需要最上面的部分,但安全总比后悔好。预先感谢您的任何帮助。 (顺便说一句,喜欢这个社区)

当您这样做时,您正在循环内更改 bVal

bVal = nv;

因此bVal.length的值在下一次迭代时为undefined,循环停止。

调用parseInt()的代码应该在循环之后,而不是在循环内部。不需要重新分配 bVal,它应该解析 bVal,而不是 r[i]

function convertByArrayB(bVal) {
  var r, i, j;

  for (i = 0; i < bVal.length; i++) {
    r = bVal.charAt(i);
    if (r !== '1' && r !== '0') {
      alert("You did not enter a valid binary number. Please try again!");
      return;
    }
  }
  var nv = parseInt(bVal, 2);

  document.getElementById("txtOut").value = nv;

}

convertByArrayB("101");
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
Result: <input id="txtOut">