图:节点依赖

时间:2012-12-28 01:59:12

标签: graph dependencies

我有一个这样的图表:enter image description here

例如,我想知道节点8的依赖关系:1,2,3,5。有些机构可以给我一些代码或者可能是伪代码来解决这个问题吗?

由于

1 个答案:

答案 0 :(得分:0)

依赖结构是partially ordered set。我有类似的情况,我用2个方法(在python中)覆盖:

  • nodes_to_update( to_proc )参数是一组要开始的节点(例如set([8]))。返回两组节点:给定节点所依赖的所有节点的集合和叶节点集。想法是以递归方式访问依赖访问节点的所有节点。
  • sequence_to_update( to_proc )参数如上所述。返回(有序)节点列表,以便列表中的节点仅依赖于列表之前的节点。通过将叶节点添加到有序列表,并将节点集更新为已处理(所有节点和叶节点)来完成。

依赖节点使用方法down_nodes(o_id)获取,依赖的节点使用up_nodes(o_id)获取。

def nodes_to_update(self, to_proc):
    all_to_update, first_to_update = set(), set()
    while to_proc:
        n = to_proc.pop()
        all_to_update.add(n)
        ds = self.down_nodes(n)  # nodes on which n depends
        if not ds:
            first_to_update.add(n)
        else:
            to_proc.update(ds)
    return all_to_update, first_to_update

def sequence_to_update(self, to_proc):
    all_to_update, first_to_update = self.nodes_to_update(to_proc)
    update_in_order = []
    while first_to_update:
        n_id = first_to_update.pop()
        all_to_update.discard(n_id)
        update_in_order.append(n_id)
        # nodes which depend on n_id (intersection of upper nodes and all nodes to update)
        for up_id in (self.up_nodes(n_id) & all_to_update):
            if all(d not in all_to_update for d in self.down_nodes(up_id)):
                first_to_update.add(up_id)
    return update_in_order