具有递归特性
只有一个为空,返回false;都为空,返回true
根左右的次序:根不同,返回false;根相同,则返回 左右是否都相等
import java.util.*; /* * public class TreeNode { * int val = 0; * TreeNode left = null; * TreeNode right = null; * public TreeNode(int val) { * this.val = val; * } * } */ public class Solution { /** * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可 * * * @param root1 TreeNode类 * @param root2 TreeNode类 * @return bool布尔型 */ public boolean isSameTree (TreeNode root1, TreeNode root2) { // 递归 return isSame(root1, root2); } private boolean isSame(TreeNode root1, TreeNode root2) { if (root1 == null && root2 == null) { return true; } if (root1 == null || root2 == null) { return false; } if (root1.val != root2.val) { return false; } else { boolean left = isSame(root1.left, root2.left); boolean right = isSame(root1.right, root2.right); return left && right; } } }