这是我的参考树:

    3
   / \
  5   2
 /   / \
1   4   6


这是递归方法的预期输出:

(1*3) + (2 * (5 + 2)) + (3 * (1 + 4 + 6)) = 50


...这是到目前为止的代码:

public int depthSum()
{
    int depth = 1;
    return depthSum(overallRoot, depth);
}

public int depthSum(IntTreeNode someNode, int someDepth)
{
    if(someNode == null)
    {
        return 0;
    }
    else
    {
        return someDepth * someNode.data + //some recursion
    }
}


我知道自己可能必须打电话给自己并增加someDepth,但是我似乎无法正确地做到这一点。有任何想法吗?

最佳答案

想必您的意思是:

return someDepth * someNode.data +
       depthSum(someNode.left, someDepth+1) +
       depthSum(someNode.right, someDepth+1);

09-11 17:51