-
Notifications
You must be signed in to change notification settings - Fork 5
/
graph.py
562 lines (534 loc) · 16.9 KB
/
graph.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
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
#!/usr/bin/env python2
# Libreria di funzioni sui grafi.
#
# classe astratta graph, derivate ugraph (grafo non diretto) e dgraph(grafo diretto).
#
# costruttore:
# graph(G[,w]) grafo copia di G
# graph(N[,w]) grafo vuoto con N nodi
# graph(N,E[,w]) grafo con lista di archi assegnata
# graph(N,[M=...],type='graph_type') grafo di tipo graph_type con N nodi,
# se type = 'forest' allora M=numero di archi.
#
# print:
# stampa in formato olimpico randomizzando l'ordine degli archi.
# se w era stato specificato, aggiunge dei pesi a ogni arco ottenendoli tramite w().
#
# confronti:
# i grafi si confrontano con le relazioni insiemistiche sugli archi (sottoinsieme...).
#
# container:
# l'iterazione su un oggetto graph e' sulla lista ordinata dei suoi archi.
#
# operazioni tra grafi:
# + unione disgiunta (o aggiunta di un arco)
# * prodotto cartesiano
# & intersezione
# | unione
# ~ complementare
# - trasposto (solo grafi diretti)
#
# funzioni random:
# shuffle() permuta i label dei nodi del grafo
# connect() aggiunge il minimo numero di archi necessario per connettere il grafo
# addedges(K, [candidates]) aggiunge K archi random (tra i candidates, oggetto edgerange)
#
# varie:
# N() quantita' di nodi
# M() quantita' di archi
# add(e) aggiunge un arco
# discard(e) rimuove un arco
#
#
# classe edgerange
#
# rappresenta un range di archi.
# instanziazione:
#
# edgerange(g,[0,3],[3,6]) tutti gli archi da 0,1,2 a 3,4,5
# edgerange(g,[[[0,3],[3,6]],[[6,7],[1,5]]]) come prima piu' quelli da 6 a 1,2,3,4
# edgerange(g,[0,3],[3,6]) + edgerange([6,7],[1,5]) come prima
#
# utilizzo:
#
# r = edgerange(...)
# for i in edgerange(...)
# if e in edgerange(...)
# temp = r[i] (sconsigliato)
from random import sample, shuffle, choice, randint as _randint
from math import sqrt
from bisect import bisect_right, bisect_left
from sys import stderr
from sortedcontainers import SortedSet as sortedset
# random da A a B pero' con variabili long
def randint(A, B=None):
"""Random da A a B che funziona con valori long."""
if B is None:
return _randint(0, A-1)
return _randint(A, B-1)
# campiono K elementi in Tot evitando quelli in Pop (assume Pop sottoinsieme di Tot)
def lsample(Tot, K, Pop = xrange(0)):
"""Ritorna una lista con un campione di K elementi in Tot ma non in Pop."""
if isinstance(Tot,int):
Tot = xrange(Tot)
if isinstance(Tot,long):
Tot = lrange(Tot)
if not isinstance(Tot, lrange) and not (0 <= K and len(Pop) + K <= len(Tot)):
raise StandardError("Parameter K out of bounds.")
Add = [randint((Tot.n if isinstance(Tot,lrange) else len(Tot))-len(Pop)-K+1) for i in xrange(K)]
Add.sort()
for i in xrange(K):
Add[i] += i
if isinstance(Tot, set):
Tot = list(Tot)
if isinstance(Tot, list):
Tot.sort()
if isinstance(Pop, set):
Pop = list(Pop)
if isinstance(Pop, list):
Pop.sort()
i = j = 0
ip = Pop.__iter__()
p = ip.next() if i < len(Pop) else None
while j < K:
if i >= len(Pop) or p > Tot[Add[j]+i]:
Add[j] = Tot[Add[j]+i]
j+=1
else:
i+=1
p = ip.next() if i < len(Pop) else None
return Add
class graph:
"""Implementa il concetto di grafo allo scopo di generare grafi pseudo-casuali con proprieta' fissate.
Il grafo viene rappresentato come insieme ordinato di archi.
Il costruttore consente di creare un qualsiasi tipo speciale noto di grafi, le usuali operazioni aritmetiche consentono di effettuare analoghe operazioni combinatoriali, mentre le usuali operazioni logiche consentono di effettuare le analoghe operazioni insiemistiche.
E' inoltre possibile aggiungere archi a caso (con il metodo addedges) o aggiungere archi in modo da connettere il grafo (con il metodo connect)."""
# costruttore
def __init__(self, N=0, E=None, type=None, w=None, M=None):
"""Costruisce un grafo vuoto con N vertici, e insieme di archi E (se specificato).
Se type e' specificato, costruisce invece un grafo di quel tipo.
I valori ammissibili per type sono cycle,path,tree,forest,clique.
Se w e' specificato, il grafo viene considerato pesato, con pesi generati dalla funzione w().
E' anche ammessa l'instanziazione graph(G) con G un grafo gia' esistente."""
if isinstance(N,graph) and E is None and M is None and type is None:
E = sortedset(N.E)
N = N.V
if not isinstance(N,int):
raise StandardError("Incompatible parameters specified.")
if isinstance(E,int):
M=E
E=None
if E is None:
E = sortedset([])
else:
if (M is not None) or (type is not None):
raise StandardError("Incompatible parameters specified.")
if len(E) > 0 and isinstance(E.__iter__().next(),list):
E = [self.cod(e) for e in E]
E = sortedset(E)
if len(E)==0 and N > 1:
if type == 'cycle':
for i in xrange(N):
E.add(self.cod([i,(i+1)%N]))
if type == 'path':
for i in xrange(N-1):
E.add(self.cod([i,(i+1)%N]))
if type == 'tree':
for i in xrange(1,N):
E.add(self.cod([randint(i),i]))
if type == 'forest':
if not (0 <= M < N):
raise StandardError("Parameter M out of bounds.")
for i in lsample(N-1,M):
E.add(self.cod([randint(i+1),i+1]))
if type == 'clique':
for i in xrange(N-1):
for j in xrange(i+1,N):
E.add(self.cod([i,j]))
if type == 'star':
for i in xrange(1,N):
E.add(self.cod([0,i]))
if type == 'wheel':
for i in xrange(1,N):
E.add(self.cod([0,i]))
E.add(self.cod([i,(i+1)%N]))
# eventualmente aggiungere: gear, caterpillar/lobster
self.V=N
self.w=w
self.E=E
# funzioni di stampa
def __repr__(self):
"""Rappresentazione python del grafo."""
return self.__class__.__name__ + '(' + str(self.V) + ',' + str([e for e in self]) + ')'
def __str__(self):
"""Rappresentazione olimpica del grafo."""
s = str(self.N()) + ' ' + str(self.M()) + '\n' + self.printedges()
return s.rstrip()
def printedges(self, zero_based = False):
"""Rappresentazione olimpica del grafo, senza la prima riga."""
s = bytearray()
Ed = list(self.E)
shuffle(Ed)
for e in Ed:
de = self.dec(e)
s += str(de[0]+(0 if zero_based else 1)) + ' ' + str(de[1]+(0 if zero_based else 1))
if self.w is not None:
s += ' ' + str(self.w())
s += '\n'
return str(s).rstrip()
# funzioni di confronto
def __lt__(self,other):
"""Relazione di sottoinsieme proprio."""
return self.E < other.E
def __le__(self,other):
"""Relazione di sottoinsieme."""
return self.E <= other.E
def __eq__(self,other):
"""Relazione di uguaglianza degli archi."""
return self.E == other.E
def __ne__(self,other):
"""Relazione di disuguaglianza degli archi."""
return self.E != other.E
def __gt__(self,other):
"""Relazione di sovrainsieme proprio."""
return self.E > other.E
def __ge__(self,other):
"""Relazione di sovrainsieme."""
return self.E >= other.E
# funzioni da container
def __len__(self):
"""Numero di archi del grafo."""
return len(self.E)
def __getitem__(self,i):
"""Restituisce l'i-esimo arco del grafo."""
return self.dec(self.E[i])
def __iter__(self):
"""Restituisce un iteratore sugli archi del grafo."""
return _graph_iter(self)
def __contains__(self,e):
"""Verifica se un arco e' presente o meno nel grafo."""
if isinstance(e, list):
e = self.cod(e)
return (e in self.E)
# unione disgiunta di grafi (+)
def __add__(self,other):
"""Unione disgiunta di grafi."""
G = self.__class__(self.V,self.E)
G += other
return G
def __iadd__(self,other):
"""Unione disgiunta di grafi."""
if isinstance(other,graph):
self.E |= sortedset([self.cod([e[0]+self.V,e[1]+self.V]) for e in other])
self.V += other.V
else:
self.add(other)
return self
# prodotto cartesiano di grafi (*)
def __mul__(self,other):
"""Prodotto cartesiano di grafi."""
G = self.__class__()
for i in xrange(other.V):
G += self
for e in other:
for i in xrange(self.V):
G += [e[0]*self.V+i,e[1]*self.V+i]
return G
def __imul__(self,other):
"""Prodotto cartesiano di grafi."""
G = self * other
self.V = G.V
self.E = G.E
return self
# intersezione di grafi (&)
def __and__(self,other):
"""Intersezione di grafi."""
G = self.__class__(self.V,self.E)
G &= other
return G
def __iand__(self,other):
"""Intersezione di grafi."""
self.V = min(self.V,other.V)
self.E = self.E & other.E
return self
# unione di grafi (|)
def __or__(self,other):
"""Unione di grafi."""
G = self.__class__(self.V,self.E)
G |= other
return G
def __ior__(self,other):
"""Unione di grafi."""
self.V = max(self.V,other.V)
self.E = self.E | other.E
return self
# grafo complementare (~)
def __invert__(self):
"""Grafo complementare."""
G = self.__class__(self.V,sortedset(xrange(self.mMax())) - self.E)
return G
# funzioni astratte di codifica degli archi.
# devono rispettare che:
# * 0 <= cod(e) < mMax()
# * cod(e) = cod(e') => e = e'
# * cod(e) e' indipendente dal self
# * gli archi validi per V=N sono esattamente mMax()
def cod(self, e):
"""Codifica un arco in un intero univoco e indipendente da N,M tra 0 e mMax()."""
raise NotImplementedError("Abstract class graph must be inherited.")
def dec(self, n):
"""Decodifica l'id di un arco."""
raise NotImplementedError("Abstract class graph must be inherited.")
def mMax(self):
"""Il numero massimo di archi che un grafo con N nodi puo' contenere."""
raise NotImplementedError("Abstract class graph must be inherited.")
# calcolo della taglia
def N(self):
"""Restituisce il numero di nodi del grafo."""
return self.V
def M(self):
"""Restituisce il numero di archi del grafo."""
return len(self.E)
# aggiunta e rimozione di un arco
def add(self,e):
"""Aggiunge un arco al grafo."""
if max(e[0],e[1]) >= self.V:
self.V = max(e[0],e[1])+1
self.E.add(self.cod(e))
def discard(self,e):
"""Rimuove un arco dal grafo, se presente."""
self.E.discard(self.cod(e))
# aggiungo K nuovi archi a caso, tra i candidati (oggetto edgerange-style)
def addedges(self, K, candidates = None):
"""Aggiunge K archi a caso al grafo, tra i candidati (oggetto di tipo edgerange o set/list di archi)."""
if candidates is None:
candidates = self.mMax()
if isinstance(candidates, int):
candidates = xrange(candidates)
if isinstance(candidates, xrange):
i = bisect_left(self.E, candidates[0])
j = bisect_left(self.E, candidates[-1]+1)
dup = self.E[i:j]
else:
dup = sortedset([])
for e in self:
if e in candidates:
dup.add(self.cod(e))
self.E |= sortedset(lsample(candidates, K, dup))
# aggiunge archi fino a connettere il grafo
def connect(self):
"""Aggiunge il minor numero di archi necessario a connettere il grafo."""
lbl = range(self.N())
rnk = [1 for i in lbl]
def find(x):
if x == lbl[x]:
return x
lbl[x] = find(lbl[x])
return lbl[x]
def union(x, y):
lx = find(x)
ly = find(y)
if lx == ly:
return
if rnk[lx] < rnk[ly]:
lx, ly = ly, lx
lbl[ly] = lx
rnk[lx] += rnk[ly]
for e in self:
union(e[0],e[1])
comp = [ [] for i in range(self.N())]
for i in range(self.N()):
comp[find(i)].append(i)
comp = filter(lambda x: len(x) > 0, comp)
shuffle(comp)
kcomp = [ len(i) for i in comp ]
for i in range(1,len(kcomp)):
kcomp[i] += kcomp[i-1]
for i in range(1,len(comp)):
a = randint(kcomp[i-1])
a = bisect_right(kcomp, a) # upper bound
a = choice(comp[a])
b = choice(comp[i])
self += (a,b)
def shuffle(self, perm = None):
"""Permuta casualmente i nodi del grafo tra di loro."""
if perm is None:
perm = range(self.V)
shuffle(perm)
self.E = sortedset([self.cod([perm[e[0]],perm[e[1]]]) for e in self])
class ugraph(graph):
"""Implementazione della classe graph per grafi non diretti."""
def cod(self, e):
a=max(e[0],e[1])
b=min(e[0],e[1])
return a*(a-1)/2 + b
def dec(self, n):
a = int(round(sqrt(2*(n+1))))
b = n - a*(a-1)/2
if randint(0,2) == 0:
return [a,b]
return [b,a]
def mMax(self):
return self.N()*(self.N()-1)/2
class dgraph(graph):
"""Implementazione della classe graph per grafi diretti."""
def __init__(self, N=0, E=None, M=None, w=None, type=None):
"""Comprende tutti i costruttori per graph, piu' type='dag'.
Contempla la conversione di un grafo non diretto in grafo diretto, raddoppiando gli archi."""
if isinstance(N,ugraph) and E is None:
E = [self.cod(e) for e in N]
E += [e^1 for e in E]
N=N.V
if type is 'dag':
if M is None:
M=E
E = [2*e+1 for e in lsample(N*(N-1)/2, M)]
type = None
graph.__init__(self,N,E,M,w,type)
def cod(self, e):
a=max(e[0],e[1])
b=min(e[0],e[1])
return a*(a-1) + 2*b + (0 if e[0] > e[1] else 1)
def dec(self, n):
a = int(round(sqrt(2*(n/2+1))))
b = n/2 - a*(a-1)/2
if n%2 == 0:
return [a,b]
return [b,a]
def mMax(self):
return self.N()*(self.N()-1)
# grafo trasposto
def __neg__(self):
"""Restituisce il grafo trasposto."""
return self.__class__(self.V,[cod([dec(e)[1],dec(e)[0]]) for e in self.E])
class dag(ugraph):
"""Implementazione della classe dag per grafi diretti aciclici."""
def __init__(self, N=0, E=None, M=None, w=None, type=None):
self.lbl = None
graph.__init__(self,N,E,M,w,type)
def dec(self, n):
a = int(round(sqrt(2*(n+1))))
b = n - a*(a-1)/2
return [b,a]
def printedges(self):
"""Rappresentazione olimpica del grafo, senza la prima riga."""
s = bytearray()
Ed = list(self.E)
shuffle(Ed)
for e in Ed:
de = self.dec(e)
s += str(self.lbl[de[0]]+1) + ' ' + str(self.lbl[de[1]]+1)
if self.w is not None:
s += ' ' + str(self.w())
s += '\n'
return str(s).rstrip()
# permuta i nodi del grafo
def shuffle(self, perm = None):
"""Permuta casualmente i nodi del grafo tra di loro."""
if perm is not None:
self.lbl = perm
else:
self.lbl = range(self.V)
shuffle(self.lbl)
class edgerange:
"""Range immutabile di archi, tra blocchi contigui di nodi ad altri blocchi contigui di nodi.
I blocchi sorgente e destinazione di un range non si possono overlappare.
E' possibile concatenare diversi range a patto che gli archi di un range siano tutti maggiori di quelli del range precedente.
L'oggetto non crea fisicamente il range, consentendo un utilizzo efficiente anche con range particolarmente grandi.
Utilizzo tipico:
for e in edgerange(g,[0,3],[1,5]) + edgerange([6,7],[1,5]):
...
g.addedges(3,edgerange(g,[0,3],[1,5]))"""
# costruttore
def __init__(self, edge_type, ran, rdest = None):
"""Costruisce un oggetto edgerange, con archi come in un grafo edge_type."""
if not isinstance(edge_type,graph):
if not ( issubclass(edge_type,graph) ):
raise StandardError("Parameter 1 (edge_type) must be a graph.")
edge_type = edge_type()
if rdest is not None:
ran = [[ran,rdest]]
for r in ran:
if not ( r[0][1] <= r[1][0] or r[1][1] <= r[0][0] ):
raise StandardError("Self-overlapping range.")
for r in xrange(len(ran)-1):
if not ( edge_type.cod([ran[r][0][1]-1,ran[r][1][1]-1]) < edge_type.cod([ran[r+1][0][0],ran[r+1][1][0]]) ):
raise StandardError("Overlapping ranges.")
self.e_t = edge_type
self.R = ran
self.L = [(r[0][1]-r[0][0])*(r[1][1]-r[1][0]) for r in ran]
self.LL = sum(self.L)
def __repr__(self):
"""Rappresentazione python dell'oggetto."""
return self.__class__.__name__ + '(' + self.e_t.__class__.__name__ + ',' + str(self.R) + ')'
# funzioni da container
def __len__(self):
"""Dimensione del range."""
return self.LL
def __getitem__(self,i):
"""Restituisce l'i-esimo arco nel range."""
if not (0 <= i < self.LL):
raise IndexError("Index out of bound.")
n=0
while i-self.L[n]>=0:
i -= self.L[n]
n += 1
if self.R[n][0][1] <= self.R[n][1][0]:
a = i%(self.R[n][0][1] - self.R[n][0][0]) + self.R[n][0][0]
b = i/(self.R[n][0][1] - self.R[n][0][0]) + self.R[n][1][0]
else:
a = i/(self.R[n][1][1] - self.R[n][1][0]) + self.R[n][0][0]
b = i%(self.R[n][1][1] - self.R[n][1][0]) + self.R[n][1][0]
return self.e_t.cod([a,b])
def __iter__(self):
"""Restituisce un iteratore al range."""
return _generic_iter(self)
def __contains__(self,e):
"""Verifica se l'arco e fa parte del range."""
if not isinstance(e,list):
e = self.e_t.dec(e)
for r in self.R:
if (r[0][0] <= e[0] < r[0][1]) and (r[1][0] <= e[1] < r[1][1]):
return True
if (self.e_t.cod([e[1],e[0]]) == self.e_t.cod(e)):
if (r[0][0] <= e[1] < r[0][1]) and (r[1][0] <= e[0] < r[1][1]):
return True
return False
# join di ranges
def __add__(self,other):
"""Concatena due edgerange, se possibile."""
new = self.__class__(self.e_t,self.R + other.R)
return new
class _generic_iter:
"""Iteratore su una struttura con indicizzazione a parentesi."""
def __init__(self,obj):
self.i = 0
self.obj = obj
def __iter__(self):
return self
def next(self):
if self.i >= len(self.obj):
raise StopIteration()
self.i += 1
return self.obj[self.i-1]
class _graph_iter:
"""Iteratore sugli archi di un grafo."""
def __init__(self,g):
self.g = g
self.i = g.E.__iter__()
def __iter__(self):
return self
def next(self):
return self.g.dec(self.i.next())
class lrange:
"""Range di lunghezza arbitraria."""
def __init__(self,n):
self.n = n
def __getitem__(self,i):
return i
def __iter__(self):
return _generic_iter(self)
def __len__(self):
return self.n
if __name__ == "__main__":
print "Ambiente di test non implementato."