0

我有一个列表类型的对象,我希望使用它来填充 c# 中的树视图。我为我的对象创建了一个 MyObject 类

public class MyObject
{
    public int Id;
    public int ParentId;
    public string Name;
}

这是一种基于列表递归添加树视图节点的方法。

protected void Page_Load(object sender, EventArgs e)
{
    if (!IsPostBack)
    {
        List<MyObject> list = new List<MyObject>();
        list.Add(new MyObject(){Id=1, Name="Alice", ParentId=0});
        list.Add(new MyObject(){Id=2, Name="Bob", ParentId=1});
        list.Add(new MyObject(){Id=3, Name="Charlie", ParentId=1});
        list.Add(new MyObject(){Id=4, Name="David", ParentId=2});            

        BindTree(list, null);            
    }
}

private void BindTree(IEnumerable<MyObject> list, TreeNode parentNode)
{
    var nodes = list.Where(x => parentNode == null ? x.ParentId == 0 : x.ParentId == int.Parse(parentNode.Value));
    foreach (var node in nodes)
    {
        TreeNode newNode = new TreeNode(node.Name, node.Id.ToString());
        if (parentNode == null)
        {
            treeView1.Nodes.Add(newNode);
        }
        else
        {
            parentNode.ChildNodes.Add(newNode);
        }
        BindTree(list, newNode);
    }
}

但是,如果我评论这一行,该方法将失败:

list.Add(new MyObject(){Id=1, Name="Alice", ParentId=0});

有没有人有一个简单的解决方案?

4

1 回答 1

0

该方法将失败,因为在评论后:

list.Add(new MyObject(){Id=1, Name="Alice", ParentId=0});

因为您将在列表中没有任何对象 aParentId为 0。问题在于您首先BindTree使用 null调用TreeNode

BindTree(list, null);

这意味着您的第一行代码BindTree将设置nodes为空的可枚举:

var nodes = list.Where(x => parentNode == null ? x.ParentId == 0 : x.ParentId == int.Parse(parentNode.Value));
// 'parentNode' is null, so it looks for items in 'list' that have a 'ParentId' of '0'

在这种情况下,没有项目的 aParentId为 0...

于 2013-08-02T15:50:27.170 回答