仅使用parentId有效排序层次结构数据

时间:2013-01-30 06:58:48

标签: c# hierarchical-data

问题

订购平面无序节点集的最快方法是什么,以便父节点始终在其子节点之前列出。我当前的解决方案使用队列以广度优先的方式迭代树。但是我一直想知道是否有更好/更有效的方法。

注意:

  • 我无法预先计算任何值
  • Id和ParentId也可以是Guids(即使我不能保证顺序ID)

Linq Pad代码

void Main()
{
    var nodes = new Node[] {
        new Node { Id = 7, ParentId = 3 },
        new Node { Id = 4, ParentId = 2 },
        new Node { Id = 1, ParentId = 0 },
        new Node { Id = 2, ParentId = 1 },
        new Node { Id = 3, ParentId = 1 },

        new Node { Id = 5, ParentId = 2 },
        new Node { Id = 6, ParentId = 3 },
        new Node { Id = 8, ParentId = 0 },
    };

    SortHierarchy(nodes).Dump();
}

IEnumerable<Node> SortHierarchy(IEnumerable<Node> list)
{
    // hashtable lookup that allows us to grab references to the parent containers, based on id
    var lookup = new Dictionary<int, List<Node>>();

    Queue<Node> nodeSet = new Queue<Node>();
    List<Node> children;

    foreach (Node item in list) {
        if (item.ParentId == 0) { // has no parent
            nodeSet.Enqueue(item); // This will add all root nodes in the forest
        } else {
            if (lookup.TryGetValue(item.ParentId, out children)) {
                // add to the parent's child list
                children.Add(item);
            } else {
                // no parent added yet
                lookup.Add(item.ParentId, new List<Node> { item });
            }
        }
    }

    while (nodeSet.Any()) {
        var node = nodeSet.Dequeue();
        if (lookup.TryGetValue(node.Id, out children)) {
            foreach (var child in children) {
                nodeSet.Enqueue(child);
            }
        }
        yield return node;
    }
}

private class Node {
    public int Id { get; set; }
    public int ParentId { get; set; }
    public string Name { get; set; }
}

研究

我确实找到了这个,但它不是我所追求的(代码也不起作用)

Building hierarchy objects from flat list of parent/child

1 个答案:

答案 0 :(得分:-1)

此代码提供相同的dump()结果,首先使用parentid对列表进行排序:

IEnumerable<Node> SortHierarchy2(IEnumerable<Node> list)
{
    return list.OrderBy(l => l.ParentId);
}

只要您的孩子ID <&lt;他们的父母ids。