-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path448.找到所有数组中消失的数字.js
47 lines (45 loc) · 1.15 KB
/
448.找到所有数组中消失的数字.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
/*
* @lc app=leetcode.cn id=448 lang=javascript
*
* [448] 找到所有数组中消失的数字
*
* https://leetcode.cn/problems/find-all-numbers-disappeared-in-an-array/description/
*
* algorithms
* Easy (65.75%)
* Likes: 1004
* Dislikes: 0
* Total Accepted: 203.6K
* Total Submissions: 309.6K
* Testcase Example: '[4,3,2,7,8,2,3,1]'
*
* 给你一个含 n 个整数的数组 nums ,其中 nums[i] 在区间 [1, n] 内。请你找出所有在 [1, n] 范围内但没有出现在 nums
* 中的数字,并以数组的形式返回结果。
* 示例 1:
* 输入:nums = [4,3,2,7,8,2,3,1]
* 输出:[5,6]
*
* 示例 2:
* 输入:nums = [1,1]
* 输出:[2]
*
* 提示:
* n == nums.length
* 进阶:你能在不使用额外空间且时间复杂度为 O(n) 的情况下解决这个问题吗? 你可以假定返回的数组不算在额外空间内。
*/
// @lc code=start
/**
* @param {number[]} nums
* @return {number[]}
*/
var findDisappearedNumbers = function (nums) {
const set = new Set(nums);
const arr = [];
for (let i = 1; i <= nums.length; i++) {
if (!set.has(i)) {
arr.push(i);
}
}
return arr;
};
// @lc code=end