# 找到所有数组中消失的数字
- 找到所有数组中消失的数字
来源:力扣(LeetCode) 链接 (opens new window):https://leetcode.cn/problems/find-all-numbers-disappeared-in-an-array 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
# 问题
给你一个含 n 个整数的数组 nums ,其中 nums[i] 在区间 [1, n] 内。请你找出所有在 [1, n] 范围内但没有出现在 nums 中的数字,并以数组的形式返回结果。
输入:nums = [4,3,2,7,8,2,3,1]
输出:[5,6]
# 思路
var findDisappearedNumbers = function (nums) {
const length = nums.length; //n
const map = new Map();
const arr = [];
for (let index = 0; index < length; index++) {
const element = nums[index];
map.set(element, true);
}
// console.log(map);
for (let index = 1; index <= length; index++) {
if (!map.has(index)) {
arr.push(index);
}
}
return arr;
};