原地过滤范围
重要性:4
编写一个函数 filterRangeInPlace(arr, a, b)
,该函数获取一个数组 arr
,并从中删除所有值,除了那些介于 a
和 b
之间的。测试条件为:a ≤ arr[i] ≤ b
。
该函数应该只修改数组。它不应该返回任何东西。
例如
let arr = [5, 3, 8, 1];
filterRangeInPlace(arr, 1, 4); // removed the numbers except from 1 to 4
alert( arr ); // [3, 1]
function filterRangeInPlace(arr, a, b) {
for (let i = 0; i < arr.length; i++) {
let val = arr[i];
// remove if outside of the interval
if (val < a || val > b) {
arr.splice(i, 1);
i--;
}
}
}
let arr = [5, 3, 8, 1];
filterRangeInPlace(arr, 1, 4); // removed the numbers except from 1 to 4
alert( arr ); // [3, 1]