也许我无法解释清楚,但这应该解释: 我有一个名为getParentNode(TreeNode)的int字段来获取它拥有的父节点数(例如,如果节点下面有2个节点,则count将为2) 我有一个名为getParentNames(TreeNode)的List字段,它返回所有父名称。
getParentCount:
int getParentCount(TreeNode node)
{
int count = 1;
while (node.Parent != null)
{
count++;
node = node.Parent;
}
return count;
}
getParentsNames:
List<string> getParentNames(TreeNode node)
{
List<string> list = new List<string>();
for (int i = 0; i < getParentCount(node); i++)
{
//i = 1 : list.Add(node.Parent.Text);
//i = 2 : list.Add(node.Parent.Parent.Text);
//i = 3 ...
}
return list;
}
我是否需要检查是否(i == 0)(我不想手动编写因为数字可以是任何东西)或什么? 问候。
答案 0 :(得分:1)
为什么不使用node.FullPath
计算TreeView.PathSeparator
字符?像
char ps = Convert.ToChar( TreeView1.PathSeparator);
int nCount = selectedNode.FullPath.Split(ps).Length;
答案 1 :(得分:1)
您可以使用以下任一选项:
FullPath
分割PathSeparator
节点
FullPath
分割节点PathSeparator
您可以使用FullPath
的{{1}}属性,并使用TreeNode
PathSeparator
属性拆分结果。例如:
TreeView
此外,您可以获得private void treeView1_AfterSelect(object sender, TreeViewEventArgs e)
{
var ancestorsAndSelf = e.Node.FullPath.Split(treeView1.PathSeparator.ToCharArray());
}
的所有祖先。您可以简单地使用while循环使用TreeNode
,而父级不为null。我更喜欢将此逻辑封装在扩展方法中,并使其在未来更具可重用性。您可以创建一个扩展方法来返回节点的所有父节点(祖先):
node.Parent
用法:
using System.Collections.Generic;
using System.Linq;
using System.Windows.Forms;
public static class TreeViewExtensions
{
public static List<TreeNode> Ancestors(this TreeNode node)
{
return AncestorsInternal(node).Reverse().ToList();
}
public static List<TreeNode> AncestorsAndSelf(this TreeNode node)
{
return AncestorsInternal(node, true).Reverse().ToList();
}
private static IEnumerable<TreeNode> AncestorsInternal(TreeNode node, bool self=false)
{
if (self)
yield return node;
while (node.Parent != null)
{
node = node.Parent;
yield return node;
}
}
}
您可以从祖先那里获得文字或任何其他财产:
List<TreeNode> ancestors = treeView1.SelectedNode.Ancestors();
注意
JFYI您可以使用扩展方法方法来获取所有子节点。在这里,我分享了一个扩展方法:Descendants Extension Method。
答案 2 :(得分:0)
无论如何,我注意到我需要使用while循环:
List<string> getParentNames(TreeNode node)
{
List<string> list = new List<string>();
int count = getParentCount(node);
int index = 0;
TreeNode parent = node;
while (index < count)
{
if (parent != null)
{
index++;
list.Add(parent.Text);
parent = parent.Parent;
}
}
return list;
}