TypeError:无法读取 null 的属性“length”,我该如何解决?
2021-07-20
2736
我仍在学习 javascript,为了练习,我正在做 codewars.com 上的一系列练习,但其中一个练习让我遇到了困难。 请求如下: 给定一个整数数组。
返回一个数组,其中第一个元素是正数的数量,第二个元素是负数的总和。
如果输入数组为空或为 null,则返回一个空数组。
对于输入 [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, -11, -12, -13, -14, -15],您应该返回 [10, -65]。
我制作了以下算法,该算法在所有情况下都有效:
function countPositivesSumNegatives(input) {
var arrOutput = []; //declare the final array
var pos = 0; //declare the positive
var neg = 0; //declare the negative
var check, ss;
for (var x = 0; x < input.length; x++){
if(input[x]>0){ pos++; }
else{ neg = neg + input[x] ; }
arrOutput = [pos, neg]
}
return arrOutput;
}
但它返回以下错误:
TypeError: Cannot read property 'length' of null
at countPositivesSumNegatives (test.js:8:29)
at Context.<anonymous> (test.js:39:18)
at processImmediate (internal/timers.js:461:21)
由于这个错误,我无法通过测试。 我该如何解决它,为什么它会给我这个错误?
2个回答
因此,如果我们调用您的函数,输入等于 null / undefined:
function countPositivesSumNegatives(input) { // input = null
var arrOutput = []; // OK
var pos = 0; //OK
var neg = 0; //OK
var check, ss; // OK
for (var x = 0; x < input.length; x++){ // error is here
...
在 JS 中,null 定义为:“表示任何对象值故意缺失的原始值”
因此,当您尝试访问 null 的成员时,JS 将抛出错误,因为 null 没有成员。
您有一个用于检查的变量,但您应该为该检查编写代码,以查看输入是否等于您提到的任何非法值。
一种简单、强力的解决方案是仅检查输入是否等于任何非法值。例如
if (input === null || input === undefined || input === []) return []
在
for
循环之前。
4Bondz
2021-07-20
尝试在“for”循环中使用“input?.length”。
“input”没有“length”属性,因此会出现错误。
function countPositivesSumNegatives(input) {
var arrOutput = [];
var pos = 0;
var neg = 0;
var check, ss;
for (var x = 0; x < input?.length; x++){
if(input[x]>0){ pos++; }
else{ neg = neg + input[x] ; }
arrOutput = [pos, neg]
}
return arrOutput;
}
srWebDev
2021-07-20