LeetCode 雜湊表
阿新 • • 發佈:2020-08-03
基礎部分
1. 兩數之和
簡單
給定一個整數陣列 nums
和一個目標值 target
,請你在該陣列中找出和為目標值的那 兩個 整數,並返回他們的陣列下標。
你可以假設每種輸入只會對應一個答案。但是,陣列中同一個元素不能使用兩遍。
示例:
給定 nums = [2, 7, 11, 15], target = 9
因為 nums[0] + nums[1] = 2 + 7 = 9
所以返回 [0, 1]
class Solution { public int[] twoSum(int[] nums, int target) { Map<Integer,Integer> map = new HashMap<>(); for (int i = 0; i < nums.length; i++){ if (map.containsKey(target-nums[i])){ return new int[]{map.get(target-nums[i]), i}; }else { map.put(nums[i], i); } } return new int[]{}; } }
217. 存在重複元素
難度簡單275
給定一個整數陣列,判斷是否存在重複元素。
如果任意一值在陣列中出現至少兩次,函式返回 true
。如果陣列中每個元素都不相同,則返回 false
。
示例 1:
輸入: [1,2,3,1]
輸出: true
示例 2:
輸入: [1,2,3,4]
輸出: false
示例 3:
輸入: [1,1,1,3,3,4,3,2,4,2]
輸出: true
class Solution { public boolean containsDuplicate(int[] nums) { Set<Integer> set = new HashSet<>(); for (int num : nums){ if (set.contains(num)) return true; set.add(num); } return false; } }
594. 最長和諧子序列
簡單
和諧陣列是指一個數組裡元素的最大值和最小值之間的差別正好是1。
現在,給定一個整數陣列,你需要在所有可能的子序列中找到最長的和諧子序列的長度。
示例 1:
輸入: [1,3,2,2,5,2,3,7]
輸出: 5
原因: 最長的和諧陣列是:[3,2,2,2,3].
class Solution { public int findLHS(int[] nums) { Map<Integer,Integer> map = new TreeMap<>(); for (int num : nums) map.put(num, map.getOrDefault(num,0)+1); List<Integer> list = new ArrayList<>(); for (int key : map.keySet()) list.add(key); int res = 0; for (int i = 1; i < list.size(); i++){ res = Math.max(res,list.get(i)-list.get(i-1)==1 ? map.get(list.get(i)) + map.get(list.get(i-1)) : 0); } return res; } }
128. 最長連續序列
困難
給定一個未排序的整數陣列,找出最長連續序列的長度。
要求演算法的時間複雜度為 O(n)。
示例:
輸入: [100, 4, 200, 1, 3, 2]
輸出: 4
解釋: 最長連續序列是 [1, 2, 3, 4]。它的長度為 4。
class Solution {
public int longestConsecutive(int[] nums) {
Set<Integer> set = new HashSet<>();
for (int num : nums) set.add(num);
int res = 0;
for (Integer num : set){
if (set.contains(num+1)) continue;
int number = num - 1, len = 1;
while (set.contains(number)){
len++;
number--;
}
res = Math.max(res, len);
}
return res;
}
}
頻率排序
711,1044,3,726,85,149,535,974,718,381,37,159,336,648,692,594,325,939,76,204,694