当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Ruby TSort模块用法及代码示例


本文简要介绍ruby语言中 TSort模块 的用法。

TSort 使用 Tarjan 算法对强连通分量进行拓扑排序。

TSort 旨在能够与任何可以解释为有向图的对象一起使用。

TSort 需要两种方法将对象解释为图形, tsort_each_node 和 tsort_each_child。

节点的相等性由 eql?和哈希,因为 TSort 在内部使用 Hash

一个简单的例子

以下示例演示如何将 TSort 模块混合到现有类(在本例中为 Hash )。在这里,我们将散列中的每个键视为图中的一个节点,因此我们只需将所需的 tsort_each_node 方法别名为 Hash 的 each_key 方法。对于散列中的每个键,关联的值是节点的子节点的数组。这种选择反过来导致我们实现所需的 tsort_each_child 方法,该方法获取子节点数组,然后使用用户提供的块迭代该数组。

require 'tsort'

class Hash
  include TSort
  alias tsort_each_node each_key
  def tsort_each_child(node, &block)
    fetch(node).each(&block)
  end
end

{1=>[2, 3], 2=>[3], 3=>[], 4=>[]}.tsort
#=> [3, 2, 1, 4]

{1=>[2], 2=>[3, 4], 3=>[2], 4=>[]}.strongly_connected_components
#=> [[4], [2, 3], [1]]

一个更现实的例子

一个非常简单的‘make’ 类工具可以实现如下:

require 'tsort'

class Make
  def initialize
    @dep = {}
    @dep.default = []
  end

  def rule(outputs, inputs=[], &block)
    triple = [outputs, inputs, block]
    outputs.each {|f| @dep[f] = [triple]}
    @dep[triple] = inputs
  end

  def build(target)
    each_strongly_connected_component_from(target) {|ns|
      if ns.length != 1
        fs = ns.delete_if {|n| Array === n}
        raise TSort::Cyclic.new("cyclic dependencies: #{fs.join ', '}")
      end
      n = ns.first
      if Array === n
        outputs, inputs, block = n
        inputs_time = inputs.map {|f| File.mtime f}.max
        begin
          outputs_time = outputs.map {|f| File.mtime f}.min
        rescue Errno::ENOENT
          outputs_time = nil
        end
        if outputs_time == nil ||
           inputs_time != nil && outputs_time <= inputs_time
          sleep 1 if inputs_time != nil && inputs_time.to_i == Time.now.to_i
          block.call
        end
      end
    }
  end

  def tsort_each_child(node, &block)
    @dep[node].each(&block)
  end
  include TSort
end

def command(arg)
  print arg, "\n"
  system arg
end

m = Make.new
m.rule(%w[t1]) { command 'date > t1' }
m.rule(%w[t2]) { command 'date > t2' }
m.rule(%w[t3]) { command 'date > t3' }
m.rule(%w[t4], %w[t1 t3]) { command 'cat t1 t3 > t4' }
m.rule(%w[t5], %w[t4 t2]) { command 'cat t4 t2 > t5' }
m.build('t5')

错误

  • 'tsort.rb' 是错误的名称,因为这个库使用 Tarjan 的强连接组件算法。虽然“strongly_connected_components.rb”是正确的,但是太长了。

参考

    1. Tarjan,“深度优先搜索和线性图算法”,

SIAM Journal on Computing,卷。 1,第 2 期,第 146-160 页,1972 年 6 月。

相关用法


注:本文由纯净天空筛选整理自ruby-lang.org大神的英文原创作品 TSort模块。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。