2016-10-29 34 views
2

我想顯示n元樹的最大平均得分,其中average =子節點的值的總和/子節點的數量。 我節點的定義如下查找N-ary樹中的最大平均得分

class NaryNode { 
int value; 
NaryNode parent; 
List<NaryNode> children = new ArrayList<NaryNode>(); 

NaryNode(int x) { 
    this.value = x; 
} 

public void addChild(NaryNode childNode) { 
    childNode.parent = this; 
    this.children.add(childNode); 
    } 

} 


public class NaryTree { 
public NaryNode root = new NaryNode(10); 

public NaryTree() { 
    root.parent = null; 
} 

public void traverseTree(NaryNode rootNode)// depth first 
{ 
    System.out.println(rootNode.value); 
    if (rootNode.children.size() != 0) 
     for (NaryNode ch : rootNode.children) 
      traverseTree(ch); 
} 

public static void main(String[] args) { 
    NaryTree mytree = new NaryTree(); 

    NaryNode n2 = new NaryNode(20); 
    NaryNode n3 = new NaryNode(3); 
    NaryNode n4 = new NaryNode(15); 

    NaryNode n5 = new NaryNode(8); 
    NaryNode n6 = new NaryNode(45); 
    NaryNode n7 = new NaryNode(22); 

    NaryNode n8 = new NaryNode(11); 
    NaryNode n9 = new NaryNode(16); 
    NaryNode n10 = new NaryNode(18); 

    NaryNode n11 = new NaryNode(7); 

    mytree.root.addChild(n2); 
    mytree.root.addChild(n3); 
    mytree.root.addChild(n4); 

    n2.addChild(n5); 
    n2.addChild(n6); 
    n2.addChild(n7); 

    n3.addChild(n8); 
    n3.addChild(n9); 
    n3.addChild(n10); 

    n4.addChild(n11); 

    // mytree.traverseTree(mytree.root); 
    int max = Integer.MIN_VALUE; 
    int maxavg = calculateaverage(mytree.root,max); 
    System.out.println(maxavg); 
} 

private static int calculateaverage(NaryNode root,int max) { 
    int sum = 0; 
    int count =0; 
    if(root.children.size() == 0) 
     return root.value; 
    for(NaryNode cc : root.children){ 
     sum += calculateaverage(cc,max); 
     count++; 
    } 
    sum = sum/count; 
    if(sum>max) 
     max = sum; 
    return max; 
} 

} 

我已經寫了下面的邏輯,但它給我回答錯了我的邏輯是不正確。你能指出我出錯的地方嗎?

回答

1

您必須爲每個有子女的孩子更新您的max值。試試這個:

private static int calculateaverage(NaryNode root,int max) { 
    int sum = 0; 
    int count =0; 
    if(root.children.size() == 0) 
     return root.value; 
    for(NaryNode cc : root.children){ 
     if(cc.children.size() > 0){ 
      int tmp = calculateaverage(cc,max); 
      if(tmp>max){ 
       max = tmp; 
      } 
     } 
     sum+=cc.value; 
     count++; 
    } 
    sum = sum/count; 
    if(sum>max) 
     max = sum; 
    return max; 
} 

注:您可能需要使用double S代表平均水平。

+0

@Vinny爲什麼你收回我的答案接受?現在是你在找什麼?如果沒有,請添加更多詳細信息,以便我可以改進答案。 – qwerty1423

+0

: - 實際上,替換NaryNode n3 = new NaryNode(3);與NaryNode n3 =新的NaryNode(3000);並檢查它。答案仍然是25.我想它只是在最後一級檢查 – Vinny