A BETTER VERSION ->> [Link]
io/
Video Solution Category Name Link Notes
[Link] Arrays Two Sum [Link] use hash map to instantly check for difference value, map will add index of last occurrence of a num, don’t use same element twice;
[Link] Arrays Best Time to Buy and Sell Stock [Link] find local min and search for local max, sliding window;
[Link] Arrays Contains Duplicate [Link] hashset to get unique values in array, to check for duplicates easily
[Link] Arrays Product of Array Except Self [Link] make two passes, first in-order, second in-reverse, to compute products
[Link] Arrays Maximum Subarray [Link] pattern: prev subarray cant be negative, dynamic programming: compute max sum for each prefix
[Link] Arrays Maximum Product Subarray [Link] dp: compute max and max-abs-val for each prefix subarr;
[Link] Arrays Find Minimum in Rotated Sorted Arra[Link] check if half of array is sorted in order to find pivot, arr is guaranteed to be in at most two sorted subarrays
[Link] Arrays Search in Rotated Sorted Array [Link] at most two sorted halfs, mid will be apart of left sorted or right sorted, if target is in range of sorted portion then search it, otherwise search other half
[Link] Arrays 3Sum [Link] sort input, for each first element, find next two where -a = b+c, if a=prevA, skip a, if b=prevB skip b to elim duplicates; to find b,c use two pointers, left/right on remaining list;
[Link] Arrays Container With Most Water [Link] shrinking window, left/right initially at endpoints, shift the pointer with min height;
[Link] Binary Sum of Two Integers [Link] add bit by bit, be mindful of carry, after adding, if carry is still 1, then add it as well;
[Link] Binary Number of 1 Bits [Link] modulo, and dividing n; mod and div are expensive, to divide use bit shift, instead of mod to get 1's place use bitwise & 1;
[Link] Binary Counting Bits [Link] write out result for num=16 to figure out pattern; res[i] = res[i - offset], where offset is the biggest power of 2 <= I;
[Link] Binary Missing Number [Link] compute expected sum - real sum; xor n with each index and value;
[Link] Binary Reverse Bits [Link] reverse each of 32 bits;
[Link] Dynamic Programming Climbing Stairs [Link] subproblem find (n-1) and (n-2), sum = n;
[Link] Dynamic Programming Coin Change [Link] top-down: recursive dfs, for amount, branch for each coin, cache to store prev coin_count for each amount; bottom-up: compute coins for amount = 1, up until n, using for each coin (amount - coin), cache prev values
[Link] Dynamic Programming Longest Increasing Subsequence [Link] recursive: foreach num, get subseq with num and without num, only include num if prev was less, cache solution of each; dp=subseq length which must end with each num, curr num must be after a prev dp or by itself;
[Link] Dynamic Programming Longest Common Subsequence [Link] recursive: if first chars are equal find lcs of remaining of each, else max of: lcs of first and remain of 2nd and lcs of 2nd remain of first, cache result; nested forloop to compute the cache without recursion;
[Link] Dynamic Programming Word Break Problem [Link] for each prefix, if prefix is in dict and wordbreak(remaining str)=True, then return True, cache result of wordbreak;
[Link] Dynamic Programming Combination Sum [Link] visualize the decision tree, base case is curSum = or > target, each candidate can have children of itself or elements to right of it inorder to elim duplicate solutions;
[Link] Dynamic Programming House Robber [Link] for each num, get max of prev subarr, or num + prev subarr not including last element, store results of prev, and prev not including last element
[Link] Dynamic Programming House Robber II [Link] subarr = arr without first & last, get max of subarr, then pick which of first/last should be added to it
[Link] Dynamic Programming Decode Ways [Link] can cur char be decoded in one or two ways? Recursion -> cache -> iterative dp solution, a lot of edge cases to determine, 52, 31, 29, 10, 20 only decoded one way, 11, 26 decoded two ways
[Link] Dynamic Programming Unique Paths [Link] work backwards from solution, store paths for each position in grid, to further optimize, we don’t store whole grid, only need to store prev row;
[Link] Dynamic Programming Jump Game [Link] visualize the recursive tree, cache solution for O(n) time/mem complexity, iterative is O(1) mem, just iterate backwards to see if element can reach goal node, if yes, then set it equal to goal node, continue;
[Link] Graph Clone Graph [Link] recursive dfs, hashmap for visited nodes
[Link] Graph Course Schedule [Link] build adjacentcy_list with edges, run dfs on each V, if while dfs on V we see V again, then loop exists, otherwise V isnt in a loop, 3 states= not visited, visited, still visiting
[Link] Graph Pacific Atlantic Water Flow [Link] dfs each cell, keep track of visited, and track which reach pac, atl; dfs on cells adjacent to pac, atl, find overlap of cells that are visited by both pac and atl cells;
[Link] Graph Number of Islands [Link] foreach cell, if cell is 1 and unvisited run dfs, increment cound and marking each contigous 1 as visited
[Link] Graph Longest Consecutive Sequence [Link] use bruteforce and try to optimize, consider the max subseq containing each num; add each num to hashset, for each num if num-1 doesn’t exist, count the consecutive nums after num, ie num+1; there is also a union-find solution;
[Link] Graph Alien Dictionary (Leetcode Premium) [Link] chars of a word not in order, the words are in order, find adjacency list of each unique char by iterating through adjacent words and finding first chars that are different, run topsort on graph and do loop detection;
[Link] Graph Graph Valid Tree (Leetcode Premium [Link] union find, if union return false, loop exists, at end size must equal n, or its not connected; dfs to get size and check for loop, since each edge is double, before dfs on neighbor of N, remove N from neighbor list of neighbor;
[Link] Graph Number of Connected Components i [Link] dfs on each node that hasn’t been visited, increment component count, adjacency list; bfs and union find are possible;
[Link] Interval Insert Interval [Link] insert new interval in order, then merge intervals; newinterval could only merge with one interval that comes before it, then add remaining intervals;
[Link] Interval Merge Intervals [Link] sort each interval, overlapping intervals should be adjacent, iterate and build solution; also graph method, less efficient, more complicated
[Link] Interval Non-overlapping Intervals [Link] instead of removing, count how max num of intervals you can include, sort intervals, dp to compute max intervals up until the i-th interval;
[Link] Interval Meeting Rooms (Leetcode Premium) [Link] sort intervals by start time, if second interval doesn’t overlap with first, then third def wont overlap with first;
[Link] Interval Meeting Rooms II (Leetcode Premium[Link] we care about the points in time where we are starting/ending a meeting, we already are given those, just separate start/end and traverse counting num of meetings going at these points in time; for each meeting check if a prev meeting has finished before curr started, using min heap;
[Link] Linked List Reverse a Linked List [Link] iterate through maintaining cur and prev; recursively reverse, return new head of list
[Link] Linked List Detect Cycle in a Linked List [Link] dict to remember visited nodes; two pointers at different speeds, if they meet there is loop
[Link] Linked List Merge Two Sorted Lists [Link] insert each node from one list into the other
[Link] Linked List Merge K Sorted Lists [Link] divied and conquer, merge lists, N totalnodes, k-lists, O(N*logk). For each list, find min val, insert it into list, use priorityQ to optimize finding min O(N*logk)
[Link] Linked List Remove Nth Node From End Of List [Link] use dummy node at head of list, compute len of list; two pointers, second has offset of n from first;
[Link] Linked List Reorder List [Link] reverse second half of list, then easily reorder it; non-optimal way is to store list in array;
[Link] Matrix Set Matrix Zeroes [Link] use sets to keep track of all rows, cols to zero out, after, for each num if it is in a zero row or col then change it to 0; flag first cell in row, and col to mark row/col that needs to be zeroed;
[Link] Matrix Spiral Matrix [Link] keep track of visited cells; keep track of boundaries, layer-by-layer;
[Link] Matrix Rotate Image [Link] rotate layer-by-layer, use that it's a square as advantage, rotate positions in reverse order, store a in temp, a = b, b = c, c = d, d = temp;
[Link] Matrix Word Search [Link] dfs on each cell, for each search remember visited cells, and remove cur visited cell right before you return from dfs;
[Link] String Longest Substring Without Repeating [Link] sliding window, if we see same char twice within curr window, shift start position;
[Link] String Longest Repeating Character Replace [Link] PAY ATTENTION: limited to chars A-Z; for each capital char, check if it could create the longest repeating substr, use sliding window to optimize; check if windowlen=1 works, if yes, increment len, if not, shift window right;
[Link] String Minimum Window Substring [Link] need is num of unique char in T, HAVE is num of char we have valid count for, sliding window, move right until valid, if valid, increment left until invalid, to check validity keep track if the count of each unique char is satisfied;
[Link] String Valid Anagram [Link] hashmap to count each char in str1, decrement for str2;
[Link] String Group Anagrams [Link] for each of 26 chars, use count of each char in each word as tuple for key in dict, value is the list of anagrams;
[Link] String Valid Parentheses [Link] push opening brace on stack, pop if matching close brace, at end if stack empty, return true;
[Link] String Valid Palindrome [Link] left, right pointers, update left and right until each points at alphanum, compare left and right, continue until left >= right, don’t distinguish between upper/lowercase;
[Link] String Longest Palindromic Substring [Link] foreach char in str, consider it were the middle, consider if pali was odd or even;
[Link] String Palindromic Substrings [Link] same as longest palindromic string, each char in str as middle and expand outwards, do same for pali of even len; maybe read up on manachers alg
[Link] String Encode and Decode Strings (Leetcode[Link] store length of str before each string and delimiter like '#';
[Link] Tree Maximum Depth of Binary Tree [Link] recursive dfs to find max-depth of subtrees; iterative bfs to count number of levels in tree
[Link] Tree Same Tree [Link] recursive dfs on both trees at the same time; iterative bfs compare each level of both trees
[Link] Tree Invert/Flip Binary Tree [Link] recursive dfs to invert subtrees; bfs to invert levels, use [Link]; iterative dfs is easy with stack if doing pre-order traversal
[Link] Tree Binary Tree Maximum Path Sum [Link] helper returns maxpathsum without splitting branches, inside helper we also update maxSum by computing maxpathsum WITH a split;
[Link] Tree Binary Tree Level Order Traversal [Link] iterative bfs, add prev level which doesn't have any nulls to the result;
[Link] Tree Serialize and Deserialize Binary Tree [Link] bfs every single non-null node is added to string, and it's children are added too, even if they're null, deserialize by adding each non-null node to queue, deque node, it's children are next two nodes in string;
[Link] Tree Subtree of Another Tree [Link] traverse s to check if any subtree in s equals t; merkle hashing?
[Link] Tree Construct Binary Tree from Preorder [Link] first element in pre-order is root, elements left of root in in-order are left subtree, right of root are right subtree, recursively build subtrees;
[Link] Tree Validate Binary Search Tree [Link] trick is use built in python min/max values float("inf"), "-inf", as parameters; iterative in-order traversal, check each val is greater than prev;
[Link] Tree Kth Smallest Element in a BST [Link] non-optimal store tree in sorted array; iterative dfs in-order and return the kth element processed, go left until null, pop, go right once;
[Link] Tree Lowest Common Ancestor of BST [Link] compare p, q values to curr node, base case: one is in left, other in right subtree, then curr is lca;
[Link] Tree Implement Trie (Prefix Tree) [Link] node has children characters, and bool if its an ending character, node DOESN’T have or need char, since root node doesn’t have a char, only children;
[Link] Tree Add and Search Word [Link] if char = "." run search for remaining portion of word on all of curr nodes children;
[Link] Tree Word Search II [Link] trick: I though use trie to store the grid, reverse thinking, instead store dictionary words, dfs on each cell, check if cell's char exists as child of root node in trie, if it does, update currNode, and check neighbors, a word could exist multiple times in grid, so don’t add duplicates;
[Link] Heap Merge K Sorted Lists [Link] we always want the min of the current frontier, we can store frontier in heap of size k for efficient pop/push; divide and conquer merging lists;
[Link] Heap Top K Frequent Elements [Link] minheap that’s kept at size k, if its bigger than k pop the min, by the end it should be left with k largest;
[Link] Heap Find Median from Data Stream [Link] maintain curr median, and all num greater than med in a minHeap, and all num less than med in a maxHeap, after every insertion update median depending on odd/even num of elements;