字符串匹配

  1. public int search(String txt, String pat) {
  2. int i, N = txt.length();
  3. int j, M = pat.length();
  4. for (int i = 0, j = 0; i < N && j < M; i++) {
  5. if (txt.charAt(i) == pat.charAt(j)) {
  6. j++;
  7. } else {
  8. i -= j;
  9. j = 0;
  10. }
  11. }
  12. if (j == M) return i - M;
  13. else return N;
  14. }

📌 第一周 1ST

剑指 Offer 03. 数组中重复的数字

在一个长度为 n 的数组 nums 里的所有数字都在 0~n-1 的范围内。数组中某些数字是重复的,请找出数组中任意一个重复的数字。

  1. class Solution {
  2. public int findRepeatNumber(int[] nums) {
  3. for (int i = 0; i < nums.length; i++) {
  4. if (nums[i] == i) {
  5. continue;
  6. } else if (nums[nums[i]] == nums[i]) {
  7. return nums[i];
  8. } else {
  9. swap(nums,nums[i], i);
  10. }
  11. }
  12. return -1;
  13. }
  14. private void swap(int[] nums, int i, int j) {
  15. int t = nums[i];
  16. nums[i] = nums[j];
  17. nums[j] = t;
  18. }
  19. }

剑指 Offer 07. 重建二叉树

输入某二叉树的前序遍历和中序遍历的结果,请构建该二叉树并返回其根节点。

  1. class Solution {
  2. public TreeNode buildTree(int[] preorder, int[] inorder) {
  3. return traverse(preorder, 0, preorder.length - 1,
  4. inorder, 0, inorder.length - 1);
  5. }
  6. private TreeNode traverse(int[] preorder, int preS, int preE,
  7. int[] inorder, int inS, int inE) {
  8. if (preS > preE) return null;//一开始边界条件没有加,注意
  9. int rootVal = preorder[preS];
  10. int index = 0;
  11. for (int i = inS; i <= inE; i++) {
  12. if (inorder[i] == rootVal) {
  13. index = i;
  14. break;
  15. }
  16. }
  17. TreeNode root = new TreeNode(rootVal);
  18. int leftval = index - inS;
  19. root.left = traverse(preorder, preS + 1, preS + leftval,
  20. inorder, inS, index - 1);
  21. root.right = traverse(preorder,preS + leftval + 1, preE,
  22. inorder, index + 1, inE);
  23. return root;
  24. }
  25. }

剑指 Offer 09. 用两个栈实现队列

  1. class CQueue {
  2. Stack<Integer> in;
  3. Stack<Integer> out;
  4. public CQueue() {
  5. in = new Stack<>();
  6. out = new Stack<>();
  7. }
  8. public void appendTail(int value) {
  9. in.push(value);
  10. }
  11. public int deleteHead() {
  12. if (out.isEmpty()) {
  13. //while保证in里面的全部元素都压进out里面
  14. while (!in.isEmpty()) {
  15. out.push(in.pop());
  16. }
  17. }
  18. if (out.isEmpty())
  19. return -1;
  20. return out.pop();
  21. }
  22. }

剑指 Offer 10- I. 斐波那契数列

  1. class Solution {
  2. public int fib(int n) {
  3. if(n == 0) return 0;
  4. int[] dp = new int[n + 1];
  5. dp[0] = 0;
  6. dp[1] = 1;
  7. for(int i = 2; i <= n; i++){
  8. dp[i] = dp[i-1] + dp[i-2];
  9. dp[i] %= 1000000007;
  10. }
  11. return dp[n];
  12. }
  13. }

剑指 Offer 11. 旋转数组的最小数字

  1. 输入:[3,4,5,1,2]
  2. 输出:1

📅 第三轮刷题 - 图1

  1. class Solution {
  2. public int minArray(int[] numbers) {
  3. int i = 0, j = numbers.length - 1;
  4. while (i < j) {
  5. int m = (i + j) / 2;
  6. if (numbers[m] < numbers[j]) j = m;
  7. else if (numbers[m] > numbers[j]) i = m + 1;
  8. else j--;//无法确定左区间还是右区间,缩小j
  9. }
  10. return numbers[j];
  11. }
  12. }

剑指 Offer 12. 搜索单词

给定一个 m x n 二维字符网格 board 和一个字符串单词 word 。如果 word 存在于网格中,返回 true ;否则,返回 false 。

  1. class Solution {
  2. private int[][] direction = {{1, 0}, {0, 1}, {-1, 0}, {0, -1}};
  3. private int m;
  4. private int n;
  5. public boolean exist(char[][] board, String word) {
  6. if (word == null || word.length() == 0) return true;
  7. if (board == null || board.length == 0) return false;
  8. m = board.length;
  9. n = board[0].length;
  10. boolean[][] hasVisited = new boolean[m][n];
  11. for (int i = 0; i < m; i++) {
  12. for (int j = 0; j < n; j++) {
  13. if (backtrack(board, word, hasVisited,i, j, 0)) return true;
  14. }
  15. }
  16. return false;
  17. }
  18. private boolean backtrack(char[][] board, String word, boolean[][] visited, int r, int c, int k) {
  19. if (k == word.length()) {
  20. return true;
  21. }
  22. if (r < 0 || r >= m || c < 0 || c >= n
  23. || board[r][c] != word.charAt(k) || visited[r][c]) {
  24. return false;
  25. }
  26. visited[r][c] = true;
  27. for (int[] d : direction) {
  28. int dr = r + d[0];
  29. int dc = c + d[1];
  30. if (backtrack(board, word, visited, dr, dc, k + 1)) return true;
  31. }
  32. visited[r][c] = false;
  33. return false;
  34. }
  35. }

剑指 Offer 15. 二进制中1的个数

  1. //把一个整数减去1,再和原整数做与运算,会把该整数最右边一个1变成0.
  2. //那么一个整数的二进制有多少个1,就可以进行多少次这样的操作。
  3. public class Solution {
  4. // you need to treat n as an unsigned value
  5. public int hammingWeight(int n) {
  6. int count=0;
  7. while(n!=0){
  8. count++;
  9. n=n&(n-1);
  10. }
  11. return count;
  12. }
  13. }

剑指 Offer 16. 数值的整数次方

  1. 输入:x = 2.00000, n = 10
  2. 输出:1024.00000
  1. class Solution {
  2. public double myPow(double x, int n) {
  3. double res = 1.0;
  4. for(int i = n; i != 0; i /= 2) {
  5. if(i % 2 != 0){
  6. res *= x;
  7. }
  8. x *= x;
  9. }
  10. return n < 0 ? 1 / res : res;
  11. }
  12. }

剑指 Offer 21. 调整数组顺序使奇数位于偶数前面

  1. 输入:nums = [1,2,3,4]
  2. 输出:[1,3,2,4]
  1. class Solution {
  2. //while循环里面三个判断都没有加i < j
  3. public int[] exchange(int[] nums) {
  4. int i = 0, j = nums.length - 1;
  5. while (i < j) {
  6. while (i < j && nums[i] % 2 != 0)
  7. i++;
  8. while (i < j && nums[j] % 2 == 0)
  9. j--;
  10. if (i < j) {
  11. int t = nums[i];
  12. nums[i] = nums[j];
  13. nums[j] = t;
  14. }
  15. }
  16. return nums;
  17. }
  18. }

剑指 Offer 29. 顺时针打印矩阵

  1. class Solution {
  2. public int[] spiralOrder(int[][] matrix) {
  3. if (matrix.length == 0) return new int[0];
  4. int l = 0;
  5. int r = matrix[0].length - 1;
  6. int t = 0;
  7. int b = matrix.length - 1;
  8. int x = 0;
  9. int[] res = new int[(r + 1) * (b + 1)];
  10. while (true) {
  11. //从左往右
  12. //列在变,列为循环值
  13. //从左往右的下一步是往下走,上边界内缩,故++t
  14. //每做完一次循环收缩边界
  15. for (int i = l; i <= r; i++) res[x++] = matrix[t][i];
  16. if (++t > b) break;
  17. for (int i = t; i <= b; i++) res[x++] = matrix[i][r];
  18. if (--r < l) break;
  19. for (int i = r; i >= l; i--) res[x++] = matrix[b][i];
  20. if (--b < t) break;
  21. for (int i = b; i >= t; i--) res[x++] = matrix[i][l];
  22. if (++l > r) break;
  23. }
  24. return res;
  25. }
  26. }

剑指 Offer 30. 包含min函数的栈

  1. class MinStack {
  2. /** initialize your data structure here. */
  3. Stack<Integer> A, B;
  4. public MinStack() {
  5. A = new Stack<>();
  6. B = new Stack<>();
  7. }
  8. public void push(int x) {
  9. A.push(x);
  10. if (B.isEmpty() || B.peek() >= x) {
  11. B.push(x);
  12. }
  13. }
  14. public void pop() {
  15. if (A.pop().equals(B.peek()))
  16. B.pop();
  17. }
  18. public int top() {
  19. return A.peek();
  20. }
  21. public int min() {
  22. return B.peek();
  23. }
  24. }

剑指 Offer 33. 二叉搜索树的后序遍历序列

输入一个整数数组,判断该数组是不是某二叉搜索树的后序遍历结果。如果是则返回 true,否则返回 false。假设输入的数组的任意两个数字都互不相同

  1. class Solution {
  2. public boolean verifyPostorder(int[] postorder) {
  3. return recur(postorder, 0, postorder.length - 1);
  4. }
  5. private boolean recur(int[] nums, int s, int e) {
  6. if (s >= e) return true;
  7. int rootVal = nums[e];
  8. int m = s;
  9. while(m < e && nums[m] < rootVal) {
  10. m++;
  11. }
  12. int k = m;
  13. while (k < e && nums[k] > rootVal) {
  14. k++;
  15. }
  16. return k == e && recur(nums, s, m - 1) && recur(nums, m, e - 1);
  17. }
  18. }

剑指 Offer 34. 二叉树中和为某一值的路径

  1. 5
  2. / \
  3. 4 8
  4. / / \
  5. 11 13 4
  6. / \ / \
  7. 7 2 5 1
  8. 输出:
  9. [
  10. [5,4,11,2],
  11. [5,8,4,5]
  12. ]
  1. class Solution {
  2. List<List<Integer>> ret = new ArrayList<>();
  3. public List<List<Integer>> pathSum(TreeNode root, int target) {
  4. if (root == null) return ret;
  5. List<Integer> track = new ArrayList<>();
  6. backtrack(track, root, target);
  7. return ret;
  8. }
  9. private void backtrack(List<Integer> track, TreeNode root, int target) {
  10. if (root == null) return;
  11. track.add(root.val);
  12. if (root.left == null && root.right == null && target == root.val) {
  13. ret.add(new ArrayList<>(track));
  14. //return;//不能加return,返回上一层状态没有重置
  15. }
  16. backtrack(track, root.left, target - root.val);
  17. backtrack(track, root.right, target - root.val);
  18. track.remove(track.size() - 1);
  19. }
  20. }

剑指 Offer 35. 复杂链表的复制

📅 第三轮刷题 - 图2

  1. class Solution {
  2. public Node copyRandomList(Node head) {
  3. if (head == null) return null;
  4. // 1. 复制各节点,并构建拼接链表
  5. Node cur = head;
  6. while (cur != null) {
  7. Node next = cur.next;
  8. Node temp = new Node(cur.val);
  9. cur.next = temp;
  10. temp.next = next;
  11. cur = next;
  12. }
  13. //2.复制random
  14. cur = head;
  15. while (cur != null) {
  16. if (cur.random != null)
  17. cur.next.random = cur.random.next;
  18. cur = cur.next.next;
  19. }
  20. // 3. 拆分两链表
  21. cur = head.next;
  22. Node pre = head, res = head.next;
  23. while(cur.next != null) {
  24. pre.next = pre.next.next;
  25. cur.next = cur.next.next;
  26. pre = pre.next;
  27. cur = cur.next;
  28. }
  29. pre.next = null; // 单独处理原链表尾节点
  30. return res; // 返回新链表头节点
  31. }
  32. }
  33. /**
  34. 1.链表问题有时需要cur = head;
  35. 2.在第二步复制random的时候没有判断cur.random是否为空
  36. 3.拆分的时候要注意有一个pre节点,把最后指向复制链表的地方断开!
  37. */

剑指 Offer 36. 二叉搜索树与双向链表

  1. class Solution {
  2. Node head, pre;
  3. public Node treeToDoublyList(Node root) {
  4. if (root == null) return null;
  5. dfs(root);
  6. //首尾节点互指
  7. pre.right = head;
  8. head.left = pre;
  9. return head;
  10. }
  11. private void dfs(Node cur) {
  12. if (cur == null) return;
  13. dfs(cur.left);
  14. if (head == null)
  15. head = cur;
  16. if (pre != null)
  17. pre.right = cur;
  18. cur.left = pre;
  19. pre = cur;
  20. dfs(cur.right);
  21. }
  22. }

剑指 Offer 39. 数组中出现次数超过一半的数字

  1. //时间O(n),空间O(1)
  2. class Solution {
  3. public int majorityElement(int[] nums) {
  4. int x = 0, vote = 0;//x为众数,vote为票数
  5. for (int num : nums) {
  6. if (vote == 0) x = num;
  7. vote += num == x ? 1 : -1;
  8. }
  9. return x;
  10. }
  11. }

需要的数字出现次数多于一半 那么排序后必定在中间

  1. //时间O(nlogn),空间O(1)
  2. class Solution {
  3. public int majorityElement(int[] nums) {
  4. Arrays.sort(nums);
  5. return nums[nums.length/2];
  6. }
  7. }

剑指 Offer 41. 数据流中的中位数

核心思想:大顶堆存放较小的元素,小顶堆存放较大的元素!!!

  1. class MedianFinder {
  2. PriorityQueue<Integer> small;
  3. PriorityQueue<Integer> large;
  4. public MedianFinder() {
  5. small = new PriorityQueue<>((v1, v2) -> v2 - v1);//大堆顶
  6. large = new PriorityQueue<>();//小堆顶
  7. }
  8. //维持两个顶堆的元素不超过1
  9. public void addNum(int num) {
  10. if (small.size() < large.size()) {
  11. large.offer(num);
  12. small.offer(large.poll());
  13. } else {
  14. small.offer(num);
  15. large.offer(small.poll());
  16. }
  17. }
  18. public double findMedian() {
  19. if (large.size() > small.size()) {
  20. return large.peek();
  21. } else if (large.size() < small.size()) {
  22. return small.peek();
  23. }
  24. return (large.peek() + small.peek()) / 2.0;
  25. }
  26. }

剑指 Offer 43. 1~n 整数中 1 出现的次数

  1. class Solution {
  2. public int countDigitOne(int n) {
  3. return f(n);
  4. }
  5. //下面我们都用 1234 和 2345 来举例
  6. private int f(int n){
  7. // 上一级递归 n = 20、10之类的整十整百之类的情况;以及n=0的情况
  8. if(n== 0) return 0;
  9. // n < 10 即为个位,这样子只有一个1
  10. if(n < 10) return 1;
  11. String s = String.valueOf(n);
  12. //长度:按例子来说是4位
  13. int length = s.length();
  14. //这个base是解题速度100%的关键,本例中的是999中1的个数:300
  15. // 99的话就是20 ; 9的话就是1 ;9999就是4000 这里大家应该发现规律了吧。
  16. int base = (length-1)*(int)Math.pow(10,length-2);
  17. //high就是最高位的数字
  18. int high = s.charAt(0) - '0';
  19. //cur就是当前所数量级,即1000
  20. int cur = (int)Math.pow(10,length -1);
  21. if(high == 1){
  22. //最高位为1,1+n-cur就是1000~1234中由千位数提供的1的个数,剩下的f函数就是求1000~1234中由234产生的1的个数
  23. return base + 1 + n - cur + f(n - high * cur);
  24. }else{
  25. //这个自己思考
  26. return base * high + cur + f(n- high * cur);
  27. }
  28. }
  29. }

剑指 Offer 44. 数字序列中某一位的数字

  1. class Solution {
  2. public int findNthDigit(int n) {
  3. int digit = 1;// 记录位数,初始为一位数
  4. long start = 1; // 记录某一位数起始的第一个数,初始为一位数起点1
  5. long count = 9;// 记录某一位数所有包含的数字个数,初始为一位数个数9
  6. while (n > count) {
  7. n -= count;
  8. digit += 1;
  9. start *= 10;
  10. count = digit * start * 9;
  11. }
  12. long num = start + (n - 1) / digit; // 2.判断第n位数字属于哪一个数
  13. return Long.toString(num).charAt((n - 1) % digit) - '0'; // 3.对位数取余得到哪一位
  14. }
  15. }

剑指 Offer 45. 把数组排成最小的数

  1. 输入: [3,30,34,5,9]
  2. 输出: "3033459"
  1. class Solution {
  2. public String minNumber(int[] nums) {
  3. if (nums == null || nums.length == 0) return "";
  4. int n = nums.length;
  5. String[] arr = new String[n];
  6. for (int i = 0; i < n; i++)
  7. arr[i] = nums[i] + "";
  8. Arrays.sort(arr, (s1, s2) -> (s1 + s2).compareTo(s2 + s1));
  9. String ret = "";
  10. for (String str : arr)
  11. ret += str;
  12. return ret;
  13. }
  14. }

剑指 Offer 46. 把数字翻译成字符串

  1. 输入: 12258
  2. 输出: 5
  3. 解释: 122585种不同的翻译,分别是"bccfi", "bwfi", "bczi", "mcfi""mzi"
  1. class Solution {
  2. public int translateNum(int num) {
  3. String s = String.valueOf(num);
  4. int[] dp = new int[s.length() + 1];
  5. dp[0] = dp[1] = 1;
  6. for (int i = 2; i <= s.length(); i++) {
  7. String tmpStr = s.substring(i - 2, i);
  8. if (tmpStr.compareTo("10") >= 0 && tmpStr.compareTo("25") <= 0) {
  9. dp[i] = dp[i - 1] + dp[i - 2];
  10. } else {
  11. dp[i] = dp[i - 1];
  12. }
  13. }
  14. return dp[s.length()];
  15. }
  16. }
  17. //理解dp数组的含义
  18. //dp[i]就是第i个字符有多少种翻译的方法
  19. //[i-1..i]如果可以组成一种方法,该情况就为dp[i-2]的大小
  20. //[i]组成一种翻译方法,该情况就为dp[i-1]的大小

剑指 Offer 49. 丑数

我们把只包含质因子 2、3 和 5 的数称作丑数(Ugly Number)。求按从小到大的顺序的第 n 个丑数。

  1. class Solution {
  2. //dp[i]表示第i+1个丑数
  3. //这个题用三指针,第一个丑数是1,以后的丑数都是基于前面的小丑数分别乘2,3,5构成的。
  4. //我们每次添加进去一个当前计算出来个三个丑数的最小的一个,并且是谁计算的,谁指针就后移一位。
  5. public int nthUglyNumber(int n) {
  6. if (n <= 0)
  7. return -1;
  8. int[] dp = new int[n];
  9. dp[0] = 1;
  10. int id2 = 0, id3 = 0, id5 = 0;
  11. for (int i = 1; i < n; i++) {
  12. dp[i] = Math.min(dp[id2] * 2, Math.min(dp[id3] *3, dp[id5] * 5));
  13. // 这里不用else if的原因是有可能id2(3) * 2 == id3(2) * 3
  14. // 这种情况两个指针都要后移
  15. if (dp[id2] * 2 == dp[i])
  16. id2 += 1;
  17. if (dp[id3] * 3 == dp[i])
  18. id3 += 1;
  19. if (dp[id5] * 5 == dp[i])
  20. id5 += 1;
  21. }
  22. return dp[n - 1];
  23. }
  24. }

剑指 Offer 51. 数组中的逆序对

在数组中的两个数字,如果前面一个数字大于后面的数字,则这两个数字组成一个逆序对。输入一个数组,求出这个数组中的逆序对的总数。
归并排序

  1. 输入: [7,5,6,4]
  2. 输出: 5
  1. class Solution {
  2. //用来统计逆序对的个数
  3. int count = 0;
  4. public int reversePairs(int[] nums) {
  5. merge(nums, 0, nums.length - 1);
  6. return count;
  7. }
  8. public void merge(int[] nums, int left, int right) {
  9. int mid = (left + right) / 2;
  10. if (left < right) {
  11. merge(nums, left, mid);
  12. merge(nums, mid + 1, right);
  13. mergeSort(nums, left, mid, right);
  14. }
  15. }
  16. public void mergeSort(int[] nums, int left, int mid, int right) {
  17. int[] temparr = new int[right - left + 1];
  18. int index = 0;
  19. int temp1 = left, temp2 = mid + 1;//左右两部分的起始索引
  20. while (temp1 <= mid && temp2 <= right) {
  21. if (nums[temp1] <= nums[temp2]) {
  22. temparr[index++] = nums[temp1++];
  23. } else {
  24. count += (mid - temp1 + 1);//左边和右边是有序的,当temp1>temp2时
  25. //说明temp1到mid的值都比temp2大,一共有这么多逆序对
  26. temparr[index++] = nums[temp2++];
  27. }
  28. }
  29. //把左边剩余的数移入数组
  30. while (temp1 <= mid) {
  31. temparr[index++] = nums[temp1++];
  32. }
  33. //把右边剩余的数移入数组
  34. while (temp2 <= right) {
  35. temparr[index++] = nums[temp2++];
  36. }
  37. //把新数组中的数覆盖nums数组
  38. //没有理解
  39. for (int k = 0; k < temparr.length; k++) {
  40. nums[k + left] = temparr[k];
  41. }
  42. }
  43. }

剑指 Offer 53 - II. 0~n-1中缺失的数字

一个长度为n-1的递增排序数组中的所有数字都是唯一的,并且每个数字都在范围0~n-1之内。在范围0~n-1内的n个数字中有且只有一个数字不在该数组中,请找出这个数字。

  1. 输入: [0,1,3]
  2. 输出: 2
  1. class Solution {
  2. //缺失的数字等于 “右子数组的首位元素” 对应的索引;因此考虑使用二分法查找 “右子数组的首位元素”
  3. public int missingNumber(int[] nums) {
  4. int i = 0, j = nums.length - 1;
  5. while (i <= j) {
  6. int m = (i + j) / 2;
  7. if (nums[m] == m) i = m + 1;
  8. else j = m - 1;
  9. }
  10. return i;
  11. }
  12. }

41. 缺失的第一个正数

给你一个未排序的整数数组 nums ,请你找出其中没有出现的最小的正整数。请你实现时间复杂度为 O(n) 并且只使用常数级别额外空间的解决方案。

  1. 输入:nums = [3,4,-1,1]
  2. 输出:2
  1. class Solution {
  2. public int firstMissingPositive(int[] nums) {
  3. int len = nums.length;
  4. for (int i = 0; i < len; i++) {
  5. while (nums[i] > 0 && nums[i] <= len && nums[nums[i] - 1] != nums[i]) {
  6. swap(nums, nums[i] - 1, i);
  7. }
  8. }
  9. for (int i = 0; i < len; i++) {
  10. if (nums[i] != i + 1)
  11. return i + 1;
  12. }
  13. return len + 1;
  14. }
  15. private void swap(int[] nums, int i, int j) {
  16. int t = nums[i];
  17. nums[i] = nums[j];
  18. nums[j] = t;
  19. }
  20. }

剑指 Offer 56 - I. 数组中数字出现的次数

由于数组中存在着两个数字不重复的情况,我们将所有的数字异或操作起来,最终得到的结果是这两个数字的异或结果

  1. class Solution {
  2. public int[] singleNumbers(int[] nums) {
  3. //用于将所有的数异或起来
  4. int k = 0;
  5. // e.g. [2,4,2,3,3,6] 异或和:(2^2)^(3^3)^(4^6)=2=010
  6. for(int num: nums) {
  7. k ^= num;
  8. }
  9. //获得k中最低位的1
  10. int mask = 1;
  11. & operator只有1&1时等于1 其余等于0
  12. // 用上面的e.g. 4和6的二进制是不同的 我们从右到左找到第一个不同的位就可以分组 4=0100 6=0110
  13. // 根据e.g. 010 & 001 = 000 = 0则 mask=010
  14. // 010 & 010 != 0 所以mask=010
  15. // 之后就可以用mask来将数组里的两个数分区分开
  16. while((k & mask) == 0) {
  17. mask <<= 1;
  18. }
  19. int a = 0;
  20. int b = 0;
  21. for(int num: nums) {
  22. //根据&是否为0区分将两个数字分区,并分别求异或和
  23. if((num & mask) == 0) {
  24. a ^= num;
  25. } else {
  26. b ^= num;
  27. }
  28. }
  29. return new int[]{a, b};
  30. }
  31. }

剑指 Offer 57 - II. 和为s的连续正数序列

输入一个正整数 target ,输出所有和为 target 的连续正整数序列(至少含有两个数)。

  1. 输入:target = 9
  2. 输出:[[2,3,4],[4,5]]
  1. class Solution {
  2. public int[][] findContinuousSequence(int target) {
  3. List<int[]> list = new ArrayList<>();
  4. //套滑动窗口模板,l是窗口左边界,r是窗口右边界,窗口中的值一定是连续值。
  5. //当窗口中数字和小于target时,r右移; 大于target时,l右移; 等于target时就获得了一个解
  6. for (int l = 1, r = 1, sum = 0; r < target; r++) {
  7. sum += r;
  8. while (sum > target) {
  9. sum -= l;
  10. l++;
  11. }
  12. if (sum == target) {
  13. int[] temp = new int[r - l + 1];
  14. for (int i = 0; i < temp.length; i++) {
  15. temp[i] = l + i;
  16. }
  17. list.add(temp);
  18. }
  19. }
  20. int[][] res = new int[list.size()][];
  21. for (int i = 0; i < res.length; i++) {
  22. res[i] = list.get(i);
  23. }
  24. return res;
  25. }
  26. }

剑指 Offer 58 - I. 翻转单词顺序

  1. Input:
  2. "I am a student."
  3. Output:
  4. "student. a am I"
  1. public String ReverseSentence(String str) {
  2. int n = str.length();
  3. char[] chars = str.toCharArray();
  4. int i = 0, j = 0;
  5. while (j <= n) {
  6. if (j == n || chars[j] == ' ') {
  7. reverse(chars, i, j - 1);
  8. i = j + 1;
  9. }
  10. j++;
  11. }
  12. reverse(chars, 0, n - 1);
  13. return new String(chars);
  14. }
  15. private void reverse(char[] c, int i, int j) {
  16. while (i < j)
  17. swap(c, i++, j--);
  18. }
  19. private void swap(char[] c, int i, int j) {
  20. char t = c[i];
  21. c[i] = c[j];
  22. c[j] = t;
  23. }

剑指 Offer 59 - I. 滑动窗口的最大值

给定一个数组 nums 和滑动窗口的大小 k,请找出所有滑动窗口里的最大值。

  1. 输入: nums = [1,3,-1,-3,5,3,6,7], k = 3
  2. 输出: [3,3,5,5,6,7]
  3. 解释:
  4. 滑动窗口的位置 最大值
  5. --------------- -----
  6. [1 3 -1] -3 5 3 6 7 3
  7. 1 [3 -1 -3] 5 3 6 7 3
  8. 1 3 [-1 -3 5] 3 6 7 5
  9. 1 3 -1 [-3 5 3] 6 7 5
  10. 1 3 -1 -3 [5 3 6] 7 6
  11. 1 3 -1 -3 5 [3 6 7] 7
  1. class Solution {
  2. public int[] maxSlidingWindow(int[] nums, int k) {
  3. if (nums.length == 0 || k == 0) return new int[0];
  4. int n = nums.length;
  5. // 双向队列 保存当前窗口最大值的数组位置 保证队列中数组位置的数按从大到小排序
  6. Deque<Integer> deque = new LinkedList<>();
  7. int[] res = new int[n - k + 1];
  8. for (int i = 0; i < n; i++) {
  9. // 保证从大到小 如果前面数小 弹出
  10. while (!deque.isEmpty() && nums[i] >= nums[deque.peekLast()]) {
  11. deque.pollLast();
  12. }
  13. deque.offerLast(i);
  14. //等到窗口长度为k时 下次移动在删除过期数值
  15. if (deque.peekFirst() <= i - k) {
  16. deque.pollFirst();
  17. }
  18. if (i - k + 1 >= 0) {
  19. res[i - k + 1] = nums[deque.peekFirst()];
  20. }
  21. }
  22. return res;
  23. }
  24. }

60. 十进制转换八进制

  1. public static void main(String[] args) {
  2. Scanner number=new Scanner(System.in);
  3. int n=number.nextInt();
  4. String result="";
  5. while (n>8) {
  6. result = n%8+result;
  7. n=n/8;
  8. }
  9. result = n+result;
  10. System.out.println(result);
  11. }

📌 第二周 Leetcode

621. 任务调度器

你需要计算完成所有任务所需要的 最短时间

  1. 输入:tasks = ["A","A","A","B","B","B"], n = 2输出:8
  2. 解释:A -> B -> (待命) -> A -> B -> (待命) -> A -> B
  3. 在本示例中,两个相同类型任务之间必须间隔长度为 n = 2 的冷却时间,
  4. 而执行一个任务只需要一个单位时间,所以中间出现了(待命)状态。
  1. class Solution {
  2. //填桶
  3. public int leastInterval(char[] tasks, int n) {
  4. int[] temp = new int[26];
  5. int countMaxTask = 0;
  6. int maxTask=0;
  7. for(char c:tasks){
  8. temp[c-'A']++;
  9. maxTask = Math.max(temp[c-'A'],maxTask);
  10. }
  11. for(int i=0;i<26;i++){
  12. if(temp[i]==maxTask){
  13. countMaxTask++;
  14. }
  15. }
  16. return Math.max(tasks.length,(maxTask-1)*(n+1)+countMaxTask);
  17. //总排队时间 = (桶个数 - 1) * (n + 1) + 最后一桶的任务数
  18. }
  19. }

📅 第三轮刷题 - 图3

560. 和为K的子数组

给定一个整数数组和一个整数 k,你需要找到该数组中和为 k 的连续的子数组的个数。

  1. 输入:nums = [1,1,1], k = 2
  2. 输出: 2 , [1,1] [1,1] 为两种不同的情况。
  1. class Solution {
  2. //题意:有几种 i、j 的组合,使得从第 i 到 j 项的子数组和等于 k。
  3. //有几种 i、j 的组合,满足 prefixSum[j] - prefixSum[i - 1] == k
  4. //前缀和
  5. public int subarraySum(int[] nums, int k) {
  6. // key:前缀和,value:key 对应的前缀和的个数
  7. Map<Integer, Integer> map = new HashMap<>();
  8. // 对于下标为 0 的元素,前缀和为 0,个数为 1
  9. map.put(0, 1);//例子:nums = [3,...], k = 3
  10. int sum = 0, ret = 0;
  11. for (int i = 0; i < nums.length; i++) {
  12. sum += nums[i];
  13. if (map.containsKey(sum - k))
  14. ret += map.get(sum - k);
  15. map.put(sum, map.getOrDefault(sum, 0) + 1);
  16. }
  17. return ret;
  18. }
  19. }

128. 最长连续序列

给定一个未排序的整数数组 nums ,找出数字连续的最长序列(不要求序列元素在原数组中连续)的长度。
请你设计并实现时间复杂度为 O(n) 的算法解决此问题。
输入:nums = [100,4,200,1,3,2] 输出:4 解释:最长数字连续序列是 [1, 2, 3, 4]。它的长度为 4。

  1. class Solution {
  2. public int longestConsecutive(int[] nums) {
  3. Set<Integer> num_set = new HashSet<Integer>();
  4. for (int num : nums) {
  5. num_set.add(num);
  6. }
  7. int longestLen = 0;
  8. for (int num : num_set) {
  9. //使用set去重
  10. if (!num_set.contains(num - 1)) {
  11. int currentNum = num;
  12. int currentLen = 1;
  13. while (num_set.contains(currentNum + 1)) {
  14. currentNum += 1;
  15. currentLen += 1;
  16. }
  17. longestLen = Math.max(longestLen, currentLen);
  18. }
  19. }
  20. return longestLen;
  21. }
  22. }

581. 最短无序连续子数组

给你一个整数数组 nums ,你需要找出一个 连续子数组 ,如果对这个子数组进行升序排序,那么整个数组都会变为升序排序。
请你找出符合题意的 最短 子数组,并输出它的长度。

  1. 输入:nums = [2,6,4,8,10,9,15]
  2. 输出:5
  3. 解释:你只需要对 [6, 4, 8, 10, 9] 进行升序排序,那么整个表都会变为升序排序。
  1. //1.简单的方法就是可以copy一个数组,和原始数组比较
  2. //2.双指针+双向遍历
  3. class Solution {
  4. public int findUnsortedSubarray(int[] nums) {
  5. int len = nums.length;
  6. if(len <= 1) return 0;
  7. int high = 0, low = len-1;
  8. int max = nums[0], min = nums[len-1];
  9. for(int i = 1; i < len; i++){
  10. max = Math.max(max, nums[i]);
  11. min = Math.min(min, nums[len-1-i]);
  12. if(nums[i] < max) high = i;
  13. if(nums[len-1-i] > min) low = len-1-i;
  14. }
  15. return high > low ? high - low + 1 : 0;
  16. }
  17. }
  18. //子数组右边的所有元素, 值都要比子数组的最大元素要大.
  19. //子数组左边的所有元素, 值都要比子数组的最小元素要小.
  20. //左到右,记录最大值为 max,若 nums[i] < max, 表明位置 i 需要调整,记录需要调整的最大位置 i 为 high.
  21. //右到左,记录最小值为 min, 若 nums[i] > min, 表明位置 i 需要调整,记录需要调整的最小位置 i 为 low.

494. 目标和

  1. 输入:nums = [1,1,1,1,1], target = 3
  2. 输出:5
  3. 解释:一共有 5 种方法让最终目标和为 3
  4. -1 + 1 + 1 + 1 + 1 = 3
  5. +1 - 1 + 1 + 1 + 1 = 3
  6. +1 + 1 - 1 + 1 + 1 = 3
  7. +1 + 1 + 1 - 1 + 1 = 3
  8. +1 + 1 + 1 + 1 - 1 = 3
  1. class Solution {
  2. /**
  3. target = 正数和 - 负数和 = x - y
  4. sum = x + y
  5. x = (target + sum) /2
  6. 从nums中选择几个数,令其和为(target + sum) /2
  7. 变成0-1背包问题
  8. */
  9. public int findTargetSumWays(int[] nums, int target) {
  10. int sum = 0;
  11. for (int n : nums){
  12. sum += n;
  13. }
  14. if (sum < target || (sum + target) % 2 == 1) {
  15. return 0;
  16. }
  17. int V = (sum + target) / 2;
  18. int[] dp = new int[W + 1];
  19. dp[0] = 1;
  20. for (int num : nums) {
  21. for (int j = V; j >= num; j--) {
  22. dp[j] += dp[j - num];
  23. }
  24. }
  25. return dp[V];
  26. }
  27. }

406. 根据身高重建队列

people[i] = [hi, ki] 表示第 i 个人的身高为 hi ,前面 正好 有 ki 个身高大于或等于 hi 的人。

  1. 输入:people = [[6,0],[5,0],[4,0],[3,2],[2,2],[1,4]]
  2. 输出:[[4,0],[5,0],[2,2],[3,2],[1,4],[6,0]]
  1. //好好理解
  2. class Solution {
  3. public int[][] reconstructQueue(int[][] people) {
  4. //按照身高降序 K升序排序
  5. Arrays.sort(people, new Comparator<int[]>() {
  6. @Override
  7. public int compare(int[] o1, int[] o2) {
  8. return o1[0] == o2[0] ? o1[1] - o2[1] : o2[0] - o1[0];
  9. }
  10. });
  11. List<int[]> list = new ArrayList<>();
  12. for (int[] p : people) {
  13. list.add(p[1], p);//List插入的时候会挪动之前的元素,使其在合适的位置
  14. }
  15. return list.toArray(new int[list.size()][2]);
  16. }
  17. }

394. 字符串解码

编码规则为: k[encodedstring],表示其中方括号内部的 _encoded_string 正好重复 k 次。注意 k 保证为正整数。
输入:s = “3[a2[c]]” 输出:“accaccacc”

  1. class Solution {
  2. public String decodeString(String s) {
  3. StringBuilder res = new StringBuilder();
  4. int multi = 0;
  5. Stack<Integer> stack_multi = new Stack<>();
  6. Stack<String> stack_res = new Stack<>();
  7. for(char c : s.toCharArray()) {
  8. if(c == '[') {
  9. stack_multi.push(multi);
  10. stack_res.push(res.toString());
  11. multi = 0;
  12. res = new StringBuilder();
  13. }
  14. else if(c == ']') {
  15. StringBuilder tmp = new StringBuilder();
  16. int cur_multi = stack_multi.pop();
  17. for(int i = 0; i < cur_multi; i++) tmp.append(res);
  18. res = new StringBuilder(stack_res.pop() + tmp);
  19. }
  20. else if(c >= '0' && c <= '9') multi = multi * 10 + c - '0';//如果k不是个位数而是n位整数的话就要通过不停的乘10来更新值
  21. else res.append(c);
  22. }
  23. return res.toString();
  24. }
  25. }

347. 前 K 个高频元素

输入: nums = [1,1,1,2,2,3], k = 2 输出: [1,2]

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

287. 寻找重复数

给定一个包含 n + 1 个整数的数组 nums ,其数字都在 1 到 n 之间(包括 1 和 n),可知至少存在一个重复的整数。
假设 nums 只有 一个重复的整数 ,找出 这个重复的数
你设计的解决方案必须不修改数组 nums 且只用常量级 O(1) 的额外空间。

  1. class Solution {
  2. public int findDuplicate(int[] nums) {
  3. /**
  4. 快慢指针思想, fast 和 slow 是指针, nums[slow] 表示取指针对应的元素
  5. 注意 nums 数组中的数字都是在 1 到 n 之间的(在数组中进行游走不会越界),
  6. 因为有重复数字的出现, 所以这个游走必然是成环的, 环的入口就是重复的元素,
  7. 即按照寻找链表环入口的思路来做
  8. **/
  9. int fast = 0, slow = 0;
  10. while(true) {
  11. fast = nums[nums[fast]];//走两步
  12. slow = nums[slow];//走一步
  13. if(slow == fast) break;
  14. }
  15. fast = 0;
  16. while(slow != fast) {
  17. fast = nums[fast];
  18. slow = nums[slow];
  19. }
  20. return slow;
  21. }
  22. }

279. 完全平方数

给定正整数 n,找到若干个完全平方数(比如 1, 4, 9, 16, …)使得它们的和等于 n。你需要让组成和的完全平方数的个数最少。
给你一个整数 n ,返回和为 n 的完全平方数的 最少数量

  1. class Solution {
  2. public int numSquares(int n) {
  3. int[] dp = new int[n + 1];
  4. for (int i = 1; i <= n; i++) {
  5. dp[i] = i;
  6. for (int j = 1; i - j * j >= 0; j++) {
  7. dp[i] = Math.min(dp[i], dp[i - j*j] + 1);
  8. }
  9. }
  10. return dp[n];
  11. }
  12. }

238. 除自身以外数组的乘积

给你一个长度为 n 的整数数组 nums,其中 n > 1,返回输出数组 output ,其中 output[i] 等于 nums 中除 nums[i] 之外其余各元素的乘积。

  1. /**
  2. *原数组: [1 2 3 4]
  3. *左部分的乘积: 1 1 1*2 1*2*3
  4. *右部分的乘积: 2*3*4 3*4 4 1
  5. *结果: 1*2*3*4 1*3*4 1*2*4 1*2*3*1
  6. */
  7. class Solution {
  8. public int[] productExceptSelf(int[] nums) {
  9. int[] res = new int[nums.length];
  10. int p = 1, q = 1;
  11. for (int i = 0; i < nums.length; i++) {
  12. res[i] = p;
  13. p *= nums[i];
  14. }
  15. for (int i = nums.length - 1; i > 0 ; i--) {
  16. q *= nums[i];
  17. res[i - 1] *= q;
  18. }
  19. return res;
  20. }
  21. }

221. 最大正方形

在一个由 ‘0’ 和 ‘1’ 组成的二维矩阵内,找到只包含 ‘1’ 的最大正方形,并返回其面积。

  1. class Solution {
  2. public int maximalSquare(char[][] matrix) {
  3. /**
  4. dp[i][j]表示matrix[i - 1][j - 1]为右下角所能构成的最大正方形边长, 则递推式为:
  5. dp[i][j] = 1 + min(dp[i-1][j-1], dp[i-1][j], dp[i][j-1]);
  6. **/
  7. int m = matrix.length;
  8. int n =matrix[0].length;
  9. int max = 0;
  10. int[][] dp = new int[m + 1][n + 1];
  11. for (int i = 1; i <= m; i++) {
  12. for (int j = 1; j <= n; j++) {
  13. if (matrix[i - 1][j - 1] == '1') {
  14. dp[i][j] = 1 + Math.min(dp[i-1][j-1], Math.min(dp[i-1][j], dp[i][j-1]));
  15. max = Math.max(max, dp[i][j]);
  16. }
  17. }
  18. }
  19. return max * max;
  20. }
  21. }

208. 实现 Trie (前缀树)

  1. class Trie {
  2. private boolean isEnd;
  3. private Trie[] children;
  4. public Trie() {
  5. isEnd = false;
  6. children = new Trie[26];
  7. }
  8. public void insert(String word) {
  9. Trie node = this;
  10. for (int i = 0; i < word.length(); i++) {
  11. int index = word.charAt(i) - 'a';
  12. if (node.children[index] == null) {
  13. node.children[index] = new Trie();
  14. }
  15. node = node.children[index];
  16. }
  17. node.isEnd = true;
  18. }
  19. public boolean search(String word) {
  20. Trie node = searchPrefix(word);
  21. return node != null && node.isEnd;
  22. }
  23. public boolean startsWith(String prefix) {
  24. return searchPrefix(prefix) != null;
  25. }
  26. public Trie searchPrefix(String prefix) {
  27. Trie node = this;
  28. for (int i = 0; i < prefix.length(); i++) {
  29. int index = prefix.charAt(i) - 'a';
  30. if (node.children[index] == null) {
  31. return null;
  32. }
  33. node = node.children[index];
  34. }
  35. return node;
  36. }
  37. }

152. 乘积最大子数组

输入: [2,3,-2,4] 输出: 6 解释: 子数组 [2,3] 有最大乘积 6。

  1. class Solution {
  2. public int maxProduct(int[] nums) {
  3. int max = Integer.MIN_VALUE;
  4. int i_max = 1;
  5. int i_min = 1;
  6. for (int i = 0; i < nums.length; i++) {
  7. if (nums[i] < 0) {
  8. int t = i_max;
  9. i_max = i_min;
  10. i_min = t;
  11. }
  12. i_max = Math.max(i_max*nums[i], nums[i]);
  13. i_min = Math.min(i_min*nums[i], nums[i]);
  14. max = Math.max(i_max, max);
  15. }
  16. return max;
  17. }
  18. }

148. 排序链表

给你链表的头结点 head ,请将其按 升序 排列并返回 排序后的链表

  1. class Solution {
  2. public ListNode sortList(ListNode head) {
  3. if (head == null || head.next == null) return head;
  4. ListNode slow = head, fast = head.next;
  5. ListNode l, r;
  6. while (fast != null && fast.next != null) {
  7. slow = slow.next;
  8. fast = fast.next.next;
  9. }
  10. r = sortList(slow.next);
  11. slow.next = null;
  12. l = sortList(head);
  13. return merge(l, r);
  14. }
  15. private ListNode merge(ListNode l1, ListNode l2) {
  16. ListNode dummy = new ListNode(-1);
  17. ListNode p = dummy;
  18. while (l1 != null && l2 != null) {
  19. if (l1.val < l2.val) {
  20. p.next = l1;
  21. l1 = l1.next;
  22. } else {
  23. p.next = l2;
  24. l2 = l2.next;
  25. }
  26. p = p.next;
  27. }
  28. p.next = l1 == null ? l2 : l1;
  29. return dummy.next;
  30. }
  31. }

📌 第二周 Leetcode

23. 合并K个升序链表

  1. class Solution {
  2. public ListNode mergeKLists(ListNode[] lists) {
  3. if (lists.length == 0) return null;
  4. ListNode dummyHead = new ListNode(0);
  5. ListNode cur = dummyHead;
  6. PriorityQueue<ListNode> pq = new PriorityQueue<>((v1, v2) -> v1.val - v2.val);
  7. for (ListNode list : lists) {
  8. if (list != null) {
  9. pq.add(list);
  10. }
  11. }
  12. while (!pq.isEmpty()) {
  13. ListNode nextnode = pq.poll();
  14. cur.next = nextnode;
  15. cur = cur.next;
  16. if (nextnode.next != null) {
  17. pq.add(nextnode.next);
  18. }
  19. }
  20. return dummyHead.next;
  21. }
  22. }

31. 下一个排列

实现获取 下一个排列 的函数,算法需要将给定数字序列重新排列成字典序中下一个更大的排列(即,组合出下一个更大的整数)。

  1. 输入:nums = [1,2,3]
  2. 输出:[1,3,2]
  1. class Solution {
  2. public void nextPermutation(int[] nums) {
  3. int len = nums.length;
  4. int firstIndex = -1;
  5. //1.需要将后面大数的与前面小数的交换
  6. for (int i = len - 2; i >= 0; i--) {
  7. if (nums[i] < nums[i + 1]) {
  8. firstIndex = i;
  9. break;
  10. }
  11. }
  12. //2.如果不存在逆序整个数组
  13. if (firstIndex == -1) {
  14. reverse(nums, 0, nums.length - 1);
  15. return;
  16. }
  17. int secondIndex = -1;
  18. //3.从后往前找尽可能的大数,因为firstindex后面的是降序
  19. for (int i = len - 1; i >= 0; i--) {
  20. if (nums[i] > nums[firstIndex]) {
  21. secondIndex = i;
  22. break;
  23. }
  24. }
  25. //4.交换大数与小数
  26. swap(nums, firstIndex, secondIndex);
  27. //5.firstindex后面是降序,reverse使其升序
  28. reverse(nums, firstIndex + 1, nums.length - 1);
  29. }
  30. private void reverse(int[] nums, int i, int j) {
  31. while (i < j) {
  32. swap(nums, i++, j--);
  33. }
  34. }
  35. private void swap(int[] nums, int i, int i1) {
  36. int tmp = nums[i];
  37. nums[i] = nums[i1];
  38. nums[i1] = tmp;
  39. }
  40. }

32. 最长有效括号

给你一个只包含 ‘(‘ 和 ‘)’ 的字符串,找出最长有效(格式正确且连续)括号子串的长度。

  1. 输入:s = ")()())"
  2. 输出:4
  3. 解释:最长有效括号子串是 "()()"
  1. class Solution {
  2. public int longestValidParentheses(String s) {
  3. int len = s.length();
  4. int max = 0;
  5. Stack<Integer> stack = new Stack<>();
  6. stack.push(-1);
  7. //一开始压入-1使得栈底元素为最后一个没有匹配的右括号的下标
  8. for (int i = 0; i < s.length(); i++) {
  9. if (s.charAt(i) == '(') {
  10. stack.push(i);
  11. } else {
  12. stack.pop();
  13. if (stack.isEmpty()) {
  14. stack.push(i);
  15. } else {
  16. max = Math.max(max, i - stack.peek());
  17. }
  18. }
  19. }
  20. return max;
  21. }
  22. }

33. 搜索旋转排序数组

整数数组 nums 按升序排列,数组中的值 互不相同 。给你 旋转后 的数组 nums 和一个整数 target ,如果 nums 中存在这个目标值 target ,则返回它的下标,否则返回 -1 。

  1. 输入:nums = [4,5,6,7,0,1,2], target = 0
  2. 输出:4
  1. class Solution {
  2. public int search(int[] nums, int target) {
  3. int lo = 0, hi = nums.length - 1;
  4. while (lo <= hi) {
  5. int mid = lo + (hi - lo) / 2;
  6. if (nums[mid] == target) {
  7. return mid;
  8. }
  9. // 先根据 nums[mid] 与 nums[lo] 的关系判断 mid 是在左段还是右段
  10. if (nums[mid] >= nums[lo]) {
  11. // 再判断 target 是在 mid 的左边还是右边,从而调整左右边界 lo 和 hi
  12. if (target >= nums[lo] && target < nums[mid]) {
  13. hi = mid - 1;
  14. } else {
  15. lo = mid + 1;
  16. }
  17. } else {
  18. if (target > nums[mid] && target <= nums[hi]) {
  19. lo = mid + 1;
  20. } else {
  21. hi = mid - 1;
  22. }
  23. }
  24. }
  25. return -1;
  26. }
  27. }

42. 接雨水

  1. class Solution {
  2. public int trap(int[] height) {
  3. int len = height.length;
  4. int[] max_r = new int[len];
  5. int[] max_l = new int[len];
  6. int res = 0;
  7. for (int i = 1; i < len; i++) {
  8. max_l[i] = Math.max(max_l[i - 1], height[i - 1]);
  9. }
  10. for (int j = len - 2; j >= 0; j--) {
  11. max_r[j] = Math.max(max_r[j + 1], height[j + 1]);
  12. }
  13. for (int i = 0; i < len; i++) {
  14. int min = Math.min(max_l[i], max_r[i]);
  15. if (min <= height[i]) continue;
  16. else {
  17. res += min - height[i];
  18. }
  19. }
  20. return res;
  21. }
  22. }

55. 跳跃游戏

给定一个非负整数数组 nums ,你最初位于数组的 第一个下标 。数组中的每个元素代表你在该位置可以跳跃的最大长度。判断你是否能够到达最后一个下标。

  1. class Solution {
  2. public boolean canJump(int[] nums) {
  3. if (nums.length == 0) return false;
  4. int k = 0;//要理解k是最大索引位置,nums[i]的值加上去也是索引值
  5. for (int i = 0; i < nums.length; i++) {
  6. if (i > k) return false;
  7. k = Math.max(k, i + nums[i]);
  8. }
  9. return true;
  10. }
  11. }

56. 合并区间

  1. 输入:intervals = [[1,3],[2,6],[8,10],[15,18]]
  2. 输出:[[1,6],[8,10],[15,18]]
  3. 解释:区间 [1,3] [2,6] 重叠, 将它们合并为 [1,6].
  1. class Solution {
  2. public int[][] merge(int[][] intervals) {
  3. int len = intervals.length;
  4. Arrays.sort(intervals, (a, b) -> a[0] - b[0]);
  5. int[][] res = new int[len][2];
  6. int idx = -1;
  7. for (int[] num : intervals) {
  8. if (idx == -1 || num[0] > res[idx][1]) {
  9. res[++idx] = num;
  10. } else {
  11. res[idx][1] = Math.max(res[idx][1], num[1]);
  12. }
  13. }
  14. return Arrays.copyOf(res, idx + 1);
  15. }
  16. }

75. 颜色分类

给定一个包含红色、白色和蓝色,一共 n 个元素的数组,原地对它们进行排序,使得相同颜色的元素相邻,并按照红色、白色、蓝色顺序排列。此题中,我们使用整数 0、 1 和 2 分别表示红色、白色和蓝色。

  1. 输入:nums = [2,0,2,1,1,0]
  2. 输出:[0,0,1,1,2,2]
  1. class Solution {
  2. public void sortColors(int[] nums) {
  3. int zero = -1, one = 0, two = nums.length;
  4. while (one < two) {
  5. if (nums[one] == 0) {
  6. swap(nums, ++zero, one++);
  7. } else if (nums[one] == 1) {
  8. one++;
  9. } else {
  10. swap(nums, --two, one);
  11. }
  12. }
  13. }
  14. private void swap(int[] nums, int i, int j) {
  15. int t = nums[i];
  16. nums[i] = nums[j];
  17. nums[j] = t;
  18. }
  19. }

114. 二叉树展开为链表

  1. class Solution {
  2. public void flatten(TreeNode root) {
  3. if(root == null){
  4. return ;
  5. }
  6. //将根节点的左子树变成链表
  7. flatten(root.left);
  8. //将根节点的右子树变成链表
  9. flatten(root.right);
  10. TreeNode temp = root.right;
  11. //把树的右边换成左边的链表
  12. root.right = root.left;
  13. //记得要将左边置空
  14. root.left = null;
  15. //找到树的最右边的节点
  16. while(root.right != null) root = root.right;
  17. //把右边的链表接到刚才树的最右边的节点
  18. root.right = temp;
  19. }
  20. }

124. 二叉树中的最大路径和

  1. class Solution {
  2. private int ret = Integer.MIN_VALUE;
  3. public int maxPathSum(TreeNode root) {
  4. /**
  5. 对于任意一个节点, 如果最大和路径包含该节点, 那么只可能是两种情况:
  6. 1. 其左右子树中所构成的和路径值较大的那个加上该节点的值后向父节点回溯构成最大路径,不能都在,都在就会重复
  7. 2. 左右子树都在最大路径中, 加上该节点的值构成了最终的最大路径
  8. **/
  9. getMax(root);
  10. return ret;
  11. }
  12. private int getMax(TreeNode node) {
  13. if (node == null) return 0;
  14. int left = Math.max(0, getMax(node.left));//如果子树为负应该置0表示不包含子树
  15. int right = Math.max(0, getMax(node.right));
  16. ret = Math.max(ret, node.val + left + right);//判断在该节点包含左右子树的路径和是否大于当前最大路径和
  17. return Math.max(left, right) + node.val;// 返回经过root的单边最大分支给当前root的父节点计算使用
  18. }
  19. }

442. 数组中重复的数据

给定一个整数数组 a,其中1 ≤ a[i] ≤ nn为数组长度), 其中有些元素出现两次而其他元素出现一次
找到所有出现两次的元素。

  1. 输入:
  2. [4,3,2,7,8,2,3,1]
  3. 输出:
  4. [2,3]
  1. class Solution {
  2. /**
  3. * 观察发现1 ≤ a[i] ≤ n 这个条件,正好和我们数组的下标差1,我们可以按照数值
  4. * 来遍历数组,那么在数组中具有相同值的元素,会被经过两次,那么我们只要想出一种方式
  5. * 在这个遍历结束后可以区分,哪些元素被经过了多次即可,由于数组元素具有1 ≤ a[i] ≤ n
  6. * 这样的范围,那其实我们当每次经过一个元素时,给他加上n,当遍历结束时,我们再次遍历数组
  7. * 那些数值超过2n的元素索引+1,对应的就是我们的出现了两次的元素。
  8. */
  9. public List<Integer> findDuplicates(int[] nums) {
  10. List<Integer> ret = new ArrayList<>();
  11. int n = nums.length;
  12. for (int i = 0; i < n; i++) {
  13. nums[(nums[i] - 1) % n] += n;
  14. }
  15. for (int i = 0; i < n; i++) {
  16. if (nums[i] > 2 * n) ret.add(i + 1);
  17. }
  18. return ret;
  19. }
  20. }