我希望用c#打印(到List>树叶的每个路径(最好是递归)
如果是树:
A
B C
D E F G H
I
我希望获得的结果是叶子列表清单(A是叶子,ABDI是叶子清单):
ABDI
ABE
ABF
ACG
ACH
我正在尝试像foreach一样的不同循环,但我不知道何时打印以获得整个路径。
答案 0 :(得分:3)
您需要使用depth-first traversal。
解决方案是:
public class Node {
public List<Node> Children {get;set;}
public string Label {get;set;}
}
public static void Print(Node node, string result)
{
if (node.Children == null || node.Children.Count == 0)
{
Console.WriteLine(result);
return;
}
foreach(var child in node.Children)
{
Print(child, result + child.Label);
}
}
这样称呼:
Print(root, root.Label);
答案 1 :(得分:0)
应该是这样的:(第一次调用ListNodes(节点,“”);
private void ListNodes(TreeNode node, string root)
{
if (node.Nodes.Count > 0)
{
foreach (TreeNode n in node.Nodes)
{
ListNodes(n, root + node.Text);
}
}
else
{
Console.Write(" " + root + node.Text);
}
}
答案 2 :(得分:0)
假设您有这样的结构:
class Node {
List<Node> Children {get;set;}
string Label {get;set;}
}
您可以使用递归方法打印路径,例如:
void PrintPaths (Node node, List<Node> currentPath)
{
currentPath = new List<Node>(currentPath);
currentPath.Add (node);
if (node.Children.Any()) {
foreach (var child in node.Children)
PrintPaths (child, currentPath);
} else {
//we are at a leaf, print
foreach (var n in currentPath)
Console.Write (n.Label);
Console.WriteLine ();
}
}
在根节点上调用此方法:PrintPaths (rootnode, null);
如果您想要返回这些列表而不是打印,请向该方法传递一个额外的参数List<List<Node>>
,而不是在最后打印,将当前路径添加到结果中。
var result = new List<List<Node>> ();
GetPaths (rootNode, null, result); //implementation not provided, but trivial
答案 3 :(得分:0)
Depth First Search使用堆栈,另一种干净的方式
push (root);
while (top ())
{
pop (top);
push (node->right);
push (node->left);
}
这可以递归地完成