7

我有一个需要用来构建无序树的对象的邻接列表(从 SQL 数据库加载的行,带有键和它的父键)。保证没有周期。

这花费的时间太长(大约 5 分钟内仅处理了 870K 节点中的约 3K)。在具有大量 RAM 的工作站 Core 2 Duo 上运行。

关于如何加快速度的任何想法?

public class StampHierarchy {
    private StampNode _root;
    private SortedList<int, StampNode> _keyNodeIndex;

    // takes a list of nodes and builds a tree
    // starting at _root
    private void BuildHierarchy(List<StampNode> nodes)
    {
        Stack<StampNode> processor = new Stack<StampNode>();
        _keyNodeIndex = new SortedList<int, StampNode>(nodes.Count);

        // find the root
        _root = nodes.Find(n => n.Parent == 0);

        // find children...
        processor.Push(_root);
        while (processor.Count != 0)
        {
            StampNode current = processor.Pop();

            // keep a direct link to the node via the key
            _keyNodeIndex.Add(current.Key, current);  

            // add children
            current.Children.AddRange(nodes.Where(n => n.Parent == current.Key));

            // queue the children
            foreach (StampNode child in current.Children)
            {
                processor.Push(child);
                nodes.Remove(child); // thought this might help the Where above
            }
        }
    }
}

    public class StampNode {
         // properties: int Key, int Parent, string Name, List<StampNode> Children
    }
4

2 回答 2

5
  1. 将节点放入排序列表或字典中。

  2. 扫描该列表,取出每个节点,在同一个列表中找到其父节点(二分查找或字典查找),将其添加到父节点的 Children 集合中。

不需要堆栈将其放入树中。

于 2010-04-16T16:48:14.163 回答
2

SortedList 不是在这种情况下使用的好容器。插入操作(对 Add() 的重复调用)是 O(n),因为它在内部表示为平面列表。使用 Dictionary 而不是 SortedList 将是一个很大的改进,因为它是 O(1) 摊销插入时间。

于 2010-04-16T16:48:29.797 回答