最近在做leetcode上的题目,有一道题是要求交换二叉树左右子树。我一开始没有在函数体中加入如下代码:
if(root == null)
return null;
结果发现出现空指针异常。我觉得上面这段代码有点多余,但是OJ缺了它通过不了。麻烦各位大神帮忙解决一下小弟的困惑。下面贴上整个程序的代码:
public class TreeNode {
int val;
TreeNode left;
TreeNode right;
TreeNode(int x) { val = x; }
public TreeNode invertTree(TreeNode root){
if(root == null)
return null;
if(root.left == null && root.right == null)
return root;
TreeNode temp = root.left;
root.left = root.right;
root.right = temp;
if(root.left != null)
invertTree(root.left);
if(root.right != null)
invertTree(root.right);
return root;
}
}
PHP中文网2017-04-17 15:31:01
코드를 추가하면 첫 번째 코드는
if(root.left == null && root.right == null)
전달된 매개변수가 null이면 root.left입니다. root가 null이므로 left 속성을 호출하면 예외가 보고됩니다.
예외를 차단하면 .root.left==null이 true입니다.
그의 코드를 이해하지 못한 것은 아니지만 코드는 이렇지 않을까 싶습니다.
天蓬老师2017-04-17 15:31:01
void InvertTree(TreeNode* root)
{
if(root)
{
TreeNode* tmp = root->left;
root->left = root->right;
root->right = tmp;
InvertTree(root->left);
InvertTree(root->right);
}
}