LeetCode Mock Review 2021-04-11
118. Pascal’s Triangle
118. Pascal’s Triangle
一道数学题。第i层的第k个数字等于第i-1层的第k-1个数字和第k个数字的和。使用一个List保存上一层的数字,先添加首位的1然后填充后续数字,最后再添加末尾的1。
class Solution {
public List<List<Integer>> generate(int numRows) {
List<List<Integer>> res = new ArrayList<>();
if(numRows== 0) return res;
List<Integer> last;
for(int i = 1; i <= numRows; i++){
if(i <= 2){
List<Integer> list = new ArrayList<>();
for(int j = 0; j < i; j++){
list.add(1);
}
res.add(list);
}else{
List<Integer> list = new ArrayList<>();
list.add(1);
last = res.get(i-2);
for(int j = 1; j < i - 1; j++){
list.add(last.get(j-1) + last.get(j));
}
list.add(1);
last = list;
res.add(list);
}
}
return res;
}
}
662. Maximum Width of Binary Tree
662. Maximum Width of Binary
这是一道关于树的题。每层的width等于这一层的第一个非null结点到最后一个非null结点间的结点数量。树的每一个结点都可以用一个数字来唯一确定该结点的位置。假设一个结点的索引为i,则其两个子节点的索引分别为2*i + 1和2*i + 2。因此对树进行广度优先遍历(bfs),找到每一层中具有最小索引和最大索引的非空结点,即可得知该层的width。在bfs时,只用考虑非空结点即可。
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
class Node{
TreeNode node;
int index;
public Node(TreeNode node, int index){
this.node = node;
this.index = index;
}
}
public int widthOfBinaryTree(TreeNode root) {
if(root == null) return 0;
int res = 0;
int min = Integer.MAX_VALUE, max = Integer.MIN_VALUE;
Queue<Node> queue = new LinkedList<>();
queue.offer(new Node(root,0));
while(!queue.isEmpty()){
int size = queue.size();
min = Integer.MAX_VALUE;
max = Integer.MIN_VALUE;
for(int i = 0; i < size; i++){
Node cur = queue.poll();
min = Math.min(min, cur.index);
max = Math.max(max, cur.index);
if(cur.node.left != null){
queue.offer(new Node(cur.node.left, cur.index * 2 + 1));
}
if(cur.node.right != null){
queue.offer(new Node(cur.node.right, cur.index * 2 + 2));
}
}
res = Math.max(res, max - min + 1);
}
return res;
}
}
总结:第一道题很简单,没有花太多时间就搞定了。第二道题,一开始考虑时没有想到width是每层的最小非空结点到最大非空结点,浪费了一些时间写了一个统计count的做法。后来想到这一点时,却没有想明白如何统计最大非空结点和最小非空结点,而是从第一个非空结点开始向后查找,并且将null结点也插入了队列。这导致了深度很深而结点不多时的超时。最后只通过了94/111个用例。接下来也会继续进行树相关专题的刷题进行巩固。