c#winforms - 将树结构显示为标签格式的文本

时间:2016-06-14 05:58:25

标签: c# winforms recursion treeview text-formatting

我需要将treeView结构导出为制表符格式的文本,例如:

node 1
   child node 1.1
      child node 1.1.1
         child node 1.1.1.1
node 2
   child node 2.1
      child node 2.1.1
         child node 2.1.1.1
...etc

我创建了以下递归例程:

     public static string ExportTreeNode(TreeNodeCollection treeNodes)
     {
        string retText = null;

        if (treeNodes.Count == 0) return null;

        foreach (TreeNode node in treeNodes)
        {
            retText += node.Text + "\n";

            // Recursively check the children of each node in the nodes collection.
            retText += "\t" + ExportTreeNode(node.Nodes);
        }
        return retText;
    }

希望它可以完成这项工作,但事实并非如此。相反,它将树结构输出为:

node 1
   child node 1.1
   child node 1.1.1
   child node 1.1.1.1
   node 2
   child node 2.1
   child node 2.1.1
   child node 2.1.1.1

有人可以帮我这个吗?非常感谢!

1 个答案:

答案 0 :(得分:2)

您在此行上的假设不正确:它仅缩进第一个子节点。

retText += "\t" + ExportTreeNode(node.Nodes);

此外,您的标签不会聚合 - 左边实际上永远不会有多个标签。在函数中添加一个缩进参数:

public static string ExportTreeNode(TreeNodeCollection treeNodes, string indent = "")

并更改

retText += node.Text + "\n";

// Recursively check the children of each node in the nodes collection.
retText += "\t" + ExportTreeNode(node.Nodes);

retText += indent + node.Text + "\n";

// Recursively check the children of each node in the nodes collection.
retText += ExportTreeNode(node.Nodes, indent + "\t");