-
Notifications
You must be signed in to change notification settings - Fork 12
/
cant.py
executable file
·347 lines (300 loc) · 11.8 KB
/
cant.py
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
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
#! /usr/bin/python
"""CAnonicalize N-Triples
Options:
--verbose -v Print what you are doing as you go
--help -h Print this message and exit
--from=uri -f uri Specify an input file (or web resource)
--diff=uri -d uri Specify a difference file
Can have any number of --from <file> parameters, in which case files are
merged. If none are given, /dev/stdin is used.
If any diff files are given then the diff files are read merged separately
and compared with the input files. the result is a list of differences
instead of the canonicalizd graph. This is NOT a minimal diff.
Exits with nonzero system status if graphs do not match.
This is an independent n-triples cannonicalizer. It uses heuristics, and
will not terminate on all graphs. It is designed for testing: the output and
the reference output are both canonicalized and compared.
It uses the very simple NTriples format. It is designed to be independent
of the SWAP code so that it can be used to test the SWAP code. It doesn't
boast any fancy algorithms - just tries to get the job done for the small
files in the test datasets.
The algorithm to generate a "signature" for each bnode. This is just found
by looking in its immediate viscinity, treating any local bnode as a blank.
Bnodes which have signatures
unique within the graph can be allocated cannonical identifiers as a function
of the ordering of the signatures. These are then treated as fixed nodes.
If another pass is done of the new graph, the signatures are more distinct.
This works for well-labelled graphs, and graphs which don't have large areas
of interconnected bnodes or large duplicate areas. A particular failing
is complete lack of treatment of symmetry between bnodes.
References:
.google graph isomorphism
See also eg http://www.w3.org/2000/10/rdf-tests/rdfcore/utils/ntc/compare.cc
NTriples: see http://www.w3.org/TR/rdf-testcases/#ntriples
Not to mention, published this month by coincidence:
Kelly, Brian, [Whitehead Institute] "Graph cannonicalization", Dr Dobb's Journal, May 2003.
$Id$
This is or was http://www.w3.org/2000/10/swap/cant.py
W3C open source licence <http://www.w3.org/Consortium/Legal/copyright-software.html>.
2004-02-31 Serious bug fixed. This is a test program, shoul dbe itself tested.
Quis custodiet ipsos custodes?
From Manu Sporny 2012-01-16:
Differences between cant.py and our implementation from Dave Longley:
I took a quick peek, saw that it doesn't handle symmetries in the graph (and says so that it is a major failing)...just a quick skim made it look like it does more or less what the shallow/simple compare part of my algorithm does... it doesn't handle all the isomorphic nonsense for the deep comparison.
I didn't see where you're dealing with graph isomorphisms (which require you to calculate a lexicographical path string for every bnode in the graph that needs to be named).
[This is the signature below I think - timbl]
"""
# canticle - Canonicalizer of NTriples Independent of Cwm , Llyn, Etc. ?
import os
import sys
import urllib
try:
from swap import uripath # http://www.w3.org/2000/10/swap/
except ImportError:
import uripath
from sys import stderr, exit
import uripath
import getopt
import re
import types
name = "[A-Za-z][A-Za-z0-9]*" #http://www.w3.org/TR/rdf-testcases/#ntriples
nodeID = '_:' + name
uriref = r'<[^>]*>'
language = r'[a-z0-9]+(?:-[a-z0-9]+)?'
string_pattern = r'".*"' # We know in ntriples that there can only be one string on the line
langString = string_pattern + r'(?:@' + language + r')?'
datatypeString = langString + '(?:\^\^' + uriref + r')?'
#literal = langString + "|" + datatypeString
object = r'(' + nodeID + "|" + datatypeString + "|" + uriref + r')'
ws = r'[ \t]*'
com = ws + r'(#.*)?[\r\n]*'
comment = re.compile("^"+com+"$")
statement = re.compile( ws + object + ws + object + ws + object + com) #
#"
def usage():
print __doc__
def loadFiles(testFiles):
graph = []
WD = "file://" + os.getcwd() + "/"
for fn in testFiles:
if verbose: stderr.write("Loading data from %s\n" % fn)
uri = uripath.join(WD, fn)
inStream = urllib.urlopen(uri)
while 1:
line = inStream.readline()
if line == "" : break
# if verbose: stderr.write("%s\n" % line)
m = comment.match(line)
if m != None: continue
m = statement.match(line)
if m == None:
stderr.write("Syntax error: "+line+"\n")
if verbose:
[stderr.write('%2x ' % ord(c)) for c in line]
stderr.write('\n')
exit(-1)
triple = m.group(1), m.group(2), m.group(3)
if verbose: stderr.write( "Triple: %s %s %s.\n" % (triple[0], triple[1], triple[2]))
graph.append(triple)
if verbose: stderr.write("\nThere are %i statements in graph\n" % (len(graph)))
return graph
def main():
testFiles = []
diffFiles = []
global ploughOn # even if error
ploughOn = 0
global verbose
verbose = 0
try:
opts, args = getopt.getopt(sys.argv[1:], "hf:d:iv",
["help", "from=", "diff=", "to=", "ignoreErrors", "verbose"])
except getopt.GetoptError:
# print help information and exit:
usage()
sys.exit(2)
output = None
for o, a in opts:
if o in ("-h", "--help"):
usage()
sys.exit()
if o in ("-v", "--verbose"):
verbose = 1
if o in ("-i", "--ignoreErrors"):
ploughOn = 1
if o in ("-f", "--from"):
testFiles.append(a)
if o in ("-d", "--diff", "--to"):
diffFiles.append(a)
if testFiles == []: testFiles = [ "/dev/stdin" ]
graph = loadFiles(testFiles)
graph = canonicalize(graph)
if diffFiles != []:
graph2 = loadFiles(diffFiles)
graph2 = canonicalize(graph2)
d = compareCanonicalGraphs(graph, graph2)
if d != 0:
sys.exit(d)
else:
serialize(graph)
def compareCanonicalGraphs(g1, g2):
inserted, deleted = [], []
g1.sort()
g2.sort()
i1, i2 = 0,0
while 1:
if i1 == len(g1):
inserted = inserted + g2[i2:]
if verbose: stderr.write("All other %i triples were inserted.\n" % (len(g2)-i2))
break
if i2 == len(g2):
deleted = deleted + g1[i1:]
if verbose: stderr.write("All other %i triples were deleted.\n" % (len(g1)-i1))
break
d = cmp(g1[i1], g2[i2]) # 1-2
if d==0:
if verbose: stderr.write("Common: %s %s %s.\n" % g2[i2])
i1 += 1
i2 += 1
elif d<0:
if verbose: stderr.write("Deleted: %s %s %s.\n" % g1[i1])
deleted.append(g1[i1])
i1 += 1
else:
if verbose: stderr.write("Inserted: %s %s %s.\n" % g2[i2])
inserted.append(g2[i2])
i2 += 1
for triple in deleted:
print "- %s %s %s." % triple
for triple in inserted:
print "+ %s %s %s." % triple
number = len(deleted) + len(inserted)
if verbose:
if number == 0: stderr.write("FILES MATCH.\n")
else: stderr.write("FILES DIFFER. (%i statements by our count)\n"% number)
return number
def canonicalize(g):
"Do our best with this algo"
dups, graph, c = canon(g)
while dups != 0:
newDups, graph, c = canon(graph, c)
if newDups == dups:
exit(-2) # give up
dups = newDups
return graph
def serialize(graph):
graph.sort()
if verbose: print "# Canonicalized:"
for t in graph:
for x in t:
if x.startswith("__"): x = x[1:]
print x,
print "."
def compareFirst(a,b):
"Compare consistently nested lists of strings"
d = cmp(`a[0]`, `b[0]`)
if verbose:
if d<0: stderr.write("Comparing: %s]\n LESS THAN %s\n" % (`a`,`b`))
elif d>0: stderr.write("Comparing: %s]\n LESS THAN %s\n" % (`b`,`a`))
else: stderr.write("Comparing: %s]\n EQUALS %s\n" % (`b`,`a`))
return d
#@@@@@@@@@@@@
if a==None and b == None: return 0
if a == None: return -1
if b == None: return 1
if isinstance(a, types.IntType):
if isinstance (b,types.IntType): return a-b
else:
return -1 # Ints are less than strings or lists
if isinstance(a, types.StringTypes):
if isinstance (b, types.IntType): return 1
if isinstance (b,types.StringTypes):
if a < b: return -1
if a > b: return 1
return 0
else:
return -1 # Strings are less than lists
else: # a is list
if isinstance (b,types.StringTypes):
return 1
else: # list vs list
# assert isinstance(a, types.ListType) or isinstance(a, TupleType)
if len(a) < len(b): return -1
if len(a) > len(b): return 1
for i in range(len(a)):
d = compare(a[i], b[i], level+1)
if d != 0: return d
return 0
def canon(graph, c0=0):
"""Try one pass at canonicalizing this using 1 step sigs.
Return as a triple:
- The new graph
- The number of duplicate signatures in the bnodes
- The index number for th enext constant to be generated."""
nextBnode = 0
bnodes = {}
pattern = []
signature = []
canonical = {}
for j in range(len(graph)):
triple = graph[j]
pat = []
for i in range(3):
if triple[i].startswith("_:"):
b = bnodes.get(triple[i], None)
if b == None:
b = nextBnode
nextBnode = nextBnode + 1
bnodes[triple[i]] = b
signature.append([])
pat.append(None)
else:
pat.append(triple[i])
pattern.append(pat)
for i in range(3):
if triple[i].startswith("_:"):
b = bnodes[triple[i]]
signature[b].append((i, pat))
if verbose: stderr.write("\n")
n = nextBnode
s = []
for i in range(n):
signature[i].sort() # Signature is now intrinsic to the local environment of that bnode.
if verbose: stderr.write( "Bnode %3i) %s\n\n" % (i, signature[i]))
s.append((signature[i], i))
s.sort(compareFirst)
dups = 0
c = c0
if verbose: stderr.write("\nIn order\n")
for i in range(n):
sig, original = s[i]
if verbose: stderr.write("%3i) Orig: %i Sig:%s\n" %(i, original, sig))
if i != n-1 and s[i][0] == s[i+1][0]:
if verbose: stderr.write(
"@@@ %3i] %i and %i have same signature: \n\t%s\nand\t%s\n" % (
i, s[i][1], s[i+1][1], s[i][0], s[i+1][0]))
dups = dups + 1
elif i != 0 and s[i][0] == s[i-1][0]:
if verbose: stderr.write( "@@@ %3i] %i and %i have same signature: \n\t%s\nand\t%s\n" % (
i, s[i][1], s[i-1][1], s[i][0], s[i-1][0]))
else:
canonical[original] = c
if verbose: stderr.write( "\tBnode#%i canonicalized to new fixed C%i\n" %(s[i][1], c))
c = c + 1
newGraph = []
for j in range(len(graph)):
triple = graph[j]
newTriple = []
for i in range(3):
x = triple[i]
if x.startswith("_:"):
b = bnodes[x]
c1 = canonical.get(b, None)
if c1 != None:
x = "__:c" + str(c1) # New name
newTriple.append(x)
newGraph.append((newTriple[0], newTriple[1], newTriple[2]))
if verbose: stderr.write("Iteration complete with %i duplicate signatures\n\n" %dups)
return dups, newGraph, c
if __name__ == "__main__":
main()
# ends