我在文本文件中有一些数据格式如下:
A.B.C=12
A.B.D=13
A.C.D=14
并且需要将它放入树视图控件中,使其看起来像这样:
两端的标签值应与文本中的标签值相同,即。 C = 12.
我尝试过的大部分内容都围绕着在每一行上使用foreach循环,然后将字符串拆分为'。'和'='并循环遍历这些,但我无法获得它可以工作。
非常感谢任何帮助......
答案 0 :(得分:0)
这是解决问题的方法之一。评论在代码中。 适用于您的样本数据,但我不能保证它在其他一些情况下可以使用:)
主要方法是PopulateTreeView()
,因此请在表格Load
事件中调用它。此外,还有辅助方法FindNode
,用于搜索第一级节点以查找是否存在提供文本的节点。
如果您还有其他问题,请随时提出。
private void PopulateTreeView()
{
//read from file
var lines = File.ReadAllLines(@"c:\temp\tree.txt");
//go through all the lines
foreach (string line in lines)
{
//split by dot to get nodes names
var nodeNames = line.Split('.');
//TreeNode to remember node level
TreeNode lastNode = null;
//iterate through all node names
foreach (string nodeName in nodeNames)
{
//values for name and tag (tag is empty string by default)
string name = nodeName;
string tagValue = string.Empty;
//if node is in format "name=value", change default values of name and tag value. If not,
if (nodeName.Contains("="))
{
name = nodeName.Split('=')[0];
tagValue = nodeName.Split('=')[1];
}
//var used for finding existing node
TreeNode existingNode = null;
//new node to add to tree
TreeNode newNode = new TreeNode(name);
newNode.Tag = tagValue;
//collection of subnodes to search for node name (to check if node exists)
//in first pass, that collection is collection of treeView's nodes (first level)
TreeNodeCollection nodesCollection = treeView1.Nodes;
//with first pass, this will be null, but in every other, this will hold last added node.
if (lastNode != null)
{
nodesCollection = lastNode.Nodes;
}
//look into collection if node is already there (method checks only first level of node collection)
existingNode = FindNode(nodesCollection, name);
//node is found? In that case, skip it but mark it as last "added"
if (existingNode != null)
{
lastNode = existingNode;
continue;
}
else //not found so add it to collection and mark node as last added.
{
nodesCollection.Add(newNode);
lastNode = newNode;
}
}
}
treeView1.ExpandAll();
}
private TreeNode FindNode(TreeNodeCollection nodeCollectionToSearch, string nodeText)
{
var nodesToSearch = nodeCollectionToSearch.Cast<TreeNode>();
var foundNode = nodesToSearch.FirstOrDefault(n => n.Text == nodeText);
return foundNode;
}