1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
|
#!/usr/bin/env ruby
require 'nlp_ruby'
require 'json'
module HG
class HG::Node
attr_accessor :label, :cat, :outgoing, :incoming, :score
def initialize label=nil, cat=nil, outgoing=[], incoming=[], score=nil
@label = label
@cat = cat
@outgoing = outgoing
@incoming = incoming
@score = nil
end
def to_s
"Node<label:\"#{@label}\", cat:\"#{@cat}\", outgoing:#{@outgoing.size}, incoming:#{@incoming.size}>"
end
end
class HG::Hypergraph
attr_accessor :nodes, :edges
def initialize nodes=[], edges=[]
@nodes = nodes
@edges = edges
end
def arity
@edges.map { |e| e.arity }.max
end
def to_s
"Hypergraph<nodes:[#{@nodes.to_s}], edges:[#{@edges.to_s}], arity:#{arity}>"
end
end
class HG::Hyperedge
attr_accessor :head, :tails, :weight, :f, :mark
def initialize head=nil, tails=[], weight=0.0, f={}
@head = head
@tails = tails
@weight = weight
@f = f
@mark = 0
end
def arity
return @tails.size
end
def marked?
arity == @mark
end
def to_s
"Hyperedge<head:\"#{@head.label}\", tails:#{@tails.map{|n|n.label}}, arity:#{arity}, weight:#{@weight}, f:#{f.to_s}, mark:#{@mark}>"
end
end
def HG::topological_sort nodes
sorted = []
s = nodes.reject { |n| !n.incoming.empty? }
while !s.empty?
sorted << s.shift
sorted.last.outgoing.each { |e|
next if e.marked?
e.mark += 1
s << e.head if e.head.incoming.reject{ |f| f.mark==f.arity }.empty?
}
end
return sorted
end
def HG::init nodes, semiring, root
nodes.each { |n| n.score=semiring.null }
root.score = semiring.one
end
def HG::viterbi hypergraph, root, semiring=ViterbiSemiring.new
toposorted = topological_sort hypergraph.nodes
init toposorted, semiring, root
toposorted.each { |n|
n.incoming.each { |e|
s = semiring.one
e.tails.each { |m|
s = semiring.multiply.call(s, m.score)
}
n.score = semiring.add.call(n.score, semiring.multiply.call(s, e.weight))
}
}
end
def HG::read_hypergraph_from_json fn, semiring=RealSemiring.new, log_weights=false
nodes = []
edges = []
nodes_by_label = {}
nodes_by_index = []
h = JSON.parse File.new(fn).read
w = SparseVector.from_h h['weights']
h['nodes'].each { |i|
n = Node.new i['label'], i['cat']
nodes << n
nodes_by_label[n.label] = n
nodes_by_index << n
}
h['edges'].each { |i|
e = Hyperedge.new nodes_by_label[i['head']], i['tails'].map{|j| nodes_by_label[j]}.to_a, semiring.convert.call(i['weight'].to_f)
e.f = SparseVector.from_h i['f']
if log_weights
e.weight = Math.exp(w.dot(e.f))
else
e.weight = w.dot(e.f)
end
e.tails.each { |m|
m.outgoing << e
}
e.head.incoming << e
edges << e
}
return Hypergraph.new(nodes, edges), nodes_by_label, nodes_by_index
end
end #module
|