一些刷题时总结的重要知识点


 =========数组========

1.如果题目要求O(n)复杂度,一般就需要考虑使用two pointer 或者sliding window或者HashMap、 HashSet

eg: https://leetcode.com/problems/longest-consecutive-sequence/description/ 就是利用HashSet ,巧妙将有序的数组转化为无序,就可以不用考虑顺序,直接看有没有每个数相邻的数就行:对每个数,以该数为中心,向左右扩张,直到不连续为止,记下最大长度。

public class LongestConsecutiveSequnce {

    public int longestConsecutive(int[] nums) {
        if (nums.length == 0) return 0;
        HashSet<Integer> set = new HashSet<>();
        for (int num : nums) set.add(num);
        int res = 0;
        for (int num : nums) {
            int tmpLongest = 1;
            for (int i = num + 1; set.contains(i); i++) {
                set.remove(i);
                tmpLongest ++;
            }
            for (int i = num - 1; set.contains(i); i--) {
                set.remove(i);
                tmpLongest ++;
            }
            res = Math.max(res, tmpLongest);
        }
        return res;
    }
}
View Code

=========树========

1. 删除树节点:代替该节点的是该节点的右子树(如果存在左、右子树的话)的最小值(右子树的最左端),然后就变为删除最小值的节点,可变为递归解决。

参考题目:https://leetcode.com/problems/delete-node-in-a-bst/description/

=========排序========  

快速排序的变种:

1.-------快速选择算法-------

应用:用于在一个未排序的数组中找到第k大的数,时间复杂度O(n)

算法步骤:

1)利用快速排序划分的思想,选定一个pivot,然后划分数组为left(全部小于pivot),right(全部大于pivot);

2)

原文地址:https://www.cnblogs.com/shawshawwan/p/7910282.html