当前位置:   article > 正文

LeetCode热题100刷题笔记_给定一个数组,某区间的收益为:这段区间的最小值*这段区间所有元素之和,现在需要你

给定一个数组,某区间的收益为:这段区间的最小值*这段区间所有元素之和,现在需要你

哈希

思路:

哈希思路比较简单,就是利用哈希进行查询,判断某个值是否出现过。比较有意思的点是:

数据量范围比较小的情况下,数组完全可以替代哈希,且时间更快。在文档另一篇:代码随想录刷题笔记里面,里面就有大量的例子,想了解的可以去看我的另一篇博文。

哈希常用函数:

  1. put(K key, V value) - 将指定的值与此映射中的指定键相关联。
  2. get(Object key) - 返回指定键关联的值为null(如果此映射不包含该键的映射关系)。
  3. remove(Object key) - 移除此映射中给定键的映射关系(如果存在)。
  4. containsKey(Object key) - 如果此映射包含指定键的映射关系,则返回true。
  5. containsValue(Object value) - 如果此映射包含指定值的映射关系,则返回true。
  6. size() - 返回此映射中的键-值映射关系的数量。
  7. isEmpty() - 如果此映射不包含键-值映射关系,则返回true。
  8. clear() - 移除此映射中的所有映射关系。
  9. values() - 返回此映射中的值的集合视图。

两数之和(LeetCode1)

一边统计一边遍历

  1. class Solution {
  2. public int[] twoSum(int[] nums, int target) {
  3. int res[]=new int [2];
  4. Map<Integer,Integer> map=new HashMap<Integer,Integer>();
  5. for(int i=0;i<nums.length;i++){
  6. if(map.containsKey(target-nums[i])){
  7. res[0]=i;
  8. res[1]=map.get(target-nums[i]);
  9. return res;
  10. }
  11. map.put(nums[i],i);
  12. }
  13. return res;
  14. }
  15. }

字符异位词分组(LeetCode49)

将字符串转化为数组排序后,将数组作为键存入哈希。

  1. class Solution {
  2. public List<List<String>> groupAnagrams(String[] strs) {
  3. Map<String, List<String>> map = new HashMap<String, List<String>>();
  4. for (String str : strs) {
  5. char[] array = str.toCharArray();
  6. Arrays.sort(array);
  7. String key = new String(array);
  8. List<String> list = map.getOrDefault(key, new ArrayList<String>());
  9. list.add(str);
  10. map.put(key, list);
  11. }
  12. return new ArrayList<List<String>>(map.values());
  13. }
  14. }

最长连续序列(LeetCode 128)

直接用数组解决即可,数组长度为0直接返回0

  1. class Solution {
  2. public int longestConsecutive(int[] nums) {
  3. if(nums.length==0) return 0;
  4. Arrays.sort(nums);
  5. int max=1;
  6. int num=1;
  7. for(int i=1;i<nums.length;i++){
  8. if(nums[i]==nums[i-1]+1) num++;
  9. else if(nums[i]==nums[i-1]) continue;
  10. else num=1;
  11. max=Math.max(num,max);
  12. }
  13. return max;
  14. }
  15. }

双指针

思路:

如何判断一道算法题能不能用双指针做?

  1. 问题类型:双指针法通常用于解决数组或链表类的问题,如查找、排序、去重等。如果题目要求解决的问题属于这些类型,那么可以考虑使用双指针法。

  2. 有序性:双指针法通常适用于有序或部分有序的数组或链表。如果题目中的数据具有明显的有序性,那么可以考虑使用双指针法。

  3. 重复元素:双指针法通常适用于存在重复元素的情况。如果题目中的数据存在重复元素,那么可以考虑使用双指针法。

  4. 循环关系:在问题中寻找是否存在某种循环关系,例如两个指针分别从头部和尾部向中间移动,或者两个指针分别从某个位置向两侧移动。这种循环关系是双指针法的基础。如果题目中存在这样的循环关系,那么可以考虑使用双指针法。

  5. 边界条件:在使用双指针法时,需要考虑边界条件。例如,当两个指针相遇时,需要判断是否已经找到答案;当两个指针交叉时,需要判断是否需要继续移动指针等。如果题目中的边界条件清晰明确,那么可以考虑使用双指针法。

 常考题型

双指针题型主要出现在数组中,以下是一些常见的双指针题型:

  1. 快慢指针:这是双指针中最常用的一种形式,一般用于解决链表中的环问题。(删除链表倒数第几个节点)
  2. 左右指针:两个指针相向而行,直到中间相遇。此类问题的熟练使用需要一定的经验积累。(数字之和问题)
  3. 二分查找:这是一种在有序数组中查找某一特定元素的搜索算法。
  4. 盛最多水的容器:这是一个经典的双指针问题,找出由非负整数构成的坐标系中,可以盛放多少水的容器。

移动零(LeetCode283)

先把数字都移动到前面,移动完了后面补0

  1. class Solution {
  2. public void moveZeroes(int[] nums) {
  3. int j=0;
  4. for(int i=0;i<nums.length;i++){
  5. if(nums[i]!=0) nums[j++]=nums[i];
  6. }
  7. for(int i=j;i<nums.length;i++){
  8. nums[i]=0;
  9. }
  10. }
  11. }

三数之和(LeetCode15)

一次遍历找target,然后在这个点的右边进行双指针,注意去重

  1. class Solution {
  2. public List<List<Integer>> threeSum(int[] nums) {
  3. List<List<Integer>> result = new ArrayList<>();
  4. Arrays.sort(nums);
  5. // a = nums[i], b = nums[left], c = nums[right]
  6. for (int i = 0; i < nums.length; i++) {
  7. if (nums[i] > 0) {
  8. return result;
  9. }
  10. if (i > 0 && nums[i] == nums[i - 1]) { // 去重a
  11. continue;
  12. }
  13. int left = i + 1;
  14. int right = nums.length - 1;
  15. while (right > left) {
  16. int sum = nums[i] + nums[left] + nums[right];
  17. if (sum > 0) {
  18. right--;
  19. } else if (sum < 0) {
  20. left++;
  21. } else {
  22. result.add(Arrays.asList(nums[i], nums[left], nums[right]));
  23. while (right > left && nums[right] == nums[right - 1]) right--;
  24. while (right > left && nums[left] == nums[left + 1]) left++;
  25. right--;
  26. left++;
  27. }
  28. }
  29. }
  30. return result;
  31. }
  32. }

盛最多水的容器(LeetCode11)

利用双指针,盛水的多少与最低的板有关,哪边的板低就移动哪边

  1. class Solution {
  2. public int maxArea(int[] height) {
  3. int n=height.length;
  4. int l=0,r=n-1;
  5. int res=0;
  6. while(l<r){
  7. res=Math.max(res,Math.min(height[l],height[r])*(r-l));
  8. if(height[r]<height[l]) r--;
  9. else l++;
  10. }
  11. return res;
  12. }
  13. }

滑动窗口

思路:

如何判断一道算法题能不能用滑动窗口做?

判断一道算法题能否使用滑动窗口算法的解决,主要看以下几个关键要素:

  1. 问题能否用数组或字符串的形式表示。滑动窗口算法适用于处理数组或字符串的问题。
  2. 问题是否可以抽象为寻找连续子数组或子字符串的问题。这是因为滑动窗口算法的基本思想就是维护一个大小固定的窗口,在数组或字符串上不断移动,然后更新答案。
  3. 问题的最优解是否可以通过比较相邻元素得到。许多滑动窗口题目都涉及到比较窗口内元素与外界元素的关系,以确定下一步的操作。
  4. 是否存在重复子问题。由于滑动窗口算法利用了“以空间换时间”的策略,将嵌套循环的时间复杂度优化为了线性时间复杂度,因此如果一个问题具有大量的重复子问题,那么它就非常适合使用滑动窗口算法来解决

无重复字符的最长子串(LeetCode3)

使用双指针的同时,需要用哈希表来维护窗口,这里需要知道重复字母的位置,所以必须用map而不是set.left = Math.max(left,map.get(s.charAt(i)) + 1);不能回头,因为我们无法感知字符串之内出现重复的情况:如abba。

  1. class Solution {
  2. public int lengthOfLongestSubstring(String s) {
  3. if (s.length()==0) return 0;
  4. HashMap<Character, Integer> map = new HashMap<Character, Integer>();
  5. int max = 0;
  6. int left = 0;
  7. for(int i = 0; i < s.length(); i ++){
  8. if(map.containsKey(s.charAt(i))){
  9. left = Math.max(left,map.get(s.charAt(i)) + 1);
  10. }
  11. map.put(s.charAt(i),i);
  12. max = Math.max(max,i-left+1);
  13. }
  14. return max;
  15. }
  16. }

找到字符串中所有字母异位词(LeetCode438)

字符匹配题,往往可以用字符串来模拟哈希

  1. class Solution {
  2. public List<Integer> findAnagrams(String s, String p) {
  3. int sLen = s.length(), pLen = p.length();
  4. if (sLen < pLen) {
  5. return new ArrayList<Integer>();
  6. }
  7. List<Integer> ans = new ArrayList<Integer>();
  8. int[] sCount = new int[26];
  9. int[] pCount = new int[26];
  10. for (int i = 0; i < pLen; ++i) {
  11. ++sCount[s.charAt(i) - 'a'];
  12. ++pCount[p.charAt(i) - 'a'];
  13. }
  14. if (Arrays.equals(sCount, pCount)) {
  15. ans.add(0);
  16. }
  17. for (int i = 0; i < sLen - pLen; ++i) {
  18. --sCount[s.charAt(i) - 'a'];
  19. ++sCount[s.charAt(i + pLen) - 'a'];
  20. if (Arrays.equals(sCount, pCount)) {
  21. ans.add(i + 1);
  22. }
  23. }
  24. return ans;
  25. }
  26. }

存在重复元素II(LeetCode219)

注意k比数组长度大的情况,用滑动窗口,滑动窗口的大小为K+1

  1. class Solution {
  2. public boolean containsNearbyDuplicate(int[] nums, int k) {
  3. Set<Integer> set=new HashSet<>();
  4. for(int i=0;i<=Math.min(nums.length-1,k);i++){
  5. if(set.contains(nums[i])) return true;
  6. else set.add(nums[i]);
  7. }
  8. for(int i=k+1,j=0;i<nums.length;i++){
  9. set.remove(nums[j++]);
  10. if(set.contains(nums[i])) return true;
  11. else set.add(nums[i]);
  12. }
  13. return false;
  14. }
  15. }

 重复DNA序列(LeetCode187)

把长度为10的字符串看作是大的键值即可,用哈希

  1. class Solution {
  2. static final int L = 10;
  3. public List<String> findRepeatedDnaSequences(String s) {
  4. List<String> ans = new ArrayList<String>();
  5. Map<String, Integer> cnt = new HashMap<String, Integer>();
  6. int n = s.length();
  7. for (int i = 0; i <= n - L; ++i) {
  8. String sub = s.substring(i, i + L);
  9. cnt.put(sub, cnt.getOrDefault(sub, 0) + 1);
  10. if (cnt.get(sub) == 2) {
  11. ans.add(sub);
  12. }
  13. }
  14. return ans;
  15. }
  16. }

 子串

单调队列

思路

  1. 判断问题类型:首先需要明确问题类型,判断是否适合使用单调队列。单调队列适用于一些需要维护单调性的问题,例如区间最小值、最大最小值等。

  2. 分析数据结构:如果问题类型适合使用单调队列,需要进一步分析数据结构。单调队列通常用于处理数组或链表等线性数据结构,因此需要判断题目中的数据结构是否符合要求。

  3. 判断是否有单调性:单调队列的核心思想是维护数据的单调性,因此需要判断题目中是否存在单调性。如果存在单调性,可以考虑使用单调队列来优化算法。

  4. 判断是否需要频繁查询最大值或最小值:单调队列通常用于频繁查询最大值或最小值的情况,因此需要判断题目中是否需要频繁进行这种查询操作。

常考题型

  1. 区间最小值问题:这是单调队列的一种常见应用,可以通过维护一个单调递减的队列来求解。

  2. 寻找最大最小值:单调队列可以用来优化查找最大最小值的时间复杂度,时间复杂度小于O(n),但大于O(1)。

  3. 滑动窗口问题:利用单调队列,我们可以解决一些复杂的滑动窗口问题。

  4. 动态规划问题:在某些特定的动态规划问题中,单调队列可以作为优化手段,降低时间复杂度。

  5. 字符串处理问题:在处理某些涉及到字符数组或字符串的问题时,可以利用单调队列的性质来简化问题解决过程。

解题模板

单调栈

常见模型:找出每个数左边离它最近的比它大/小的数

  1. int tt = 0;
  2. for (int i = 1; i <= n; i ++ )
  3. {
  4. while (tt && check(stk[tt], i)) tt -- ;
  5. stk[ ++ tt] = i;
  6. }

单调队列

常见模型:找出滑动窗口中的最大值/最小值

  1. int hh = 0, tt = -1;
  2. for (int i = 0; i < n; i ++ )
  3. {
  4. while (hh <= tt && check_out(q[hh])) hh ++ ; // 判断队头是否滑出窗口
  5. while (hh <= tt && check(q[tt], i)) tt -- ;
  6. q[ ++ tt] = i;
  7. }

滑动窗口最大值(Leetcode 239)

单调队列:(比队尾大或小右边界拉框,长度超了左边界拉框)

  1. class Solution {
  2. public int[] maxSlidingWindow(int[] nums, int k) {
  3. int l=0,r=-1;
  4. int[] q = new int[100005];
  5. int [] res = new int[nums.length-k+1];
  6. for(int i=0;i<nums.length;i++) {
  7. while(l<=r&&q[l]+k-1<i) {
  8. l++;
  9. }
  10. while(l<=r&&nums[q[r]]<=nums[i]) {
  11. r--;
  12. }
  13. q[++r] = i;
  14. if(i>=k-1) {
  15. res[i-k+1]=nums[q[l]];
  16. }
  17. }
  18. return res;
  19. }
  20. }

最大子数组和(LeetCode53)

本题用dp即可

  1. public class Solution {
  2. public int maxSubArray(int[] nums) {
  3. int len = nums.length;
  4. // dp[i] 表示:以 nums[i] 结尾的连续子数组的最大和
  5. int[] dp = new int[len];
  6. dp[0] = nums[0];
  7. for (int i = 1; i < len; i++) {
  8. if (dp[i - 1] > 0) {
  9. dp[i] = dp[i - 1] + nums[i];
  10. } else {
  11. dp[i] = nums[i];
  12. }
  13. }
  14. // 也可以在上面遍历的同时求出 res 的最大值,这里我们为了语义清晰分开写,大家可以自行选择
  15. int res = dp[0];
  16. for (int i = 1; i < len; i++) {
  17. res = Math.max(res, dp[i]);
  18. }
  19. return res;
  20. }
  21. }

合并区间 (LeetCode56)

先将左端点排序,然后从第二个开始,如果后一个的左端点小于前一个的右端点,那么就可以合并,再比较右边看需不需要更新范围。

  1. class Solution {
  2. public int[][] merge(int[][] intervals) {
  3. if (intervals.length == 0) {
  4. return new int[0][2];
  5. }
  6. Arrays.sort(intervals, new Comparator<int[]>() {
  7. public int compare(int[] interval1, int[] interval2) {
  8. return interval1[0] - interval2[0];
  9. }
  10. });
  11. List<int[]> merged = new ArrayList<int[]>();
  12. for (int i = 0; i < intervals.length; ++i) {
  13. int L = intervals[i][0], R = intervals[i][1];
  14. if (merged.size() == 0 || merged.get(merged.size() - 1)[1] < L) {
  15. merged.add(new int[]{L, R});
  16. } else {
  17. merged.get(merged.size() - 1)[1] = Math.max(merged.get(merged.size() - 1)[1], R);
  18. }
  19. }
  20. return merged.toArray(new int[merged.size()][]);
  21. }
  22. }

轮转数组(LeetCode189)

和翻转字符串一样,所有翻转都是一个方法。就是把原数组或子串翻倍截取

  1. class Solution {
  2. public void rotate(int[] nums, int k) {
  3. int len =nums.length;
  4. int[] arr=new int[2*len];
  5. for(int i=0;i<2*len;i++){
  6. arr[i]=nums[i%len];
  7. }
  8. k=k%len;
  9. for(int i=len-k,j=0;i<2*len-k;i++,j++){
  10. nums[j]=arr[i];
  11. }
  12. }
  13. }

除自身以外数组的乘积(LeetCode238)

  1. //两个数组,分布存该数字左边货右边的乘积,优化方案就是把右边的乘积
  2. //在遍历时顺便做了,复杂度降低到O(1)
  3. class Solution {
  4. public int[] productExceptSelf(int[] nums) {
  5. int length = nums.length;
  6. int[] answer = new int[length];
  7. // answer[i] 表示索引 i 左侧所有元素的乘积
  8. // 因为索引为 '0' 的元素左侧没有元素, 所以 answer[0] = 1
  9. answer[0] = 1;
  10. for (int i = 1; i < length; i++) {
  11. answer[i] = nums[i - 1] * answer[i - 1];
  12. }
  13. // R 为右侧所有元素的乘积
  14. // 刚开始右边没有元素,所以 R = 1
  15. int R = 1;
  16. for (int i = length - 1; i >= 0; i--) {
  17. // 对于索引 i,左边的乘积为 answer[i],右边的乘积为 R
  18. answer[i] = answer[i] * R;
  19. // R 需要包含右边所有的乘积,所以计算下一个结果时需要将当前值乘到 R 上
  20. R *= nums[i];
  21. }
  22. return answer;
  23. }
  24. }

缺失的第一个正数(LeetCode41)

如果无时间复杂度要求直接用哈希,但是题目要求实现:求现时间复杂度为 O(n) 并且只使用常数级别额外空间的解决方案。该题使用原地哈希

原地哈希就相当于,让每个数字n都回到下标为n-1的家里。

而那些没有回到家里的就成了孤魂野鬼流浪在外,他们要么是根本就没有自己的家(数字小于等于0或者大于nums.size()),要么是自己的家被别人占领了(出现了重复)。

这些流浪汉被临时安置在下标为i的空房子里,之所以有空房子是因为房子i的主人i+1失踪了(数字i+1缺失)。

因此通过原地构建哈希让各个数字回家,我们就可以找到原始数组中重复的数字还有消失的数字。

  1. //请你实现时间复杂度为 O(n) 并且只使用常数级别额外空间的解决方案
  2. public class Solution {
  3. public int firstMissingPositive(int[] nums) {
  4. int len = nums.length;
  5. for (int i = 0; i < len; i++) {
  6. while (nums[i] > 0 && nums[i] <= len && nums[nums[i] - 1] != nums[i]) {
  7. // 满足在指定范围内、并且没有放在正确的位置上,才交换
  8. // 例如:数值 3 应该放在索引 2 的位置上
  9. swap(nums, nums[i] - 1, i);
  10. }
  11. }
  12. // [1, -1, 3, 4]
  13. for (int i = 0; i < len; i++) {
  14. if (nums[i] != i + 1) {
  15. return i + 1;
  16. }
  17. }
  18. // 都正确则返回数组长度 + 1
  19. return len + 1;
  20. }
  21. private void swap(int[] nums, int index1, int index2) {
  22. int temp = nums[index1];
  23. nums[index1] = nums[index2];
  24. nums[index2] = temp;
  25. }
  26. }

矩阵

矩阵置零(LeetCode73)

用两个数组分别表示行和列进行标记

  1. class Solution {
  2. public void setZeroes(int[][] matrix) {
  3. int m = matrix.length, n = matrix[0].length;
  4. boolean[] row = new boolean[m];
  5. boolean[] col = new boolean[n];
  6. for (int i = 0; i < m; i++) {
  7. for (int j = 0; j < n; j++) {
  8. if (matrix[i][j] == 0) {
  9. row[i] = col[j] = true;
  10. }
  11. }
  12. }
  13. for (int i = 0; i < m; i++) {
  14. for (int j = 0; j < n; j++) {
  15. if (row[i] || col[j]) {
  16. matrix[i][j] = 0;
  17. }
  18. }
  19. }
  20. }
  21. }

螺旋矩阵(LeetCode54)

和常见图的题目一样,标明访问的点和方向模拟即可。

  1. class Solution {
  2. public List<Integer> spiralOrder(int[][] matrix) {
  3. List<Integer> order = new ArrayList<Integer>();
  4. if (matrix == null || matrix.length == 0 || matrix[0].length == 0) {
  5. return order;
  6. }
  7. int rows = matrix.length, columns = matrix[0].length;
  8. boolean[][] visited = new boolean[rows][columns];
  9. int total = rows * columns;
  10. int row = 0, column = 0;
  11. int[][] directions = {{0, 1}, {1, 0}, {0, -1}, {-1, 0}};
  12. int directionIndex = 0;
  13. for (int i = 0; i < total; i++) {
  14. order.add(matrix[row][column]);
  15. visited[row][column] = true;
  16. int nextRow = row + directions[directionIndex][0], nextColumn = column + directions[directionIndex][1];
  17. if (nextRow < 0 || nextRow >= rows || nextColumn < 0 || nextColumn >= columns || visited[nextRow][nextColumn]) {
  18. directionIndex = (directionIndex + 1) % 4;
  19. }
  20. row += directions[directionIndex][0];
  21. column += directions[directionIndex][1];
  22. }
  23. return order;
  24. }
  25. }

旋转图像(LeetCode48)

  1. class Solution {
  2. public void rotate(int[][] matrix) {
  3. int n = matrix.length;
  4. int[][] matrix_new = new int[n][n];
  5. for (int i = 0; i < n; ++i) {
  6. for (int j = 0; j < n; ++j) {
  7. matrix_new[j][n - i - 1] = matrix[i][j];
  8. }
  9. }
  10. for (int i = 0; i < n; ++i) {
  11. for (int j = 0; j < n; ++j) {
  12. matrix[i][j] = matrix_new[i][j];
  13. }
  14. }
  15. }
  16. }

搜索二维矩阵II(LeetCode240)

看到查找从小到到排序,首先想到二分

  1. class Solution {
  2. public boolean searchMatrix(int[][] matrix, int target) {
  3. for (int[] row : matrix) {
  4. int index = search(row, target);
  5. if (index >= 0) {
  6. return true;
  7. }
  8. }
  9. return false;
  10. }
  11. public int search(int[] nums, int target) {
  12. int low = 0, high = nums.length - 1;
  13. while (low <= high) {
  14. int mid = (high - low) / 2 + low;
  15. int num = nums[mid];
  16. if (num == target) {
  17. return mid;
  18. } else if (num > target) {
  19. high = mid - 1;
  20. } else {
  21. low = mid + 1;
  22. }
  23. }
  24. return -1;
  25. }
  26. }

链表

思路

链表的缺点是:无法高效获取长度,无法根据偏移量快速访问元素,这也是经常考察的地方

常见方法:双指针,快慢指针

比如:找出链表倒数第几个节点。(双指针:快指针比慢指针快几步)

           判断链表是否有环(快慢指针:快指针是慢指针的两倍,遇上了就证明有环)

 相交链表(LeetCode160)

遍历两次,长链表指向短链表,长度差也就消除了

  1. public ListNode getIntersectionNode(ListNode headA, ListNode headB) {
  2. if (headA == null || headB == null) return null;
  3. ListNode pA = headA, pB = headB;
  4. while (pA != pB) {
  5. pA = pA == null ? headB : pA.next;
  6. pB = pB == null ? headA : pB.next;
  7. }
  8. return pA;
  9. }

反转链表(LeetCode206)

用两个节点反转(pre和cur)

  1. class Solution {
  2. public ListNode reverseList(ListNode head) {
  3. ListNode cur = head, pre = null;
  4. while(cur != null) {
  5. ListNode tmp = cur.next; // 暂存后继节点 cur.next
  6. cur.next = pre; // 修改 next 引用指向
  7. pre = cur; // pre 暂存 cur
  8. cur = tmp; // cur 访问下一节点
  9. }
  10. return pre;
  11. }
  12. }

回文链表(LeetCode234)

将链表转化为数组再判断是否回文即可

  1. class Solution {
  2. public boolean isPalindrome(ListNode head) {
  3. List<Integer> ar = new ArrayList<Integer>();
  4. ListNode p = head;
  5. while (p != null) {
  6. ar.add(p.val);
  7. p = p.next;
  8. }
  9. for (int i = 0, j = ar.size() - 1; i<j; i++, j--) {
  10. if (ar.get(i)!=ar.get(j)) {
  11. return false;
  12. }
  13. }
  14. return true;
  15. }
  16. }

环形链表(LeetCode141)

经典做法:快慢指针,如果两个指针相遇,那一定有环。

通用解法:哈希表

  1. public class Solution {
  2. public boolean hasCycle(ListNode head) {
  3. Set<ListNode> seen = new HashSet<ListNode>();
  4. while (head != null) {
  5. if (!seen.add(head)) {
  6. return true;
  7. }
  8. head = head.next;
  9. }
  10. return false;
  11. }
  12. }

环形链表II(LeetCode142)

哈希

  1. public class Solution {
  2. public ListNode detectCycle(ListNode head) {
  3. Set<ListNode> set = new HashSet<ListNode>();
  4. while(head!=null) {
  5. if(set.contains(head)) {
  6. return head;
  7. }
  8. set.add(head);
  9. head=head.next;
  10. }
  11. return null;
  12. }
  13. }

合并两个有序链表(LeeCode21)

双指针

  1. class Solution {
  2. public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
  3. ListNode ans = new ListNode(0);
  4. ListNode cur = ans;
  5. while(list1!=null&&list2!=null) {
  6. if(list1.val<=list2.val){
  7. cur.next=list1;
  8. list1=list1.next;
  9. }
  10. else{
  11. cur.next=list2;
  12. list2=list2.next;
  13. }
  14. cur=cur.next;
  15. }
  16. if(list1==null)
  17. cur.next=list2;
  18. else
  19. cur.next=list1;
  20. return ans.next;
  21. }
  22. }

两数相加(LeetCode2)

判断是否为空,为空置0,最后处理一下最高位

  1. class Solution {
  2. public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
  3. ListNode l3=new ListNode(0);
  4. ListNode pa=l3;
  5. int cons=0;
  6. while(l1!=null||l2!=null){
  7. int a=l1==null?0:l1.val;
  8. int b=l2==null?0:l2.val;
  9. pa.next=new ListNode((a+b+cons)%10);
  10. cons=(a+b+cons)/10;
  11. if(l1!=null) l1=l1.next;
  12. if(l2!=null) l2=l2.next;
  13. pa=pa.next;
  14. }
  15. if(cons!=0) pa.next=new ListNode(cons);
  16. return l3.next;
  17. }
  18. }

删除链表的倒数第N个节点(LeetCode19)

快慢指针,开头末尾特殊处理

  1. class Solution {
  2. public ListNode removeNthFromEnd(ListNode head, int n) {
  3. ListNode dummy = new ListNode(0, head);
  4. ListNode first = head;
  5. ListNode second = dummy;
  6. for (int i = 0; i < n; ++i) {
  7. first = first.next;
  8. }
  9. while (first != null) {
  10. first = first.next;
  11. second = second.next;
  12. }
  13. second.next = second.next.next;
  14. ListNode ans = dummy.next;
  15. return ans;
  16. }
  17. }

两两交换链表中的节点(LeetCode24)

递归

  1. class Solution {
  2. public ListNode swapPairs(ListNode head) {
  3. if(head == null || head.next == null){
  4. return head;
  5. }
  6. ListNode next = head.next;
  7. head.next = swapPairs(next.next);
  8. next.next = head;
  9. return next;
  10. }
  11. }

K个一组翻转链表(LeetCode25)

两两交换链表中的节点+反转链表

  1. class Solution {
  2. public ListNode reverseKGroup(ListNode head, int k) {
  3. if (head == null || head.next == null){
  4. return head;
  5. }
  6. //定义一个假的节点。
  7. ListNode dummy=new ListNode(0);
  8. //假节点的next指向head。
  9. // dummy->1->2->3->4->5
  10. dummy.next=head;
  11. //初始化pre和end都指向dummy。pre指每次要翻转的链表的头结点的上一个节点。end指每次要翻转的链表的尾节点
  12. ListNode pre=dummy;
  13. ListNode end=dummy;
  14. while(end.next!=null){
  15. //循环k次,找到需要翻转的链表的结尾,这里每次循环要判断end是否等于空,因为如果为空,end.next会报空指针异常。
  16. //dummy->1->2->3->4->5 若k为2,循环2次,end指向2
  17. for(int i=0;i<k&&end != null;i++){
  18. end=end.next;
  19. }
  20. //如果end==null,即需要翻转的链表的节点数小于k,不执行翻转。
  21. if(end==null){
  22. break;
  23. }
  24. //先记录下end.next,方便后面链接链表
  25. ListNode next=end.next;
  26. //然后断开链表
  27. end.next=null;
  28. //记录下要翻转链表的头节点
  29. ListNode start=pre.next;
  30. //翻转链表,pre.next指向翻转后的链表。1->2 变成2->1。 dummy->2->1
  31. pre.next=reverse(start);
  32. //翻转后头节点变到最后。通过.next把断开的链表重新链接。
  33. start.next=next;
  34. //将pre换成下次要翻转的链表的头结点的上一个节点。即start
  35. pre=start;
  36. //翻转结束,将end置为下次要翻转的链表的头结点的上一个节点。即start
  37. end=start;
  38. }
  39. return dummy.next;
  40. }
  41. //链表翻转
  42. // 例子: head: 1->2->3->4
  43. public ListNode reverse(ListNode head) {
  44. //单链表为空或只有一个节点,直接返回原单链表
  45. if (head == null || head.next == null){
  46. return head;
  47. }
  48. //前一个节点指针
  49. ListNode preNode = null;
  50. //当前节点指针
  51. ListNode curNode = head;
  52. //下一个节点指针
  53. ListNode nextNode = null;
  54. while (curNode != null){
  55. nextNode = curNode.next;//nextNode 指向下一个节点,保存当前节点后面的链表。
  56. curNode.next=preNode;//将当前节点next域指向前一个节点 null<-1<-2<-3<-4
  57. preNode = curNode;//preNode 指针向后移动。preNode指向当前节点。
  58. curNode = nextNode;//curNode指针向后移动。下一个节点变成当前节点
  59. }
  60. return preNode;
  61. }
  62. }

随机链表的复制(LeetCode138)

用哈希表存储

  1. class Solution {
  2. // 创建一个哈希表用于存储原链表节点和复制后的链表节点的映射关系
  3. Map<Node, Node> cachedNode = new HashMap<Node, Node>();
  4. public Node copyRandomList(Node head) {
  5. // 如果原链表为空,则返回空
  6. if (head == null) {
  7. return null;
  8. }
  9. // 如果哈希表中没有当前节点的映射关系,则进行复制操作
  10. if (!cachedNode.containsKey(head)) {
  11. // 创建一个新的节点,值为原节点的值
  12. Node headNew = new Node(head.val);
  13. // 将原节点和新节点的映射关系存入哈希表
  14. cachedNode.put(head, headNew);
  15. // 递归复制原节点的下一个节点,并将结果赋值给新节点的next指针
  16. headNew.next = copyRandomList(head.next);
  17. // 递归复制原节点的随机节点,并将结果赋值给新节点的random指针
  18. headNew.random = copyRandomList(head.random);
  19. }
  20. // 返回哈希表中当前节点对应的复制后的节点
  21. return cachedNode.get(head);
  22. }
  23. }

排序链表(LeetCode148)

归并排序+合并链表

  1. class Solution {
  2. public ListNode sortList(ListNode head) {
  3. return sortList(head, null);
  4. }
  5. public ListNode sortList(ListNode head, ListNode tail) {
  6. if (head == null) {
  7. return head;
  8. }
  9. if (head.next == tail) {
  10. head.next = null;
  11. return head;
  12. }
  13. ListNode slow = head, fast = head;
  14. while (fast != tail) {
  15. slow = slow.next;
  16. fast = fast.next;
  17. if (fast != tail) {
  18. fast = fast.next;
  19. }
  20. }
  21. ListNode mid = slow;
  22. ListNode list1 = sortList(head, mid);
  23. ListNode list2 = sortList(mid, tail);
  24. ListNode sorted = merge(list1, list2);
  25. return sorted;
  26. }
  27. public ListNode merge(ListNode head1, ListNode head2) {
  28. ListNode dummyHead = new ListNode(0);
  29. ListNode temp = dummyHead, temp1 = head1, temp2 = head2;
  30. while (temp1 != null && temp2 != null) {
  31. if (temp1.val <= temp2.val) {
  32. temp.next = temp1;
  33. temp1 = temp1.next;
  34. } else {
  35. temp.next = temp2;
  36. temp2 = temp2.next;
  37. }
  38. temp = temp.next;
  39. }
  40. if (temp1 != null) {
  41. temp.next = temp1;
  42. } else if (temp2 != null) {
  43. temp.next = temp2;
  44. }
  45. return dummyHead.next;
  46. }
  47. }

二叉树

思路

1.递归

先确定遍历顺序再确定操作

不要小瞧这一句话,记住这句话,在后面的题目中细细体会,你就会发现几乎所有题目都是按这个步骤思考的。

2.迭代(队列)

3.层序遍历(深搜,广搜)

模板

1.递归:略

2.迭代遍历:

  1. //前序遍历,后序交换一下左右即可
  2. public class Solution {
  3. public List<Integer> preorderTraversal(TreeNode root) {
  4. Stack<TreeNode> st = new Stack<>();
  5. List<Integer> result = new ArrayList<>();
  6. if (root == null) return result;
  7. st.push(root);
  8. while (!st.isEmpty()) {
  9. TreeNode node = st.pop(); // 中
  10. result.add(node.val);
  11. if (node.right != null) st.push(node.right); // 右(空节点不入栈)
  12. if (node.left != null) st.push(node.left); // 左(空节点不入栈)
  13. }
  14. return result;
  15. }
  16. }
  1. //中序
  2. import java.util.ArrayList;
  3. import java.util.List;
  4. import java.util.Stack;
  5. class TreeNode {
  6. int val;
  7. TreeNode left;
  8. TreeNode right;
  9. TreeNode(int x) { val = x; }
  10. }
  11. public class Solution {
  12. public List<Integer> inorderTraversal(TreeNode root) {
  13. List<Integer> result = new ArrayList<>();
  14. Stack<TreeNode> st = new Stack<>();
  15. TreeNode cur = root;
  16. while (cur != null || !st.isEmpty()) {
  17. if (cur != null) {
  18. st.push(cur);
  19. cur = cur.left;
  20. } else {
  21. cur = st.pop();
  22. result.add(cur.val);
  23. cur = cur.right;
  24. }
  25. }
  26. return result;
  27. }
  28. }

3.层序遍历:

  1. class Solution {
  2. public List<List<Integer>> levelOrder(TreeNode root) {
  3. List<List<Integer>> ret = new ArrayList<List<Integer>>();
  4. if (root == null) {
  5. return ret;
  6. }
  7. Queue<TreeNode> queue = new LinkedList<TreeNode>();
  8. queue.offer(root);
  9. while (!queue.isEmpty()) {
  10. List<Integer> level = new ArrayList<Integer>();
  11. int currentLevelSize = queue.size();
  12. for (int i = 1; i <= currentLevelSize; ++i) {
  13. TreeNode node = queue.poll();
  14. level.add(node.val);
  15. if (node.left != null) {
  16. queue.offer(node.left);
  17. }
  18. if (node.right != null) {
  19. queue.offer(node.right);
  20. }
  21. }
  22. ret.add(level);
  23. }
  24. return ret;
  25. }
  26. }

二叉树的遍历(LeetCode94)

  1. class Solution {
  2. public List<Integer> inorderTraversal(TreeNode root) {
  3. List<Integer> res = new ArrayList<Integer>();
  4. inorder(root, res);
  5. return res;
  6. }
  7. public void inorder(TreeNode root, List<Integer> res) {
  8. if (root == null) {
  9. return;
  10. }
  11. inorder(root.left, res);
  12. res.add(root.val);
  13. inorder(root.right, res);
  14. }
  15. }

二叉树的最大深度(LeetCode104)

递归,每递归一次加一

  1. class Solution {
  2. public int maxDepth(TreeNode root) {
  3. if(root==null) return 0;
  4. return Math.max(maxDepth(root.right),maxDepth(root.left))+1;
  5. }
  6. }

翻转二叉树(LeetCode226)

递归,递归必须明确:终止条件,执行操作,返回值。至于不明白执行操作,想一想这个操作最后是什么就行。

  1. class Solution {
  2. public TreeNode invertTree(TreeNode root) {
  3. if(root==null){
  4. return null;
  5. }
  6. TreeNode tmp=root.right;
  7. root.right=root.left;
  8. root.left=tmp;
  9. invertTree(root.left);
  10. invertTree(root.right);
  11. return root;
  12. }
  13. }

翻转二叉树(LeetCode226)

将左边与右边交换,然后子树左右再交换

  1. class Solution {
  2. public TreeNode invertTree(TreeNode root) {
  3. if(root==null) {
  4. return null;
  5. }
  6. TreeNode tmp = root.right;
  7. root.right = root.left;
  8. root.left = tmp;
  9. invertTree(root.left);
  10. invertTree(root.right);
  11. return root;
  12. }
  13. }

对称二叉树(LeetcCode101)

递归

  1. class Solution {
  2. public boolean isSymmetric(TreeNode root) {
  3. return check(root, root);
  4. }
  5. public boolean check(TreeNode p, TreeNode q) {
  6. if (p == null && q == null) {
  7. return true;
  8. }
  9. if (p == null || q == null) {
  10. return false;
  11. }
  12. return p.val == q.val && check(p.left, q.right) && check(p.right, q.left);
  13. }
  14. }

二叉树的直径(LeetCode543)

直径=节点数-1,求出左右的最大深度即可。

  1. class Solution {
  2. int ans;
  3. public int diameterOfBinaryTree(TreeNode root) {
  4. ans=1;
  5. depth(root);
  6. return ans-1;
  7. }
  8. public int depth(TreeNode root){
  9. if(root==null){
  10. return 0;
  11. }
  12. int L=depth(root.left);
  13. int R=depth(root.right);
  14. ans=Math.max(ans,L+R+1);
  15. return Math.max(L,R)+1;
  16. }
  17. }

二叉树的层序遍历(LeetCode102)
 

广搜,注意要遍历完队列。

  1. class Solution {
  2. public List<List<Integer>> levelOrder(TreeNode root) {
  3. List<List<Integer>> ret = new ArrayList<List<Integer>>();
  4. if (root == null) {
  5. return ret;
  6. }
  7. Queue<TreeNode> queue = new LinkedList<TreeNode>();
  8. queue.offer(root);
  9. while (!queue.isEmpty()) {
  10. List<Integer> level = new ArrayList<Integer>();
  11. int currentLevelSize = queue.size();
  12. for (int i = 1; i <= currentLevelSize; ++i) {
  13. TreeNode node = queue.poll();
  14. level.add(node.val);
  15. if (node.left != null) {
  16. queue.offer(node.left);
  17. }
  18. if (node.right != null) {
  19. queue.offer(node.right);
  20. }
  21. }
  22. ret.add(level);
  23. }
  24. return ret;
  25. }
  26. }

将有序数组转换为二叉搜索树(LeetCode108)

递归

  1. class Solution {
  2. public TreeNode sortedArrayToBST(int[] nums) {
  3. return insert(nums,0,nums.length-1);
  4. }
  5. public TreeNode insert(int[] nums,int l,int r){
  6. if(l>r) return null;
  7. int mid=l+r>>1;
  8. TreeNode root=new TreeNode(nums[mid]);
  9. root.left=insert(nums,l,mid-1);
  10. root.right=insert(nums,mid+1,r);
  11. return root;
  12. }
  13. }

验证二叉搜索树(LeetCode98)

将根节点设置为最大或者最小值,再进行判断

  1. class Solution {
  2. public boolean isValidBST(TreeNode root) {
  3. return isValidBST(root, Long.MIN_VALUE, Long.MAX_VALUE);
  4. }
  5. public boolean isValidBST(TreeNode node, long lower, long upper) {
  6. if (node == null) {
  7. return true;
  8. }
  9. if (node.val <= lower || node.val >= upper) {
  10. return false;
  11. }
  12. return isValidBST(node.left, lower, node.val) && isValidBST(node.right, node.val, upper);
  13. }
  14. }

二叉搜索树中第K小的元素(LeetCode230)

中序遍历结合队列

  1. class Solution {
  2. public int kthSmallest(TreeNode root, int k) {
  3. Deque<TreeNode> stack=new ArrayDeque<TreeNode>();
  4. while(root!=null||!stack.isEmpty()){
  5. while(root!=null){
  6. stack.push(root);
  7. root=root.left;
  8. }
  9. root=stack.pop();
  10. --k;
  11. if(k==0){
  12. break;
  13. }
  14. root=root.right;
  15. }
  16. return root.val;
  17. }
  18. }

二叉树的右视图(LeetCode199)

通过层序遍历找到每一层的最后一个数字。

  1. class Solution {
  2. public List<Integer> rightSideView(TreeNode root) {
  3. List<Integer> list = new ArrayList<>();
  4. Deque<TreeNode> que = new LinkedList<>();
  5. if (root == null) {
  6. return list;
  7. }
  8. que.offerLast(root);
  9. while (!que.isEmpty()) {
  10. int levelSize = que.size();
  11. for (int i = 0; i < levelSize; i++) {
  12. TreeNode poll = que.pollFirst();
  13. if (poll.left != null) {
  14. que.addLast(poll.left);
  15. }
  16. if (poll.right != null) {
  17. que.addLast(poll.right);
  18. }
  19. if (i == levelSize - 1) {
  20. list.add(poll.val);
  21. }
  22. }
  23. }
  24. return list;
  25. }
  26. }

二叉树展开为链表(LeetCode114)

将左边换到右边,右边换到左边的末尾

  1. class Solution {
  2. public void flatten(TreeNode root) {
  3. while (root != null) {
  4. //左子树为 null,直接考虑下一个节点
  5. if (root.left == null) {
  6. root = root.right;
  7. } else {
  8. // 找左子树最右边的节点
  9. TreeNode pre = root.left;
  10. while (pre.right != null) {
  11. pre = pre.right;
  12. }
  13. //将原来的右子树接到左子树的最右边节点
  14. pre.right = root.right;
  15. // 将左子树插入到右子树的地方
  16. root.right = root.left;
  17. root.left = null;
  18. // 考虑下一个节点
  19. root = root.right;
  20. }
  21. }
  22. }
  23. }

从前序与中序遍历序列构造二叉树(LeetCode105)

题解:先判断前序 ,中序 长度是否相等或者为 0 ,再遍历到中序第一个等于根节点的地方,进行递归构
  1. class Solution {
  2. private Map<Integer, Integer> indexMap;
  3. public TreeNode myBuildTree(int[] preorder, int[] inorder, int preorder_left, int preorder_right, int inorder_left, int inorder_right) {
  4. if (preorder_left > preorder_right) {
  5. return null;
  6. }
  7. // 前序遍历中的第一个节点就是根节点
  8. int preorder_root = preorder_left;
  9. // 在中序遍历中定位根节点
  10. int inorder_root = indexMap.get(preorder[preorder_root]);
  11. // 先把根节点建立出来
  12. TreeNode root = new TreeNode(preorder[preorder_root]);
  13. // 得到左子树中的节点数目
  14. int size_left_subtree = inorder_root - inorder_left;
  15. // 递归地构造左子树,并连接到根节点
  16. // 先序遍历中「从 左边界+1 开始的 size_left_subtree」个元素就对应了中序遍历中「从 左边界 开始到 根节点定位-1」的元素
  17. root.left = myBuildTree(preorder, inorder, preorder_left + 1, preorder_left + size_left_subtree, inorder_left, inorder_root - 1);
  18. // 递归地构造右子树,并连接到根节点
  19. // 先序遍历中「从 左边界+1+左子树节点数目 开始到 右边界」的元素就对应了中序遍历中「从 根节点定位+1 到 右边界」的元素
  20. root.right = myBuildTree(preorder, inorder, preorder_left + size_left_subtree + 1, preorder_right, inorder_root + 1, inorder_right);
  21. return root;
  22. }
  23. public TreeNode buildTree(int[] preorder, int[] inorder) {
  24. int n = preorder.length;
  25. // 构造哈希映射,帮助我们快速定位根节点
  26. indexMap = new HashMap<Integer, Integer>();
  27. for (int i = 0; i < n; i++) {
  28. indexMap.put(inorder[i], i);
  29. }
  30. return myBuildTree(preorder, inorder, 0, n - 1, 0, n - 1);
  31. }
  32. }

从中序与后续遍历序列构造二叉树(LeetCode106)

路径总和(LeetCode437)

tagetSum必须为long类型,不然数据量变大会报错。从当前结点开始计算target,然后把下面的节点当作根节点继续开始计算。

  1. class Solution {
  2. public int pathSum(TreeNode root, int targetSum) {
  3. if (root == null) {
  4. return 0;
  5. }
  6. int ret = rootSum(root, targetSum);
  7. ret += pathSum(root.left, targetSum);
  8. ret += pathSum(root.right, targetSum);
  9. return ret;
  10. }
  11. public int rootSum(TreeNode root, long targetSum) {
  12. int ret = 0;
  13. if (root == null) {
  14. return 0;
  15. }
  16. int val = root.val;
  17. if (val == targetSum) {
  18. ret++;
  19. }
  20. ret += rootSum(root.left, targetSum - val);
  21. ret += rootSum(root.right, targetSum - val);
  22. return ret;
  23. }
  24. }

二叉树的最近公共祖先(LeetCode236)

p,q必须分别存在在两个子树中;从上往下找,如果两个子树都搜到了,则返回当前root,否

则,返回搜到的那个子树
  1. class Solution {
  2. public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) {
  3. if(root==null||root==p||root==q) return root;
  4. TreeNode left=lowestCommonAncestor(root.left,p,q);
  5. TreeNode right=lowestCommonAncestor(root.right,p,q);
  6. if(left==null) return right;
  7. if(right==null) return left;
  8. return root;
  9. }
  10. }

二叉树中的最大路径(LeetCode124)

递归比较左右子树的值,返回最大值

  1. class Solution {
  2. int maxSum = Integer.MIN_VALUE;
  3. public int maxPathSum(TreeNode root) {
  4. maxGain(root);
  5. return maxSum;
  6. }
  7. public int maxGain(TreeNode node) {
  8. if (node == null) {
  9. return 0;
  10. }
  11. int leftGain = Math.max(maxGain(node.left), 0);
  12. int rightGain = Math.max(maxGain(node.right), 0);
  13. int priceNewpath = node.val + leftGain + rightGain;
  14. maxSum = Math.max(maxSum, priceNewpath);
  15. return node.val + Math.max(leftGain, rightGain);
  16. }
  17. }

回溯

代码模板

  1. void backtracking(参数) {
  2. if (终止条件:大多数是n=题目给出的最大长度) {
  3. 存放结果;
  4. return;
  5. }
  6. for (选择:本层集合中元素(树中节点孩子的数量就是集合的大小)) {
  7. 处理节点;
  8. backtracking(路径,选择列表); // 递归
  9. 回溯,撤销处理结果
  10. }
  11. }

全排列(Leetcode 46)

  1. class Solution {
  2. public List<List<Integer>> permute(int[] nums) {
  3. List<List<Integer>> res = new ArrayList<>();
  4. int n =nums.length;
  5. List<Integer> output = new ArrayList<>();
  6. for(int num:nums) {
  7. output.add(num);
  8. }
  9. dfs(n,res,output,0);
  10. return res;
  11. }
  12. public void dfs(int n,List<List<Integer>> res,List<Integer> output,int
  13. first) {
  14. if(first==n) {
  15. res.add(new ArrayList<>(output));
  16. return;
  17. }
  18. for(int i=first;i<n;i++) {
  19. Collections.swap(output,first,i);
  20. dfs(n,res,output,first+1);
  21. Collections.swap(output,first,i);
  22. }
  23. }
  24. }

子集(LeetCode 46)

回溯,终止条件:当前索引等于数组长度,循环条件:加入或不加入当前数字

  1. class Solution {
  2. List<Integer> t=new ArrayList<>();
  3. List<List<Integer>> ans=new ArrayList<List<Integer>>();
  4. public List<List<Integer>> subsets(int[] nums) {
  5. back(0,nums);
  6. return ans;
  7. }
  8. public void back(int cur,int[] nums){
  9. if(cur==nums.length){
  10. ans.add(new ArrayList<Integer>(t));
  11. return;
  12. }
  13. t.add(nums[cur]);
  14. back(cur+1,nums);
  15. t.remove(t.size() - 1);
  16. back(cur + 1, nums);
  17. }
  18. }

电话号码的所有组合(LeetCode 17)

  1. class Solution {
  2. public List<String> letterCombinations(String digits) {
  3. List<String> combinations = new ArrayList<String>();
  4. if(digits.length()==0)
  5. return combinations;
  6. Map<Character,String> phoneMap = new HashMap<Character,String>(){
  7. {
  8. put('2',"abc");
  9. put('3',"def");
  10. put('4',"ghi");
  11. put('5',"jkl");
  12. put('6',"mno");
  13. put('7',"pqrs");
  14. put('8',"tuv");
  15. put('9',"wxyz");
  16. }
  17. };
  18. backtrack(combinations,phoneMap,digits,0,new StringBuffer());
  19. return combinations;
  20. }
  21. public void backtrack(List<String> combinations,Map<Character,String>
  22. phoneMap,String dights,int index,StringBuffer combination){
  23. if(index==dights.length()){
  24. combinations.add(combination.toString());
  25. }
  26. else {
  27. char digit = dights.charAt(index);
  28. String letters = phoneMap.get(digit);
  29. for(int i=0;i<letters.length();i++)
  30. {
  31. combination.append(letters.charAt(i))
  32. backtrack(combinations,phoneMap,dights,index+1,combination);
  33. combination.deleteCharAt(index);
  34. }
  35. }
  36. }
  37. }

分割回文串(LeetCode 131)

找出所有回文串,并标记。再回溯

  1. class Solution {
  2. boolean[][] f;
  3. List<List<String>> ret = new ArrayList<List<String>>();
  4. List<String> ans = new ArrayList<String>();
  5. int n;
  6. public List<List<String>> partition(String s) {
  7. n = s.length();
  8. f = new boolean[n][n];
  9. for (int i = 0; i < n; ++i) {
  10. Arrays.fill(f[i], true);
  11. }
  12. for (int i = n - 1; i >= 0; --i) {
  13. for (int j = i + 1; j < n; ++j) {
  14. f[i][j] = (s.charAt(i) == s.charAt(j)) && f[i + 1][j - 1];
  15. }
  16. }
  17. dfs(s, 0);
  18. return ret;
  19. }
  20. public void dfs(String s, int i) {
  21. if (i == n) {
  22. ret.add(new ArrayList<String>(ans));
  23. return;
  24. }
  25. for (int j = i; j < n; ++j) {
  26. if (f[i][j]) {
  27. ans.add(s.substring(i, j + 1));
  28. dfs(s, j + 1);
  29. ans.remove(ans.size() - 1);
  30. }
  31. }
  32. }
  33. }

有效的括号(LeetCode 20)

先将括号放入哈希表,降低查找消耗。左括号就入队,右括号进行匹配,成功就将左括号出队,失败就返回false

  1. class Solution {
  2. private static final Map<Character,Character> map = new HashMap<Character,Character>(){{
  3. put('{','}'); put('[',']'); put('(',')'); put('?','?');
  4. }};
  5. public boolean isValid(String s) {
  6. if(s.length() > 0 && !map.containsKey(s.charAt(0))) return false;
  7. LinkedList<Character> stack = new LinkedList<Character>() {{ add('?'); }};
  8. for(Character c : s.toCharArray()){
  9. if(map.containsKey(c)) stack.addLast(c);
  10. else if(map.get(stack.removeLast()) != c) return false;
  11. }
  12. return stack.size() == 1;
  13. }
  14. }

字符串解码(LeetCode 394)

遇到数字,左括号入栈,右括号出栈。

  1. class Solution {
  2. int ptr;
  3. public String decodeString(String s) {
  4. LinkedList<String> stk = new LinkedList<String>();
  5. ptr = 0;
  6. while (ptr < s.length()) {
  7. char cur = s.charAt(ptr);
  8. if (Character.isDigit(cur)) {
  9. // 获取一个数字并进栈
  10. String digits = getDigits(s);
  11. stk.addLast(digits);
  12. } else if (Character.isLetter(cur) || cur == '[') {
  13. // 获取一个字母并进栈
  14. stk.addLast(String.valueOf(s.charAt(ptr++)));
  15. } else {
  16. ++ptr;
  17. LinkedList<String> sub = new LinkedList<String>();
  18. while (!"[".equals(stk.peekLast())) {
  19. sub.addLast(stk.removeLast());
  20. }
  21. Collections.reverse(sub);
  22. // 左括号出栈
  23. stk.removeLast();
  24. // 此时栈顶为当前 sub 对应的字符串应该出现的次数
  25. int repTime = Integer.parseInt(stk.removeLast());
  26. StringBuffer t = new StringBuffer();
  27. String o = getString(sub);
  28. // 构造字符串
  29. while (repTime-- > 0) {
  30. t.append(o);
  31. }
  32. // 将构造好的字符串入栈
  33. stk.addLast(t.toString());
  34. }
  35. }
  36. return getString(stk);
  37. }
  38. public String getDigits(String s) {
  39. StringBuffer ret = new StringBuffer();
  40. while (Character.isDigit(s.charAt(ptr))) {
  41. ret.append(s.charAt(ptr++));
  42. }
  43. return ret.toString();
  44. }
  45. public String getString(LinkedList<String> v) {
  46. StringBuffer ret = new StringBuffer();
  47. for (String s : v) {
  48. ret.append(s);
  49. }
  50. return ret.toString();
  51. }
  52. }

每日的温度(LeetCode739)

用递增的单调栈,返回的是下标。

  1. class Solution {
  2. public int[] dailyTemperatures(int[] temperatures) {
  3. int length = temperatures.length;
  4. int[] ans = new int[length];
  5. Deque<Integer> stack = new LinkedList<Integer>();
  6. for (int i = 0; i < length; i++) {
  7. int temperature = temperatures[i];
  8. while (!stack.isEmpty() && temperature > temperatures[stack.peek()]) {
  9. int prevIndex = stack.pop();
  10. ans[prevIndex] = i - prevIndex;
  11. }
  12. stack.push(i);
  13. }
  14. return ans;
  15. }
  16. }

数组中的第K个最大元素(LeetCode 215)

利用归并排序的思路,如果mid=k就返回

  1. class Solution {
  2. int quickselect(int[] nums, int l, int r, int k) {
  3. if (l == r) return nums[k];
  4. int x = nums[l], i = l - 1, j = r + 1;
  5. while (i < j) {
  6. do i++; while (nums[i] < x);
  7. do j--; while (nums[j] > x);
  8. if (i < j){
  9. int tmp = nums[i];
  10. nums[i] = nums[j];
  11. nums[j] = tmp;
  12. }
  13. }
  14. if (k <= j) return quickselect(nums, l, j, k);
  15. else return quickselect(nums, j + 1, r, k);
  16. }
  17. public int findKthLargest(int[] _nums, int k) {
  18. int n = _nums.length;
  19. return quickselect(_nums, 0, n - 1, n - k);
  20. }
  21. }

前K个高频元素(LeetCode347)

桶排序

  1. //基于桶排序求解「前 K 个高频元素」
  2. class Solution {
  3. public List<Integer> topKFrequent(int[] nums, int k) {
  4. List<Integer> res = new ArrayList();
  5. // 使用字典,统计每个元素出现的次数,元素为键,元素出现的次数为值
  6. HashMap<Integer,Integer> map = new HashMap();
  7. for(int num : nums){
  8. if (map.containsKey(num)) {
  9. map.put(num, map.get(num) + 1);
  10. } else {
  11. map.put(num, 1);
  12. }
  13. }
  14. //桶排序
  15. //将频率作为数组下标,对于出现频率不同的数字集合,存入对应的数组下标
  16. List<Integer>[] list = new List[nums.length+1];
  17. for(int key : map.keySet()){
  18. // 获取出现的次数作为下标
  19. int i = map.get(key);
  20. if(list[i] == null){
  21. list[i] = new ArrayList();
  22. }
  23. list[i].add(key);
  24. }
  25. // 倒序遍历数组获取出现顺序从大到小的排列
  26. for(int i = list.length - 1;i >= 0 && res.size() < k;i--){
  27. if(list[i] == null) continue;
  28. res.addAll(list[i]);
  29. }
  30. return res;
  31. }
  32. }

贪心算法

通过局部最优,推出整体最优。手动模拟即可,你会不知不觉就用上贪心。

一般解题步骤:

  • 将问题分解为若干个子问题
  • 找出适合的贪心策略
  • 求解每一个子问题的最优解
  • 将局部最优解堆叠成全局最优解

 买卖股票的最佳时机(LeetCode121)

如果知道股票的最低点,问题就迎刃而解了。所以把最低价格记录下来就好了

  1. class Solution {
  2. public int maxProfit(int[] prices) {
  3. int minp=Integer.MAX_VALUE;
  4. int maxp=0;
  5. for(int i=0;i<prices.length;i++){
  6. if(minp>prices[i]) minp=prices[i];
  7. else if(prices[i]-minp>maxp) maxp=prices[i]-minp;
  8. }
  9. return maxp;
  10. }
  11. }

跳跃游戏(LeetCode55)

两道题都是拉框,框的大小: maxl=Math.max(maxl,i+nums[i]);。看框能不能到和能拉几个框

  1. class Solution {
  2. public boolean canJump(int[] nums) {
  3. int maxn=0;
  4. for(int i=0;i<nums.length;i++) {
  5. if(i<=maxn) {
  6. maxn = Math.max(maxn,i+nums[i]);
  7. if(maxn>=nums.length-1) return true;
  8. }
  9. }
  10. return false;
  11. }
  12. }

跳跃游戏II(LeetCode45)

  1. class Solution {
  2. public int jump(int[] nums) {
  3. int count=0,maxl=0;
  4. int end=0;
  5. for(int i=0;i<nums.length-1;i++){
  6. maxl=Math.max(nums[i]+i,maxl);
  7. if(i==end){
  8. end=maxl;
  9. count++;
  10. }
  11. }
  12. return count;
  13. }
  14. }

划分字母区间(LeetCode763)

一次遍历记录每个字母的最后位置,二次遍历记录当前字符串出现字母的最后位置,遍历到末尾就输出

  1. class Solution {
  2. public List<Integer> partitionLabels(String s) {
  3. int[] last = new int[26];
  4. int length = s.length();
  5. for (int i = 0; i < length; i++) {
  6. last[s.charAt(i) - 'a'] = i;
  7. }
  8. List<Integer> partition = new ArrayList<Integer>();
  9. int start = 0, end = 0;
  10. for (int i = 0; i < length; i++) {
  11. end = Math.max(end, last[s.charAt(i) - 'a']);
  12. if (i == end) {
  13. partition.add(end - start + 1);
  14. start = end + 1;
  15. }
  16. }
  17. return partition;
  18. }
  19. }

 动态规划

动态规划解题思路:

基本思路:

确定状态方程

确定初始化

确定遍历顺序

打印结果进行验证

背包问题解题思路:

基本思路:

for(int i=0;i<num;i++)//初次遍历物品

        for(int j=V;)//有限的物品:看还有多少剩余空间;无限个物品:试着用一个物品装满背包(从当前物品体积开始遍历)注意下标不能小于0

详细代码请看文章:

动态规划

动态规划常考题型:

  1. 最长公共子序列问题 给定两个字符串str1和str2,求它们的最长公共子序列的长度。

  2. 编辑距离问题 给定两个字符串str1和str2,将str1转换为str2的最少编辑操作次数。编辑操作包括插入、删除和替换一个字符。

  3. 0-1背包问题 给定一组物品,每个物品有一定的价值和重量,现在有一个容量为W的背包,求在不超过背包容量的情况下,能够装入的物品的最大价值。

  4. 完全背包问题 给定一组物品,每个物品有一定的价值和重量,现在有一个容量为W的背包,求在不超过背包容量的情况下,能够装入的物品的最大价值。与0-1背包问题的区别在于,完全背包问题中每种物品可以无限次装入。

  5. 最长递增子序列问题 给定一个整数数组arr,求它的最长递增子序列的长度。

  6. 最长递减子序列问题 给定一个整数数组arr,求它的最长递减子序列的长度。

  7. 最长回文子串问题 给定一个字符串s,求它的最长回文子串。

  8. 最小编辑距离问题 给定两个字符串str1和str2,求将str1转换为str2所需的最少编辑操作次数。编辑操作包括插入、删除和替换一个字符。

  9. 矩阵链乘法问题 给定一个矩阵链乘法的表达式,求最优的切割方式,使得乘法运算的次数最少。

  10. 背包问题:给定一组物品,每种物品都有自己的重量和价格,在限定的总重量内,如何选择物品使得总价格最高。该问题可以分为01背包问题、完全背包问题和多重背包问题。
  11. 最大子段和问题:给定一个整数数组,求该数组中连续的子数组的最大和。
  12. 最长公共子序列问题:给定两个字符串,求它们的最长公共子序列的长度。
  13. 打家劫舍问题:假设你是一个专业的小偷,计划偷窃沿街的房屋,每家房屋都有一定数量的钱,你需要选择偷窃的房屋,使得偷窃的总金额最大。
  14. 爬阶梯问题:假设你正在爬楼梯,需要n阶你才能到达楼顶。每次你可以爬1或2个台阶,你有多少种不同的方法可以爬到楼顶。
  15. 买卖股票问题:给定一个股票价格数组,你只能选择某一天买入这只股票,并选择在未来的某一个不同的日子卖出该股票。设计一个算法来计算你所能获取的最大利润。
  16. 区间加权最大值问题(多约束):给定一个权值数组和一个值数组,寻找一个子数组,使得该子数组的和最大,且其权值之和最小,同时满足一些额外的约束条件。
  17. 接雨水问题(多约束):给定一个长度为n的直方柱子,计算在雨水下落时,可以接住多少水,同时满足一些额外的约束条件。
  18. 纸牌游戏问题(多约束):给定一个纸牌游戏规则,计算在最优策略下,可以赢得的最大分数,同时满足一些额外的约束条件。

杨辉三角(LeetCode118)

  1. class Solution {
  2. public List<List<Integer>> generate(int numRows) {
  3. List<List<Integer>> ret = new ArrayList<List<Integer>>();
  4. for (int i = 0; i < numRows; ++i) {
  5. List<Integer> row = new ArrayList<Integer>();
  6. for (int j = 0; j <= i; ++j) {
  7. if (j == 0 || j == i) {
  8. row.add(1);
  9. } else {
  10. row.add(ret.get(i - 1).get(j - 1) + ret.get(i - 1).get(j));
  11. }
  12. }
  13. ret.add(row);
  14. }
  15. return ret;
  16. }
  17. }

打家劫舍(LeetCode198)

是否抢第i个取决于:抢第i家豪还是抢i-1家好

  1. class Solution {
  2. public int rob(int[] nums) {
  3. if (nums == null || nums.length == 0) {
  4. return 0;
  5. }
  6. int length = nums.length;
  7. if (length == 1) {
  8. return nums[0];
  9. }
  10. int[] dp = new int[length];
  11. dp[0] = nums[0];
  12. dp[1] = Math.max(nums[0], nums[1]);
  13. for (int i = 2; i < length; i++) {
  14. dp[i] = Math.max(dp[i - 2] + nums[i], dp[i - 1]);
  15. }
  16. return dp[length - 1];
  17. }
  18. }

零钱兑换(LeetCode 322)

装满为止,再进行比较,最后还要进行再次判断是否有效。

  1. class Solution {
  2. public int coinChange(int[] coins, int amount) {
  3. int[] dp=new int[amount+1];
  4. Arrays.fill(dp,amount+1);
  5. dp[0]=0;
  6. for(int i=0;i<coins.length;i++){
  7. for(int j=coins[i];j<=amount;j++){
  8. dp[j]=Math.min(dp[j],dp[j-coins[i]]+1);
  9. }
  10. }
  11. return dp[amount] > amount ? -1 : dp[amount];
  12. }
  13. }

单词拆分(LeetCode139)

拆分问题一般都是枚举字符串的长度,再定义起点。

  1. public class Solution {
  2. public boolean wordBreak(String s, List<String> wordDict) {
  3. Set<String> wordDictSet = new HashSet(wordDict);
  4. boolean[] dp = new boolean[s.length() + 1];
  5. dp[0] = true;
  6. for (int i = 1; i <= s.length(); i++) {
  7. for (int j = 0; j < i; j++) {
  8. if (dp[j] && wordDictSet.contains(s.substring(j, i))) {
  9. dp[i] = true;
  10. break;
  11. }
  12. }
  13. }
  14. return dp[s.length()];
  15. }
  16. }

最长递增子序列(LeetCode300)

找到比自己小的加1,再找到最大值即可

  1. class Solution {
  2. public int lengthOfLIS(int[] nums) {
  3. int res=0;
  4. int[] f=new int[nums.length];
  5. for(int i=0;i<nums.length;i++){
  6. f[i]=1;//只要a[i]一个数
  7. for(int j=0;j<i;j++){
  8. if(nums[j]<nums[i]) f[i]=Math.max(f[i],f[j]+1);
  9. }
  10. res=Math.max(res,f[i]);
  11. }
  12. return res;
  13. }
  14. }

乘积最大子数组(LeetCode152)

乘积问题可以联系最大和的问题,注意负数乘负为正,所以结果就在最大的正数和负数之间产生。

  1. class Solution {
  2. public int maxProduct(int[] nums) {
  3. int length = nums.length;
  4. int[] maxF = new int[length];
  5. int[] minF = new int[length];
  6. System.arraycopy(nums, 0, maxF, 0, length);
  7. System.arraycopy(nums, 0, minF, 0, length);
  8. for (int i = 1; i < length; ++i) {
  9. maxF[i] = Math.max(maxF[i - 1] * nums[i], Math.max(nums[i], minF[i - 1] * nums[i]));
  10. minF[i] = Math.min(minF[i - 1] * nums[i], Math.min(nums[i], maxF[i - 1] * nums[i]));
  11. }
  12. int ans = maxF[0];
  13. for (int i = 1; i < length; ++i) {
  14. ans = Math.max(ans, maxF[i]);
  15. }
  16. return ans;
  17. }
  18. }

分割等和子集(LeetCode416)

用动态规划找到一个子集使得和为数组内所有数值的一半。

  1. class Solution {
  2. public boolean canPartition(int[] nums) {
  3. int n = nums.length;
  4. if (n < 2) {
  5. return false;
  6. }
  7. int sum = 0, maxNum = 0;
  8. for (int num : nums) {
  9. sum += num;
  10. maxNum = Math.max(maxNum, num);
  11. }
  12. if (sum % 2 != 0) {
  13. return false;
  14. }
  15. int target = sum / 2;
  16. if (maxNum > target) {
  17. return false;
  18. }
  19. boolean[][] dp = new boolean[n][target + 1];
  20. for (int i = 0; i < n; i++) {
  21. dp[i][0] = true;
  22. }
  23. dp[0][nums[0]] = true;
  24. for (int i = 1; i < n; i++) {
  25. int num = nums[i];
  26. for (int j = 1; j <= target; j++) {
  27. if (j >= num) {
  28. dp[i][j] = dp[i - 1][j] | dp[i - 1][j - num];
  29. } else {
  30. dp[i][j] = dp[i - 1][j];
  31. }
  32. }
  33. }
  34. return dp[n - 1][target];
  35. }
  36. }

多维动态规划

不同路径(LeetCode62)

当前路径等于两个方块的路径加和

  1. class Solution {
  2. public int uniquePaths(int m, int n) {
  3. int[][] f = new int[m][n];
  4. for (int i = 0; i < m; ++i) {
  5. f[i][0] = 1;
  6. }
  7. for (int j = 0; j < n; ++j) {
  8. f[0][j] = 1;
  9. }
  10. for (int i = 1; i < m; ++i) {
  11. for (int j = 1; j < n; ++j) {
  12. f[i][j] = f[i - 1][j] + f[i][j - 1];
  13. }
  14. }
  15. return f[m - 1][n - 1];
  16. }
  17. }

最小路径和(LeetCode64)

周围的最小值加上本身的值

  1. class Solution {
  2. public int minPathSum(int[][] grid) {
  3. for(int i = 0; i < grid.length; i++) {
  4. for(int j = 0; j < grid[0].length; j++) {
  5. if(i == 0 && j == 0) continue;
  6. else if(i == 0) grid[i][j] = grid[i][j - 1] + grid[i][j];
  7. else if(j == 0) grid[i][j] = grid[i - 1][j] + grid[i][j];
  8. else grid[i][j] = Math.min(grid[i - 1][j], grid[i][j - 1]) + grid[i][j];
  9. }
  10. }
  11. return grid[grid.length - 1][grid[0].length - 1];
  12. }
  13. }

最长回文子串(LeetCode5)

字串问题一般以子串长度和起点为状态开始遍历

  1. public class Solution {
  2. public String longestPalindrome(String s) {
  3. int len = s.length();
  4. if (len < 2) {
  5. return s;
  6. }
  7. int maxLen = 1;
  8. int begin = 0;
  9. // dp[i][j] 表示 s[i..j] 是否是回文串
  10. boolean[][] dp = new boolean[len][len];
  11. // 初始化:所有长度为 1 的子串都是回文串
  12. for (int i = 0; i < len; i++) {
  13. dp[i][i] = true;
  14. }
  15. char[] charArray = s.toCharArray();
  16. // 递推开始
  17. // 先枚举子串长度
  18. for (int L = 2; L <= len; L++) {
  19. // 枚举左边界,左边界的上限设置可以宽松一些
  20. for (int i = 0; i < len; i++) {
  21. // 由 L 和 i 可以确定右边界,即 j - i + 1 = L 得
  22. int j = L + i - 1;
  23. // 如果右边界越界,就可以退出当前循环
  24. if (j >= len) {
  25. break;
  26. }
  27. if (charArray[i] != charArray[j]) {
  28. dp[i][j] = false;
  29. } else {
  30. if (j - i < 3) {
  31. dp[i][j] = true;
  32. } else {
  33. dp[i][j] = dp[i + 1][j - 1];
  34. }
  35. }
  36. // 只要 dp[i][L] == true 成立,就表示子串 s[i..L] 是回文,此时记录回文长度和起始位置
  37. if (dp[i][j] && j - i + 1 > maxLen) {
  38. maxLen = j - i + 1;
  39. begin = i;
  40. }
  41. }
  42. }
  43. return s.substring(begin, begin + maxLen);
  44. }
  45. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小蓝xlanll/article/detail/460801
推荐阅读
相关标签
  

闽ICP备14008679号