找到所有陣列中消失的數字
題目描述:給你一個含 n 個整數的陣列 nums ,其中 nums[i] 在區間 [1, n] 內。請你找出所有在 [1, n] 範圍內但沒有出現在 nums 中的數字,並以陣列的形式返回結果。
示例說明請見LeetCode官網。
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。
解法一:雜湊法
首先,將1~n的數字初始化到hashSet裡,然後判斷原陣列nums的元素如果在hashSset裡面,則移除,最後剩下的就是在 [1, n] 範圍內但沒有出現在 nums 中的數字。
解法二:原地演算法
首先,遍歷原陣列,將相應位置的元素對應的索引位置的值標記為負數,最後,再遍歷一次陣列,把非負數挑出來即為在 [1, n] 範圍內但沒有出現在 nums 中的數字
import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;
import java.util.stream.Collectors;
public class LeetCode_448 {
/**
* 雜湊法
*
* @param nums 原陣列
* @return
*/
public static List<Integer> findDisappearedNumbers(int[] nums) {
Set<Integer> numbers = new HashSet<>();
// 將1~n的數字初始化到hashSet裡
for (int i = 1; i <= nums.length; i++) {
numbers.add(i);
}
// 判斷原陣列nums的元素如果在hashSset裡面,則移除,最後剩下的就是在 [1, n] 範圍內但沒有出現在 nums 中的數字
for (int num : nums) {
if (numbers.contains(num)) {
numbers.remove(num);
}
}
return new ArrayList<>(numbers);
}
/**
* 原地演算法
*
* @param nums 原陣列
* @return
*/
public static List<Integer> findDisappearedNumbers2(int[] nums) {
// 遍歷原陣列,將相應位置的元素對應的索引位置的值標記為負數
for (int i = 0; i < nums.length; i++) {
int index = Math.abs(nums[i]);
nums[index - 1] = Math.abs(nums[index - 1]) * -1;
}
// 最後,再遍歷一次陣列,把非負數挑出來即為在 [1, n] 範圍內但沒有出現在 nums 中的數字
List<Integer> result = new ArrayList<>();
for (int i = 0; i < nums.length; i++) {
if (nums[i] > 0) {
result.add(i + 1);
}
}
return result;
}
public static void main(String[] args) {
int[] nums = {4, 3, 2, 7, 8, 2, 3, 1};
// 測試用例,期望輸出: 5,6
System.out.println(findDisappearedNumbers(nums).stream().map(e -> String.valueOf(e)).collect(Collectors.joining(",")));
System.out.println(findDisappearedNumbers2(nums).stream().map(e -> String.valueOf(e)).collect(Collectors.joining(",")));
}
}
【每日寄語】 為人貴在“實”,工作貴在“專”,學習貴在“恆”。