题目地址:
https://www.lintcode.com/problem/binary-tree-leaf-sum/description
给定一棵二叉树,求其所有叶子节点的和。
如果是空树则返回 0 0 0,如果已经到达了叶子节点则返回叶子的值,否则返回左右子树的叶子节点的和之和。代码如下:
public class Solution {
/**
* @param root: the root of the binary tree
* @return: An integer
*/
public int leafSum(TreeNode root) {
// write your code here
if (root == null) {
return 0;
}
// 走到叶子节点的时候就要返回了,不能继续搜索下去了
if (root.left == null && root.right == null) {
return root.val;
}
return leafSum(root.left) + leafSum(root.right);
}
}
class TreeNode {
int val;
TreeNode left, right;
public TreeNode(int val) {
this.val = val;
}
}
时间复杂度 O ( n ) O(n) O(n),空间 O ( h ) O(h) O(h)。