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
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
|
# -*- coding: utf-8 -*-
import datetime
import re
import time
import logging
from DateTime.DateTime import DateTime
from zope.i18n.locales import locales
from Products.CMFCore.WorkflowCore import WorkflowException
from Products.Five.browser import BrowserView
from z3c.sqlalchemy import getSAWrapper, createSAWrapper
from Products.CMFCore.utils import getToolByName
from zope.event import notify
from zope.lifecycleevent import ObjectAddedEvent, ObjectModifiedEvent
from zope import component
from zope.app.intid.interfaces import IIntIds
from z3c.relationfield import RelationValue
from zope.i18n.locales import locales
from plone.app.textfield.value import RichTextValue
import transaction
from plone.registry.interfaces import IRegistry
from tabellio.config.interfaces import ITabellioSettings
log = logging.getLogger('Plone')
class SyncFromPcfDbView(BrowserView):
def setup(self):
self.settings = component.getUtility(IRegistry).forInterface(ITabellioSettings, False)
self.portal = getToolByName(self.context, 'portal_url').getPortalObject()
self.plone_utils = getToolByName(self.context, 'plone_utils')
self.intids = component.getUtility(IIntIds)
self.portal_workflow = getToolByName(self.context, 'portal_workflow')
self.portal_types = getToolByName(self.context, 'portal_types')
def db_connection(self):
return self.portal.db._wrapper.connection
db_connection = property(db_connection)
def get_folder_at_path(self, path):
current = self.portal
for part in path.split('/'):
if not part:
continue
current = getattr(current, part)
return current
_deputies_folder = None
def deputies_folder(self):
if self._deputies_folder:
return self._deputies_folder
path = self.settings.deputiesPath
self._deputies_folder = self.get_folder_at_path(path)
return self._deputies_folder
deputies_folder = property(deputies_folder)
_ministries_folder = None
def ministries_folder(self):
if self._ministries_folder:
return self._ministries_folder
path = self.settings.ministriesPath
self._ministries_folder = self.get_folder_at_path(path)
return self._ministries_folder
ministries_folder = property(ministries_folder)
_persons_folder = None
def persons_folder(self):
if self._persons_folder:
return self._persons_folder
path = self.settings.personsPath
self._persons_folder = self.get_folder_at_path(path)
return self._persons_folder
persons_folder = property(persons_folder)
_polgroups_folder = None
def polgroups_folder(self):
if self._polgroups_folder:
return self._polgroups_folder
path = self.settings.polgroupsPath
self._polgroups_folder = self.get_folder_at_path(path)
return self._polgroups_folder
polgroups_folder = property(polgroups_folder)
_parlevents_folder = None
def parlevents_folder(self):
if self._parlevents_folder:
return self._parlevents_folder
path = self.settings.parleventsPath
self._parlevents_folder = self.get_folder_at_path(path)
return self._parlevents_folder
parlevents_folder = property(parlevents_folder)
_polgroups_intids = None
def get_polgroup_intid(self, title):
if not self._polgroups_intids:
self._polgroups_intids = {}
if title in self._polgroups_intids:
return self._polgroups_intids.get(title)
polgroup_id = self.plone_utils.normalizeString(title)
if not hasattr(self.polgroups_folder, polgroup_id):
self.polgroups_folder.invokeFactory('themis.datatypes.polgroup', polgroup_id, title=title)
try:
self.portal_workflow.doActionFor(getattr(self.polgroups_folder, polgroup_id), 'publish')
except WorkflowException:
pass
polgroup_intid = self.intids.getId(getattr(self.polgroups_folder, polgroup_id))
self._polgroups_intids[title] = polgroup_intid
return polgroup_intid
_documents_folder = None
def documents_folder(self):
if self._documents_folder:
return self._documents_folder
path = self.settings.documentsPath
self._documents_folder = self.get_folder_at_path(path)
return self._documents_folder
documents_folder = property(documents_folder)
_dossiers_folder = None
def dossiers_folder(self):
if self._dossiers_folder:
return self._dossiers_folder
path = self.settings.dossiersPath
self._dossiers_folder = self.get_folder_at_path(path)
return self._dossiers_folder
dossiers_folder = property(dossiers_folder)
_commissions_folder = None
def commissions_folder(self):
if self._commissions_folder:
return self._commissions_folder
path = self.settings.commissionsPath
self._commissions_folder = self.get_folder_at_path(path)
return self._commissions_folder
commissions_folder = property(commissions_folder)
_questions_folder = None
def questions_folder(self):
if self._questions_folder:
return self._questions_folder
path = self.settings.questionsPath
self._questions_folder = self.get_folder_at_path(path)
return self._questions_folder
questions_folder = property(questions_folder)
_author_intids = None
def get_author_intid(self, author_id):
if not self._author_intids:
self._author_intids = {}
if author_id in self._author_intids:
return self._author_intids.get(author_id)
cursor = self.db_connection.cursor()
cursor.execute('''SELECT nom, prenom, st
FROM t_pers
WHERE t_pers.id = %(id)s''', {'id': author_id})
row = cursor.fetchone()
cursor.close()
lastname, firstname, st = row
if lastname and firstname:
fullname = '%s %s' % (firstname, lastname)
else:
fullname = lastname
new_id = self.plone_utils.normalizeString(fullname)
if hasattr(self.deputies_folder, new_id):
obj = getattr(self.deputies_folder, new_id)
else:
try:
if st == 'S_PARL':
obj = getattr(self.deputies_folder, new_id)
elif st == 'S_MINISTRE':
obj = getattr(self.ministries_folder, new_id)
elif st in ('S_CREATED', 'S_DEAD'):
obj = getattr(self.persons_folder, new_id)
else:
log.debug('unhandled type: %s %s %s' % (st, author_id, new_id))
self._author_intids[author_id] = None
return None
except AttributeError:
log.debug('missing author: %s', fullname)
self._author_intids[author_id] = None
return None
author_intid = self.intids.getId(obj)
self._author_intids[author_id] = author_intid
return author_intid
def get_author_intid_from_name(self, firstname, lastname, st='S_PARL'):
if lastname and firstname:
fullname = '%s %s' % (firstname, lastname)
else:
fullname = lastname
new_id = self.plone_utils.normalizeString(fullname)
if st == 'S_PARL':
obj = getattr(self.deputies_folder, new_id)
elif st == 'S_MINISTRE':
obj = getattr(self.ministries_folder, new_id)
author_intid = self.intids.getId(obj)
return author_intid
def get_document_and_intid(self, doc_id):
folder = self.documents_folder
try:
obj = getattr(folder, doc_id)
except AttributeError:
log.debug('missing doc: %s', doc_id)
return None, None
try:
return obj, self.intids.getId(obj)
except KeyError:
self.intids.register(obj)
return obj, self.intids.getId(obj)
_commissions = None
def get_commission(self, com_id):
if not self._commissions:
self._commissions = {}
if com_id in self._commissions:
return self._commissions.get(com_id)
cursor = self.db_connection.cursor()
cursor.execute('''SELECT t_comcat.nom, code
FROM t_com JOIN t_comcat
ON (t_com.comcat = t_comcat.id)
WHERE t_com.id = %(id)s''',
{'id': com_id})
row = cursor.fetchone()
if row is None:
return None
category, code = row
cat_id = self.plone_utils.normalizeString(category)
folder = getattr(self.commissions_folder, cat_id)
code_id = self.plone_utils.normalizeString(code)
obj = getattr(folder, code_id)
self._commissions[com_id] = obj
return obj
_commission_intids = None
def get_commission_intid(self, com_id):
if not self._commission_intids:
self._commission_intids = {}
if com_id in self._commission_intids:
return self._commission_intids.get(com_id)
obj = self.get_commission(com_id)
try:
intid = self.intids.getId(obj)
except KeyError:
self.intids.register(obj)
intid = self.intids.getId(obj)
self._commission_intids[com_id] = intid
return intid
_commission_titles = None
def get_commission_title(self, com_id):
# this function should only be used in case we do not mind getting a
# title without a corresponding object.
if not self._commission_titles:
self._commission_titles = {}
if com_id in self._commission_titles:
return self._commission_titles.get(com_id)
cursor = self.db_connection.cursor()
cursor.execute('''SELECT id, nom
FROM t_com
WHERE t_com.id = %(id)s''',
{'id': com_id})
row = cursor.fetchone()
if row is None:
return None
id, title = row
self._commission_titles[com_id] = title
return title
def publish(self, object):
current_state = self.portal_workflow.getStatusOf(
self.portal_workflow.getChainFor(object)[0], object).get('review_state')
if current_state != 'published':
try:
self.portal_workflow.doActionFor(object, 'publish')
except WorkflowException:
pass
try:
self.intids.getId(object)
except KeyError:
self.intids.register(object)
def unpublish(self, object):
current_state = self.portal_workflow.getStatusOf(
self.portal_workflow.getChainFor(object)[0], object).get('review_state')
if current_state == 'published':
try:
self.portal_workflow.doActionFor(object, 'retract')
except WorkflowException:
pass
def get_polgroups_id_to_title(self, cursor):
polgroups_id_to_title = {}
cursor.execute('''SELECT id, abbr FROM t_comppol''')
while True:
row = cursor.fetchone()
if row is None:
break
polgroups_id_to_title[row[0]] = row[1]
return polgroups_id_to_title
def __call__(self):
self.setup()
def format_duration(v):
r = ''
if v > 3600:
r = r + '%dh' % int(v/3600)
v = v % 3600
if v > 60 or r:
r = r + '%02dm' % int(v/60)
v = v % 60
r = r + '%02ds' % int(v)
return r
timestamp = self.request.form.get('timestamp')
objects = self.request.form.get('objects', '').split(',')
log.info('sync: start [%r] [%r]' % (timestamp, objects))
report = []
for object in ('polgroups', 'sessions', 'deputies', 'ministries', 'persons', 'commissions',
'documents', 'dossiers', 'questions', 'reunions', 'deptables', 'thesaurus',
'deleted'):
if not 'all' in objects:
if not object in objects:
continue
t0 = time.time()
result = getattr(self, 'sync_'+object)(timestamp)
duration = time.time() - t0
report.append('%-14s: %6s [%s]' % (object, result, format_duration(duration)))
log.info('sync: %-14s: %6s [%s]' % (object, result, format_duration(duration)))
transaction.commit()
print '\n'.join(report)
return '\n'.join(report) + '\n'
def get_address(self, address_id):
if not address_id:
return None
cursor = self.db_connection.cursor()
cursor.execute('''SELECT titre, batbur, rueno, zip, localite, tel1, tel2, fax, email
FROM t_adresse
WHERE t_adresse.id = %(id)s''', {'id': address_id})
row = cursor.fetchone()
if not row:
return None
(titre, batbur, street, zipcode, city, phone1, phone2, fax, email) = row
from themis.datatypes.address import Address
addr = Address()
addr.title = titre or batbur
addr.street = street
addr.zipcode = zipcode
addr.city = city
addr.phone1 = phone1
addr.phone2 = phone2
addr.fax = fax
addr.email = email
cursor.close()
return addr
def sync_sessions(self, timestamp=None):
cursor = self.db_connection.cursor()
cursor.execute('''SELECT t_legisl.nom, t_sess.id
FROM t_sess
JOIN t_legisl
ON (t_sess.legislid = t_legisl.id)
ORDER BY t_sess.datedeb DESC''')
sessions = []
while True:
row = cursor.fetchone()
if row is None:
break
sessions.append('%s:%s' % row)
cursor.close()
self.settings.sessions = '\n'.join(sessions)
return 'OK'
def sync_thesaurus(self, timestamp=None):
cursor = self.db_connection.cursor()
cursor.execute('''SELECT t_thesaurus_term.id, t_thesaurus_term.term
FROM t_thesaurus_term
WHERE EXISTS (
SELECT * FROM t_thesaurus_rel
WHERE sectermid = t_thesaurus_term.id
AND rel not in ('HN', 'SN'))''')
terms = []
while True:
row = cursor.fetchone()
if row is None:
break
terms.append('%s|%s' % row)
cursor.close()
self.settings.topics = '\n'.join(terms)
return 'OK'
def sync_polgroups(self, timestamp=None):
cursor = self.db_connection.cursor()
cursor.execute('''SELECT st, abbr FROM t_comppol''')
while True:
row = cursor.fetchone()
if row is None:
break
st, title = row
polgroup_id = self.plone_utils.normalizeString(title)
if not hasattr(self.polgroups_folder, polgroup_id):
self.polgroups_folder.invokeFactory('themis.datatypes.polgroup',
polgroup_id, title=title)
object = getattr(self.polgroups_folder, polgroup_id)
object.active = (st == 'S_ACTIVE')
notify(ObjectModifiedEvent(object))
self.publish(object)
cursor.close()
return 'OK'
def sync_deputies(self, timestamp=None):
cursor = self.db_connection.cursor()
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('''AND (t_pershistoline.ts > %s
OR t_pers.ts > %s)''', (timestamp, timestamp))
# previous deputies
cursor.execute('''SELECT t_pers.id, t_pers.nom, prenom, sexe, datenaiss,
t_comppol.abbr
FROM t_pers, t_pershistoline, t_comppol
WHERE (t_pers.st = 'S_CREATED' or
t_pers.st = 'S_DEAD' or
t_pers.st = 'S_MINISTRE') and
t_pers.prenom is not NULL and
t_pers.id = t_pershistoline.pers and
t_pershistoline.description = t_comppol.id and
t_pershistoline.type = 'P_CMPL' and
t_pershistoline.fin IS NOT NULL
%s
ORDER BY t_pershistoline.fin DESC''' % where_ts)
polgroup_ids = {}
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
(pers_id, lastname, firstname, sex, birthdate, polgroup) = row
fullname = '%s %s' % (firstname, lastname)
new_id = self.plone_utils.normalizeString(fullname)
if not hasattr(self.deputies_folder, new_id):
self.deputies_folder.invokeFactory('themis.datatypes.deputy', new_id,
firstname=firstname, lastname=lastname)
object = getattr(self.deputies_folder, new_id)
object.firstname = firstname
object.lastname = lastname
object.sex = sex
object.birthdate = birthdate
object.polgroup = RelationValue(self.get_polgroup_intid(polgroup))
object.active = False
self.set_person_functions(object, pers_id)
notify(ObjectModifiedEvent(object))
self.publish(object)
if count % 100 == 0:
transaction.commit()
transaction.commit()
previous_count = count
# currently active deputies
cursor.execute('''SELECT t_pers.id, t_pers.nom, prenom, sexe, datenaiss,
t_pers.addrpriv, t_pers.addrprof1, t_pers.addrprof2,
t_comppol.abbr, t_arrond.nom
FROM t_pers, t_pershistoline, t_comppol, t_parl, t_arrond
WHERE t_pers.st = 'S_PARL' and
t_pers.prenom is not NULL and
t_pers.id = t_pershistoline.pers and
t_pershistoline.description = t_comppol.id and
t_pershistoline.type = 'P_CMPL' and
t_pershistoline.fin IS NULL and
t_pers.id = t_parl.id and
t_parl.arrond = t_arrond.id
%s''' % where_ts)
count = 0
polgroup_ids = {}
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
(pers_id, lastname, firstname, sex, birthdate,
privaddr, workaddr1, workaddr2, polgroup, district) = row
fullname = '%s %s' % (firstname, lastname)
new_id = self.plone_utils.normalizeString(fullname)
if not hasattr(self.deputies_folder, new_id):
self.deputies_folder.invokeFactory('themis.datatypes.deputy', new_id,
firstname=firstname, lastname=lastname)
object = getattr(self.deputies_folder, new_id)
object.firstname = firstname
object.lastname = lastname
object.sex = sex
object.birthdate = birthdate
object.district = district
object.polgroup = RelationValue(self.get_polgroup_intid(polgroup))
object.private_address = self.get_address(privaddr)
object.work_address = self.get_address(workaddr1)
object.work_address_2 = self.get_address(workaddr2)
object.active = True
self.set_person_functions(object, pers_id)
notify(ObjectModifiedEvent(object))
self.publish(object)
cursor.close()
return '%s|%s' % (count, previous_count)
def set_person_functions(self, object, pers):
cursor = self.db_connection.cursor()
cursor.execute('''SELECT debut, fin, type, description, t_comppol.abbr
FROM t_pershistoline LEFT JOIN t_comppol
ON (description = t_comppol.id)
WHERE pers = %(id)s
ORDER BY fin DESC, debut ASC''', {'id': pers})
current = []
past = []
while True:
row = cursor.fetchone()
if row is None:
break
debut, fin, type, description, comppol = row
if type in ('P_FONC', 'M_FONC', 'M_PREM', 'P_COMM_SE'):
title = description
elif type == 'P_PARL':
title = 'Parlementaire'
elif type == 'P_CMPL':
title = 'Membre du groupe politique %s' % comppol
elif type.startswith('P_COMM_'):
if type == 'P_COMM_TI':
title = u'Membre titulaire'
elif type == 'P_COMM_SU':
if object.sex == 'M':
title = u'Membre suppléant'
else:
title = u'Membre suppléante'
elif type == 'P_COMM_PR':
if object.sex == 'M':
title = u'Président'
else:
title = u'Présidente'
elif type == 'P_COMM_VP':
if object.sex == 'M':
title = u'Vice-président'
else:
title = u'Vice-présidente'
com = self.get_commission_title(description)
com = com[0].lower() + com[1:]
if com.lower().startswith('commission'):
title = '%s de la %s' % (title, com)
else:
title = '%s du %s' % (title, com)
elif type == 'P_PRES':
if object.sex == 'M':
title = u'Président de groupe politique'
else:
title = u'Présidente de groupe politique'
elif type == 'P_SNTR':
if object.sex == 'M':
title = u'Sénateur de Communauté'
else:
title = u'Sénatrice de Communauté'
elif type in ('M_MINT', 'M_CMPT'):
continue
else:
log.debug('unknown person type: %s', type)
continue
start_str = debut.strftime('%d/%m/%Y')
if fin is None:
current.append(u'<li>%s (depuis le %s)</li>' % (title, start_str))
else:
end_str = fin.strftime('%d/%m/%Y')
past.append(u'<li>%s (du %s au %s)</li>' % (title, start_str, end_str))
cursor.close()
if current:
current = ['<ul>'] + current + ['</ul>']
if past:
past = ['<ul>'] + past + ['</ul>']
object.current_functions = RichTextValue(raw='\n'.join(current),
mimeType='text/html', outputMimeType='text/x-html-safe')
object.past_functions = RichTextValue(raw='\n'.join(past),
mimeType='text/html', outputMimeType='text/x-html-safe')
def sync_ministries(self, timestamp=None):
cursor = self.db_connection.cursor()
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('AND t_pers.ts > %s', (timestamp,))
cursor.execute('''SELECT t_pers.id, t_pers.nom, prenom, sexe, datenaiss
FROM t_pers
WHERE t_pers.st = 'S_MINISTRE' and
t_pers.prenom is not NULL
%s''' % where_ts)
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
pers_id, lastname, firstname, sex, birthdate = row
fullname = '%s %s' % (firstname, lastname)
new_id = self.plone_utils.normalizeString(fullname)
if not hasattr(self.ministries_folder, new_id):
self.ministries_folder.invokeFactory('themis.datatypes.ministry', new_id,
firstname=firstname, lastname=lastname)
object = getattr(self.ministries_folder, new_id)
object.firstname = firstname
object.lastname = lastname
object.sex = sex
object.birthdate = birthdate
notify(ObjectModifiedEvent(object))
self.publish(object)
cursor.close()
return count
def sync_persons(self, timestamp=None):
cursor = self.db_connection.cursor()
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('AND t_pers.ts > %s', (timestamp,))
cursor.execute('''SELECT t_pers.id, t_pers.nom, prenom, sexe, datenaiss
FROM t_pers
WHERE (t_pers.st = 'S_CREATED' OR
t_pers.st = 'S_DEAD')
%s''' % where_ts)
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
pers_id, lastname, firstname, sex, birthdate = row
if firstname and lastname:
fullname = '%s %s' % (firstname, lastname)
else:
fullname = lastname
new_id = self.plone_utils.normalizeString(fullname)
if not hasattr(self.persons_folder, new_id):
self.persons_folder.invokeFactory('themis.datatypes.contact', new_id,
title=fullname)
object = getattr(self.persons_folder, new_id)
object.title = fullname
notify(ObjectModifiedEvent(object))
self.publish(object)
cursor.close()
return count
def sync_commissions(self, timestamp=None):
cursor = self.db_connection.cursor()
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('AND t_com.ts > %s', (timestamp,))
cursor.execute('''SELECT t_com.id, t_com.st, t_com.nom, code, compets, t_comcat.nom
FROM t_com JOIN t_comcat
ON (t_com.comcat = t_comcat.id)
WHERE t_com.st = 'S_ACTIVE'
%s''' % where_ts)
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
com_id, state, title, code, compets, category = row
cat_id = self.plone_utils.normalizeString(category)
if not hasattr(self.commissions_folder, cat_id):
self.commissions_folder.invokeFactory('Folder',
cat_id, title=category)
commission_folder = getattr(self.commissions_folder, cat_id)
com_code = self.plone_utils.normalizeString(code)
if title[0] == title[0].lower():
title = title[0].upper() + title[1:]
if not hasattr(commission_folder, com_code):
commission_folder.invokeFactory('themis.datatypes.commission',
com_code, title=title)
object = getattr(commission_folder, com_code)
object.title = title
object.active == (state == 'S_ACTIVE')
object.code = code
pers_cursor = self.db_connection.cursor()
pers_cursor.execute('''SELECT t_pershistoline.type, nom, prenom
FROM t_pers JOIN t_pershistoline
ON t_pershistoline.pers = t_pers.id
WHERE t_pershistoline.description = %(id)s
AND t_pershistoline.fin IS NULL''',
{'id': com_id})
object.president = None
object.vicepresidents = []
object.members = []
object.substitutes = []
while True:
row = pers_cursor.fetchone()
if row is None:
break
type, lastname, firstname = row
if not (lastname and firstname):
# this is some placeholder for a future person, skip it
continue
if type == 'P_COMM_PR':
object.president = RelationValue(
self.get_author_intid_from_name(firstname, lastname))
elif type == 'P_COMM_VP':
object.vicepresidents.append(
RelationValue(self.get_author_intid_from_name(firstname, lastname)))
elif type == 'P_COMM_TI':
object.members.append(
RelationValue(self.get_author_intid_from_name(firstname, lastname)))
elif type == 'P_COMM_SU':
object.substitutes.append(
RelationValue(self.get_author_intid_from_name(firstname, lastname)))
pers_cursor.close()
# compets
compet_cursor = self.db_connection.cursor()
compet_cursor.execute('''SELECT t_compet.nom
FROM t_com JOIN t_com_compets
ON (t_com.id = t_com_compets.id)
JOIN t_compet
ON (t_com_compets.value = t_compet.id)
WHERE t_compet.st = 'S_ACTIVE' AND t_com.id = %(id)s
ORDER BY t_compet.nom''', {'id': com_id})
object.competences = []
while True:
row = compet_cursor.fetchone()
if row is None:
break
object.competences.append(row[0])
compet_cursor.close()
# ministries
minist_cursor = self.db_connection.cursor()
minist_cursor.execute('''SELECT t_pers.prenom, t_pers.nom
FROM t_com JOIN t_com_compets
ON (t_com.id = t_com_compets.id)
JOIN t_compet
ON (t_com_compets.value = t_compet.id)
JOIN t_pershistoline
ON (t_compet.id = t_pershistoline.description)
JOIN t_pers ON (t_pershistoline.pers = t_pers.id)
WHERE t_compet.st = 'S_ACTIVE'
AND t_pershistoline.fin IS NULL
AND t_com.id = %(id)s
GROUP BY t_pers.prenom, t_pers.nom''',
{'id': com_id})
object.ministries = []
while True:
row = minist_cursor.fetchone()
if row is None:
break
firstname, lastname = row
object.ministries.append(RelationValue(
self.get_author_intid_from_name(
firstname, lastname, 'S_MINISTRE')))
minist_cursor.close()
secr_cursor = self.db_connection.cursor()
secr_cursor.execute('''SELECT titre, sexe, nom, prenom, adjoint, email, attrib
FROM t_comsecr
WHERE comid = %(id)s
ORDER BY adjoint, nom''', {'id': com_id})
s = ['<ul>\n']
while True:
row = secr_cursor.fetchone()
if row is None:
break
titre, sexe, nom, prenom, adjoint, email, attrib = row
s.append('<li><a href="mailto:%s">%s %s %s</a>' % (
email,
titre, prenom, nom))
if adjoint:
if sexe == 'M':
s.append(u' (adjoint)')
else:
s.append(u' (adjointe)')
if attrib:
s.append(u' (%s)' % attrib)
s.append('</li>\n')
s.append('</ul>\n')
object.secretariat = RichTextValue(raw=''.join(s),
mimeType='text/html',
outputMimeType='text/x-html-safe')
secr_cursor.close()
notify(ObjectModifiedEvent(object))
if object.active:
self.publish(object)
else:
self.unpublish(object)
# many things happened, commit
transaction.commit()
cursor.close()
return count
def sync_documents(self, timestamp=None):
cursor = self.db_connection.cursor()
polgroups_id_to_title = self.get_polgroups_id_to_title(cursor)
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('AND t_document.ts > %s', (timestamp,))
cursor.execute('''SELECT t_document.id, type, sess, date, no, nodoc, anx,
intit, auteurs, matiereids, comppols, imageid,
t_file.imagestoreid, textdefts, textprovts
FROM t_document
LEFT JOIN t_file
ON (t_document.text1id = t_file.fileid)
JOIN t_typedoc
ON (t_document.type = t_typedoc.id)
WHERE t_document.st = 'S_INDEXED' AND
t_typedoc.finet = 't' AND
(t_document.textprovts is not NULL OR
t_document.textdefts is not NULL OR
t_document.imageid is not NULL)
%s''' % where_ts)
count = 0
type_info = self.portal_types.getTypeInfo('tabellio.documents.document')
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
(doc_id, doctype, sess, date, no, nodoc, anx, intit, authors, topics,
polgroups, image_id, text1id, textprovts, textdefts) = row
if intit is None:
intit = {'RAPP': u'Rapport',
'AMENDCOM': u'Amendement en commission',
'AMENDSCE': u'Amendement en séance',
'CRA': u'Compte rendu analytique',
'ACA': u'''Avis d'une commission annexe''',
'RP-RACT': u'''Rapport d'activité''',
'BQR': u'Bulletin des questions et des réponses'
}.get(doctype)
if intit is None:
log.debug('missing intit, skipping %s (type was %s)', doc_id, doctype)
continue
log.debug('doc id: %s', doc_id)
new_one = False
if not hasattr(self.documents_folder, doc_id):
self.documents_folder.invokeFactory('tabellio.documents.document', doc_id)
object = getattr(self.documents_folder, doc_id)
object.title = intit
object.session = sess
object.date = date
object.no = no
if nodoc:
object.nodoc = str(nodoc)
else:
object.nodoc = None
object.noannexe = anx
object.doctype = doctype
object.file_image_id = image_id
object.topics = topics
if textdefts:
object.final_version = True
object.publication_date = DateTime(textdefts.isoformat())
elif textprovts:
object.final_version = False
object.publication_date = DateTime(textprovts.isoformat())
if not object.file_image_id and text1id:
object.file_image_id = text1id
if authors:
authors = [self.get_author_intid(x) for x in authors]
object.authors = [RelationValue(x) for x in authors if x]
if len(object.authors) != len(authors):
log.debug('different number of authors')
else:
object.authors = []
if polgroups:
polgroups = [self.get_polgroup_intid(polgroups_id_to_title[x]) for x in polgroups]
object.polgroups = [RelationValue(x) for x in polgroups]
else:
object.polgroups = []
if doctype == 'DECCCF':
# for decrets we need to get some additional dates from histo
# lines
decret_cursor = self.db_connection.cursor()
decret_cursor.execute(decret_cursor.mogrify(
'''SELECT idhisto
FROM t_histoline
WHERE doctype = %s
AND docno = %s
AND docsess = %s''', (doctype, no, sess)))
row = decret_cursor.fetchone()
if row is not None:
idhisto = row[0]
decret_cursor.execute(decret_cursor.mogrify(
'''SELECT date
FROM t_histoline
WHERE idhisto = %s
AND descr = %s''', (idhisto, u'Vote')))
row = decret_cursor.fetchone()
if row is not None:
object.adoption_date = row[0]
decret_cursor.execute(decret_cursor.mogrify(
'''SELECT date
FROM t_histoline
WHERE idhisto = %s
AND descr = %s''', (idhisto, u'Publication au Moniteur belge')))
row = decret_cursor.fetchone()
if row is not None:
object.moniteur_date = row[0]
decret_cursor.close()
notify(ObjectModifiedEvent(object))
self.publish(object)
if doctype in ('CRI', 'CRICOM'):
# we eventually have a meeting to update
meeting_cursor = self.db_connection.cursor()
if doctype == 'CRICOM':
nocric = object.no.split('-')[0]
try:
nocric, com_code, nocricom = re.match(r'(\d+)-(.*?)(\d+)', object.no).groups()
except AttributeError:
# make sure we do not get anything afterwards
nocric, com_code, nocricom = '999', 'XXX', '999'
meeting_query = meeting_cursor.mogrify(
'''SELECT t_reunion.id FROM t_reunion
LEFT JOIN t_com ON (t_reunion.comid = t_com.id)
WHERE t_reunion.sess = %s
AND t_reunion.type = 'CO'
AND nocric = %s
AND nocricom = %s
AND t_com.code = %s''',
(sess, nocric, nocricom, com_code))
else:
meeting_query = meeting_cursor.mogrify(
'''SELECT t_reunion.id FROM t_reunion
WHERE sess = %s
AND type = 'SE'
AND nocri = %s''',
(sess, object.no))
meeting_cursor.execute(meeting_query)
row = meeting_cursor.fetchone()
if row:
meeting_id = row[0]
log.debug('going to update meeting %s with doc %s', meeting_id, object.no)
if hasattr(self.parlevents_folder, meeting_id):
meeting = getattr(self.parlevents_folder, meeting_id)
doc_intid = self.intids.getId(object)
meeting.cri = RelationValue(doc_intid)
else:
log.debug('no meeting found for %s', object.no)
meeting_cursor.close()
if count % 100 == 0:
transaction.commit()
cursor.close()
return count
def sync_dossiers(self, timestamp=None):
cursor = self.db_connection.cursor()
polgroups_id_to_title = self.get_polgroups_id_to_title(cursor)
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('''AND (EXISTS (SELECT ts FROM t_histoline
WHERE idhisto = t_histo.id
AND ts > %s)
OR t_histo.ts > %s)''', (timestamp, timestamp))
### Handle t_dossiers
cursor.execute('''SELECT t_histo.id, t_histo.st, t_histo.type,
t_histo.sess, t_histo.no, t_histo.intit,
t_histo.auteurs,
t_histo.curcom, t_histo.comppols,
t_histo.matiereids
FROM t_histo
WHERE t_histo.intit IS NOT NULL
AND t_histo.type NOT IN ('QA', 'QE', 'QO', 'INTERP')
%s''' % where_ts)
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
dos_id, state, dostype, sess, no, intit, authors, curcom, polgroups, topics = row
log.debug('dos id: %s', dos_id)
new_one = False
if not hasattr(self.dossiers_folder, dos_id):
self.dossiers_folder.invokeFactory('tabellio.documents.dossier', dos_id)
object = getattr(self.dossiers_folder, dos_id)
object.title = intit
object.state = state
object.session = sess
object.no = no
object.dostype = dostype
object.topics = topics
if authors:
authors = [self.get_author_intid(x) for x in authors]
object.authors = [RelationValue(x) for x in authors if x]
if len(object.authors) != len(authors):
log.debug('different number of authors')
else:
object.authors = []
try:
object.commissions = [RelationValue(self.get_commission_intid(x)) for x in curcom or []]
except AttributeError:
pass
if polgroups:
polgroups = [self.get_polgroup_intid(polgroups_id_to_title[x]) for x in polgroups]
object.polgroups = [RelationValue(x) for x in polgroups]
else:
object.polgroups = []
self.sync_dossier_history(object)
if object.histolines:
object.date = object.histolines[0].date
notify(ObjectModifiedEvent(object))
self.publish(object)
if count % 100 == 0:
transaction.commit()
cursor.close()
return count
def sync_questions(self, timestamp=None):
cursor = self.db_connection.cursor()
polgroups_id_to_title = self.get_polgroups_id_to_title(cursor)
### Handle t_qx
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('''AND (EXISTS (SELECT ts FROM t_histoline
WHERE idhisto = t_histo.id
AND ts > %s)
OR t_histo.ts > %s)''', (timestamp, timestamp))
cursor.execute('''SELECT t_histo.id, t_histo.st, t_histo.type, t_histo.sess,
t_histo.no, t_histo.intit, t_histo.auteurs,
t_histo.comppols, t_histo.matiereids,
t_histo.objid, t_qe.date
FROM t_histo LEFT JOIN t_qe ON t_histo.objid = t_qe.id
WHERE t_histo.intit IS NOT NULL
AND t_histo.type IN ('QA', 'QE', 'QO', 'INTERP')
%s''' % where_ts)
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
dos_id, state, dostype, sess, no, intit, authors, polgroups, topics, objid, qedate = row
log.debug('t_qx/dos id: %s', dos_id)
if intit and '\n' in intit:
intit = intit.replace('\n', ' ').replace('\r', '')
if re.match('q[0-9]+$', intit):
log.debug('skipping question, %s', intit)
if hasattr(self.questions_folder, dos_id):
self.questions_folder.manage_delObjects([dos_id])
continue
if not hasattr(self.questions_folder, dos_id):
self.questions_folder.invokeFactory('tabellio.documents.question', dos_id)
object = getattr(self.questions_folder, dos_id)
object.title = intit
object.session = sess
object.state = state
object.no = no
object.questype = dostype
object.topics = topics
if authors:
authors = [self.get_author_intid(x) for x in authors]
object.authors = [RelationValue(x) for x in authors if x]
if len(object.authors) != len(authors):
log.debug('different number of authors')
else:
object.authors = []
if polgroups:
polgroups = [self.get_polgroup_intid(polgroups_id_to_title[x]) for x in polgroups]
object.polgroups = [RelationValue(x) for x in polgroups]
else:
object.polgroups = []
self.sync_dossier_history(object)
if object.histolines:
object.date = object.histolines[0].date
if object.questype == 'QE':
object.date = qedate
notify(ObjectModifiedEvent(object))
self.publish(object)
if count % 100 == 0:
transaction.commit()
cursor.close()
return count
def sync_dossier_history(self, object):
hist_cursor = self.db_connection.cursor()
# timestamp is not considered here as the field value is
# reconstructured anew.
hist_cursor.execute('''SELECT t_histoline.date, t_histoline.descr,
t_histoline.auteurs, t_document.id, docpages,
t_histoline.comment, t_histoline.com,
t_histoline.views
FROM t_histoline LEFT JOIN t_document
ON (t_histoline.docno = t_document.no AND
t_histoline.docsess = t_document.sess AND
t_histoline.doctype = t_document.type AND
((t_histoline.docnodoc = t_document.nodoc) OR
(t_histoline.docnodoc is NULL AND
t_document.nodoc is NULL)) AND
((t_histoline.docanx = t_document.anx) OR
(t_histoline.docanx is NULL AND t_document.anx is NULL)))
WHERE t_histoline.idhisto = %(objid)s
ORDER BY t_histoline.date, t_histoline.ordre, t_histoline.id''',
{'objid': object.id})
object.reset_histolines()
has_decret = False
while True:
histo_row = hist_cursor.fetchone()
if histo_row is None:
break
date, desc, authors, docid, docpages, comment, comid, views = histo_row
if not views:
continue
if desc == u'Envoi à la sanction':
object.adopted = True
if desc == u'Décret':
object.decreted = True
if 'TBC' in views:
pass # this line is ok, we will take it
elif 'ARL' in views:
# special handling here
acceptable_descrs = (u"Arrêt de la Cour d'Arbitrage",
u"Arrêté d'application",
u"Erratum",
u"Sanction et promulgation",
u"Publication au Moniteur belge",
u"Décret",
u"Décret modifié",
u"Décret modifiant")
acceptable_comments = (u"Arrêt de la Cour d'Arbitrage",
u"Arrêté d'application",
u"Erratum",
u"Publication au Moniteur belge")
for s in acceptable_descrs:
if desc and desc.startswith(s):
break
else:
for s in acceptable_comments:
if comment and comment.startswith(s):
break
else:
# description and comment didn't match our special
# cases, do not include line
continue
else:
continue
if authors:
authors = [self.get_author_intid(x) for x in authors]
authors = [RelationValue(x) for x in authors if x]
else:
authors = []
if docid:
document, docintid = self.get_document_and_intid(docid)
else:
document, docintid = (None, None)
commission_title = None
if comid:
commission_title = self.get_commission_title(comid)
# decide on the text to attach to that line
text = desc
if desc == u'Vote' and comment:
text = u'%s - %s' % (desc, comment)
elif has_decret:
text = comment
elif desc == u'Décret':
has_decret = True
object.add_histoline(date, text, authors, commission_title,
docintid, document, docpages)
def sync_reunions(self, timestamp=None):
cursor = self.db_connection.cursor()
where_ts = ''
if timestamp:
where_ts = cursor.mogrify('t_reunion.ts > %s', (timestamp,))
cursor.execute('''SELECT id, st, type, comid, sess, lieu, datedeb, heuredeb, datefin, heurefin,
nobtr, nobtrcom, nocri, nocric, nocricom,
debreel, finreel
FROM t_reunion
WHERE
%s''' % where_ts)
# unfortunately this forces the locale
formatter = locales.getLocale('fr').dates.getFormatter('dateTime', 'medium')
formatter.setPattern(u'd MMMM yyyy à HH:mm')
count = 0
while True:
row = cursor.fetchone()
if row is None:
break
count += 1
reu_id, state, type, comid, sess, lieu, datedeb, heuredeb, datefin, \
heurefin, notr, nobtrcom, nocri, nocric, nocricom, \
debreel, finreel = row
log.debug('reu id: %s', reu_id)
commission = None
if comid:
commission = self.get_commission(comid)
if datedeb:
if heuredeb:
start = datetime.datetime.strptime(
'%s %s' % (datedeb, heuredeb),
'%Y-%m-%d %H:%M:%S')
else:
start = datetime.datetime.strptime(
'%s' % datedeb, '%Y-%m-%d')
title = None
if type == 'SE':
title = u'Séance plénière'
basetype = 'tabellio.agenda.parlevent'
elif type == 'CP':
title = u'Commission plénière'
basetype = 'tabellio.agenda.comevent'
elif type == 'CO':
if not comid:
title = u'Commission'
else:
title = u'%s' % commission.title
basetype = 'tabellio.agenda.comevent'
if not hasattr(self.parlevents_folder, reu_id):
self.parlevents_folder.invokeFactory(basetype, reu_id, title=title)
object = getattr(self.parlevents_folder, reu_id)
if not (debreel and object.title):
# do not set the title if it was already set and the real
# beginning time has been set, to keep titles with nice at
# the hour times.
object.title = title
if lieu == u'Hémicycle':
lieu = u'Hôtel de Ligne - Hémicycle'
elif lieu:
lieu = lieu.replace(u'HL ', u'Hôtel de Ligne - ')
lieu = lieu.replace(u'HG ', u'Hôtel du Greffe - ')
object.place = lieu
object.session = sess
object.start = start
if datefin:
if heurefin:
object.end = datetime.datetime.strptime(
'%s %s' % (datefin, heurefin),
'%Y-%m-%d %H:%M:%S')
elif datedeb != datefin:
object.end = datetime.datetime.strptime(
'%s' % datefin, '%Y-%m-%d')
if state == 'S_OPEN' and type == 'SE' and datefin and not finreel:
if object.end and object.end < datetime.datetime.now():
# seances still open, with no real end date, but an end date
# that's already in the past, alter the end date.
object.end = object.end + datetime.timedelta(seconds=600)
if comid:
comid_int = self.get_commission_intid(comid)
if comid_int:
object.commission = RelationValue(comid_int)
else:
object.commission = None
if (nocri or nocric or nocricom):
if nocri:
doctype = 'CRI'
docno = nocri
elif nocric:
doctype = 'CRICOM'
docno = '%s-%s%s' % (nocric, commission.code, nocricom)
doc_cursor = self.db_connection.cursor()
doc_cursor.execute(doc_cursor.mogrify('''SELECT id, sess
FROM t_document
WHERE sess = %s
AND type = %s
AND no = %s''', (sess, doctype, docno)))
row = doc_cursor.fetchone()
doc_cursor.close()
if row is None:
log.debug('failed to get document, %s %s %s', sess, doctype, docno)
else:
doc_id, docsess = row
doc, doc_intid = self.get_document_and_intid(doc_id)
object.cri = RelationValue(doc_intid)
notify(ObjectModifiedEvent(object))
self.publish(object)
if count % 100 == 0:
transaction.commit()
cursor.close()
return count
def sync_deptables(self, ignored_timestamp=None):
# the different tables listing specific deputies
cursor = self.db_connection.cursor()
# bureau
cursor.execute('''SELECT nom, prenom, description
FROM t_pershistoline
JOIN t_pers
ON (t_pershistoline.pers = t_pers.id)
WHERE type = 'P_FONC' and fin is null''')
president = None
vicepresidents = []
secretaires = []
def get_link(nom, prenom):
if nom and prenom:
fullname = '%s %s' % (prenom, nom)
else:
fullname = nom
pers_id = self.plone_utils.normalizeString(fullname)
return '<a href="/%s/%s">%s</a>' % (
self.settings.deputiesPath,
pers_id,
fullname)
while True:
row = cursor.fetchone()
if row is None:
break
nom, prenom, description = row
if description.startswith('P'):
president = (nom, prenom)
elif 'sident' in description:
vicepresidents.append((description, nom, prenom))
elif 'taire' in description:
secretaires.append((description, nom, prenom))
vicepresidents.sort()
secretaires.sort()
table = u'<table>'
table += u'<tr><td>Président</td><td>%s</td></tr>' % get_link(president[0], president[1])
for vicepresident in vicepresidents:
table += u'<tr><td>%s</td><td>%s</td></tr>' % (
vicepresident[0], get_link(vicepresident[1], vicepresident[2]))
secretaire = secretaires[0]
table += u'<tr><td>Secrétaires du Parlement</td><td><ul>'
if len(secretaires) > 1:
for secretaire in secretaires[:-1]:
table += '<li>%s</li>' % get_link(secretaire[1], secretaire[2])
table += u'<li>%s</li></ul></td></tr>' % get_link(secretaires[-1][1], secretaires[-1][2])
conf_pres_table = table
table += u'''<tr><td>Greffier (Secrétaire général)</td>
<td>%s<br /><br />
%s<br />
%s<br />
<br />
Courriel : %s<br />
Téléphone : %s<br />
Fax : %s
</td></tr>''' % (
self.settings.greffier_name,
self.settings.greffier_address_line1,
self.settings.greffier_address_line2,
self.settings.greffier_email,
self.settings.greffier_phone,
self.settings.greffier_fax)
table += u'</table>'
regex = re.compile(r'<table.*<\/table>', re.DOTALL)
article = getattr(self.deputies_folder, 'bureau')
orig_text = article.getText()
if type(orig_text) is not unicode:
orig_text = unicode(orig_text, 'utf-8')
article.setText(regex.sub(table, orig_text), mimetype='text/html')
# conférence des présidents
cursor.execute('''SELECT nom, prenom, description
FROM t_pershistoline
JOIN t_pers
ON (t_pershistoline.pers = t_pers.id)
WHERE type = 'P_PRES' and fin is null
ORDER BY nom''')
presgroups = []
while True:
row = cursor.fetchone()
if row is None:
break
nom, prenom, description = row
presgroups.append((description, nom, prenom))
presgroup = presgroups[0]
table = conf_pres_table
table += u'<tr><td>Présidents de groupe</td><td><ul>'
if len(presgroups) > 1:
for presgroup in presgroups[:-1]:
table += u'<li>%s</li>' % get_link(presgroup[1], presgroup[2])
table += u'<li>%s</li></ul></td></tr>' % get_link(presgroups[-1][1], presgroups[-1][2])
table += u'<tr><td>Greffier (Secrétaire général)</td><td>%s</td></tr>' % self.settings.greffier_name
table += u'</table>'
article = getattr(self.deputies_folder, 'conference-des-presidents')
orig_text = article.getText()
if type(orig_text) is not unicode:
orig_text = unicode(orig_text, 'utf-8')
article.setText(regex.sub(table, orig_text), mimetype='text/html')
# sénateurs de communauté
cursor.execute('''SELECT nom, prenom
FROM t_pershistoline
JOIN t_pers
ON (t_pershistoline.pers = t_pers.id)
WHERE type = 'P_SNTR' and fin is null
ORDER BY nom''')
table = u'<table><tr><th>Noms</th><th>Appartenance politique</th></tr>'
while True:
row = cursor.fetchone()
if row is None:
break
nom, prenom = row
if nom and prenom:
fullname = '%s %s' % (prenom, nom)
else:
fullname = nom
pers_id = self.plone_utils.normalizeString(fullname)
pers = getattr(self.deputies_folder, pers_id)
polgroup = pers.polgroup.to_object.title
table += u'<tr><td>%s</td><td>%s</td></tr>' % (
get_link(nom, prenom), polgroup)
table += u'</table>'
article = getattr(self.deputies_folder, 'senateurs-de-communaute')
orig_text = article.getText()
if type(orig_text) is not unicode:
orig_text = unicode(orig_text, 'utf-8')
article.setText(regex.sub(table, orig_text), mimetype='text/html')
# anciens présidents
cursor.execute('''SELECT nom, prenom, debut, fin
FROM t_pershistoline
JOIN t_pers
ON (t_pershistoline.pers = t_pers.id)
WHERE type = 'P_FONC' and description like 'P%'
ORDER BY debut DESC''')
formatter = locales.getLocale('fr').dates.getFormatter('dateTime', 'medium')
formatter.setPattern(u'd MMMM yyyy')
table = u'<table>'
while True:
row = cursor.fetchone()
if row is None:
break
nom, prenom, debut, fin = row
if nom and prenom:
fullname = '%s %s' % (prenom, nom)
else:
fullname = nom
pers_id = self.plone_utils.normalizeString(fullname)
if fin:
period = u'%s → %s' % (formatter.format(debut), formatter.format(fin))
else:
period = u'%s → aujourd\'hui' % formatter.format(debut)
if hasattr(self.deputies_folder, pers_id):
table += u'<tr><td>%s</td><td>%s</td></tr>' % (
get_link(nom, prenom), period)
else:
table += u'<tr><td>%s</td><td>%s</td></tr>' % (fullname, period)
table += u'</table>'
article = getattr(self.deputies_folder, 'anciens-presidents')
orig_text = article.getText()
if type(orig_text) is not unicode:
orig_text = unicode(orig_text, 'utf-8')
article.setText(regex.sub(table, orig_text), mimetype='text/html')
cursor.close()
return 'OK'
def sync_deleted(self, timestamp=None):
if timestamp is not None:
return 'PASS'
cursor = self.db_connection.cursor()
cursor.execute('''SELECT t_document.id FROM t_document''')
folder_object_ids = set(self.documents_folder.objectIds())
database_object_ids = set([str(x[0]) for x in cursor.fetchall()])
log.debug('removing documents: %r', folder_object_ids-database_object_ids)
self.documents_folder.manage_delObjects(list(folder_object_ids-database_object_ids))
cursor.execute('''SELECT t_histo.id FROM t_histo
WHERE t_histo.type NOT IN ('QA', 'QE', 'QO', 'INTERP')''')
folder_object_ids = set(self.dossiers_folder.objectIds())
database_object_ids = set([str(x[0]) for x in cursor.fetchall()])
log.debug('removing dossiers: %r', folder_object_ids-database_object_ids)
self.dossiers_folder.manage_delObjects(list(folder_object_ids-database_object_ids))
cursor.execute('''SELECT t_histo.id FROM t_histo
WHERE t_histo.type IN ('QA', 'QE', 'QO', 'INTERP')''')
folder_object_ids = set(self.questions_folder.objectIds())
database_object_ids = set([str(x[0]) for x in cursor.fetchall()])
log.debug('removing questions: %r', folder_object_ids-database_object_ids)
self.questions_folder.manage_delObjects(list(folder_object_ids-database_object_ids))
cursor.execute('''SELECT id FROM t_reunion''')
folder_object_ids = set(self.parlevents_folder.objectIds())
database_object_ids = set([str(x[0]) for x in cursor.fetchall()])
log.debug('removing reunions: %r', folder_object_ids-database_object_ids)
self.parlevents_folder.manage_delObjects(list(folder_object_ids-database_object_ids))
cursor.close()
return 'DONE'
|