题解 | #判断是不是完全二叉树#
判断是不是完全二叉树
https://www.nowcoder.com/practice/8daa4dff9e36409abba2adbe413d6fae
import java.util.*;
/*
* public class TreeNode {
* int val = 0;
* TreeNode left = null;
* TreeNode right = null;
* public TreeNode(int val) {
* this.val = val;
* }
* }
*/
// 有一个思路就是:使用队列然后层序遍历的方法,检查列表中有没有夹杂着null
public class Solution {
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param root TreeNode类
* @return bool布尔型
*/
public boolean isCompleteTree (TreeNode root) {
// write code here;
if(root==null) return true;
Queue<TreeNode> q = new LinkedList<>();
q.offer(root);
boolean notComplete = false;
TreeNode cur;
while(!q.isEmpty()){
cur = q.poll();
if(cur==null){
notComplete = true;
continue;
}
if(notComplete){
return false;
}
q.offer(cur.left);
q.offer(cur.right);
}
return true;
}
}
思路大概是想到了的,但是在对Queue接口进行实例化的时候,
发现ArrayDeque<>()和LinkedList<>()方法只有后者可以用,
前者会报错指针越界。
查看12道真题和解析