| 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
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
 | #!/usr/bin/env python
# -*- coding: utf-8 -*-
# Copyright (C) 2010-2016  Étienne Loks  <etienne.loks_AT_peacefrogsDOTnet>
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as
# published by the Free Software Foundation, either version 3 of the
# License, or (at your option) any later version.
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU Affero General Public License for more details.
# You should have received a copy of the GNU Affero General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.
# See the file COPYING for details.
"""
Operations forms definitions
"""
import datetime
from collections import OrderedDict
from itertools import groupby
from django import forms
from django.conf import settings
from django.core import validators
from django.db.models import Max
from django.forms.formsets import formset_factory, DELETION_FIELD_NAME, \
    TOTAL_FORM_COUNT
from django.utils.functional import lazy
from django.utils.safestring import mark_safe
from ishtar_common.utils import ugettext_lazy as _, pgettext_lazy
from . import models
from archaeological_files.models import File
from archaeological_operations.utils import parse_parcels
from bootstrap_datepicker.widgets import DateField
from ishtar_common import widgets
from ishtar_common.forms import FinalForm, FormSet, \
    reverse_lazy, get_data_from_formset, QAForm, CustomFormSearch,\
    ManageOldType, IshtarForm, CustomForm, FieldType, FormHeader, \
    GeoItemSelect, LockForm, MultiSearchForm, DocumentItemSelect
from ishtar_common.forms_common import TownFormSet, get_town_field, TownForm
from ishtar_common.models import valid_id, valid_ids, Person, Town, \
    DocumentTemplate, Organization, get_current_profile, \
    person_type_pks_lazy, person_type_pk_lazy, organization_type_pks_lazy, \
    organization_type_pk_lazy, SpatialReferenceSystem, Area, \
    get_sra_agent_label, get_sra_agent_head_scientist_label, get_operator_label
from ishtar_common.wizards import MultiValueDict
from .widgets import ParcelWidget, SelectParcelWidget, OAWidget
class ParcelField(forms.MultiValueField):
    def __init__(self, *args, **kwargs):
        if 'widget' not in kwargs:
            self.widget = ParcelWidget()
        super(ParcelField, self).__init__(*args, **kwargs)
    def compress(self, data_list):
        return "-".join(data_list)
class ParcelForm(IshtarForm):
    form_label = _("Parcels")
    base_model = 'parcel'
    associated_models = {'parcel': models.Parcel, 'town': models.Town, }
    pk = forms.IntegerField(required=False, widget=forms.HiddenInput)
    town = forms.ChoiceField(label=_("Town"), choices=(), required=False,
                             validators=[valid_id(models.Town)])
    year = forms.IntegerField(label=_("Year"), required=False,
                              validators=[validators.MinValueValidator(1000),
                                          validators.MaxValueValidator(2100)])
    section = forms.CharField(label=_("Section"), required=False,
                              validators=[validators.MaxLengthValidator(4)])
    parcel_number = forms.CharField(
        label=_("Parcel number"), required=False,
        validators=[validators.MaxLengthValidator(6)])
    public_domain = forms.BooleanField(label=_("Public domain"),
                                       initial=False, required=False)
    def __init__(self, *args, **kwargs):
        towns = None
        if 'data' in kwargs and 'TOWNS' in kwargs['data']:
            towns = kwargs['data']['TOWNS']
            # clean data if not "real" data
            prefix_value = kwargs['prefix'] + '-town'
            if not [k for k in kwargs['data'].keys()
                    if k.startswith(prefix_value) and kwargs['data'][k]]:
                kwargs.pop('data')
                if 'files' in kwargs:
                    kwargs.pop('files')
        super(ParcelForm, self).__init__(*args, **kwargs)
        if towns:
            self.fields['town'].choices = towns
    def count_valid_fields(self, data):
        if not data:
            return 0
        data = get_data_from_formset(data)
        nb = len(data)
        # remove last non relevant fields
        for idx, vals in enumerate(reversed(data[:])):
            if 'public_domain' in vals:
                break
            if 'section' in vals and 'parcel_number' in vals:
                break
            nb -= 1
        return nb
    def clean(self):
        """Check required fields"""
        if any(self.errors):
            return
        if not self.cleaned_data or (DELETION_FIELD_NAME in self.cleaned_data
           and self.cleaned_data[DELETION_FIELD_NAME]):
            return
        if (not self.cleaned_data.get('parcel_number') or
                not self.cleaned_data.get('section')) and \
                not self.cleaned_data.get('public_domain'):
            # empty line reinit cleaned data
            self.cleaned_data["year"] = None
            self.cleaned_data["town"] = None
            return self.cleaned_data
        if not self.cleaned_data.get('town'):
            raise forms.ValidationError(_("Town section is required."))
        return self.cleaned_data
    @classmethod
    def get_formated_datas(cls, cleaned_datas):
        result, current, deleted = [], [], []
        towns = {}
        for data in cleaned_datas:
            if not data:
                continue
            town = data.get('town') or ''
            if town:
                if town in towns:
                    town = towns[town]
                else:
                    try:
                        towns[town] = str(Town.objects.get(pk=town))
                        town = towns[town]
                    except (Town.DoesNotExist, ValueError):
                        town = ''
            parcel_number = data.get('parcel_number') or ''
            c_number = 0
            if parcel_number:
                parcel_nb = list(reversed(list(parcel_number)))
                c_number = ''
                while parcel_nb:
                    c = parcel_nb.pop()
                    try:
                        c_number += str(int(c))
                    except ValueError:
                        break
                if not c_number:
                    c_number = 0
            values = [
                town,
                str(data.get('year')) if data.get('year') else '',
                str(data.get('section')) if data.get('section') else '',
                int(c_number),
                str(_("public domain")) if data.get('public_domain') else ""
            ]
            if data.get('DELETE'):
                deleted.append(values)
            else:
                current.append(values)
        if current:
            result.append((_("Current parcels"), cls._format_parcels(current)))
        if deleted:
            result.append((_("Deleted parcels"), cls._format_parcels(deleted)))
        return result
    @classmethod
    def _format_parcels(cls, parcels):
        sortkeyfn = lambda s: (s[0], s[1], s[2])
        parcels = sorted(parcels, key=sortkeyfn)
        grouped = []
        for keys, parcel_grp in groupby(parcels, key=sortkeyfn):
            keys = list(keys)
            keys.append([' '.join([str(gp[-2]), str(gp[-1])])
                         for gp in parcel_grp])
            grouped.append(keys)
        res = ''
        c_town, c_section = '', ''
        for idx, parcel in enumerate(grouped):
            town, year, section, parcel_numbers = parcel
            if c_town != town:
                c_town = town
                c_section = ''
                if idx:
                    res += " ; "
                res += town + ' : '
            if c_section:
                res += " / "
            c_section = section
            res += section + ' '
            res += ", ".join(parcel_numbers)
            if year:
                res += " (%s)" % str(year)
        return res
class ParcelSelectionForm(IshtarForm):
    _town = forms.ChoiceField(label=_("Town"), choices=(), required=False,
                              validators=[valid_id(models.Town)])
    _parcel_selection = forms.CharField(
        label=_("Quick input"),
        widget=SelectParcelWidget(attrs={'class': 'parcel-select'}),
        help_text=_("example: \"2013: XD:1 to 13,24,33 to 39, YD:24\" or "
                    "\"AB:24,AC:42\""),
        max_length=100, required=False)
class ParcelFormSet(FormSet):
    SELECTION_FORM = ParcelSelectionForm
    def __init__(self, *args, **kwargs):
        if 'data' in kwargs and kwargs['data']:
            kwargs['data'] = self.rearrange_parcels(kwargs['data'])
        super(ParcelFormSet, self).__init__(*args, **kwargs)
        self.extra_form = None
        if self.forms[0].__class__.__name__ == 'ParcelForm':
            self.selection_form = ParcelSelectionForm()
            self.extra_form = self.selection_form
            # copy town choices
            town_choices = self.forms[0].fields['town'].choices[:]
            if town_choices and not town_choices[0][0]:
                # remove empty
                town_choices = town_choices[1:]
            if town_choices:
                self.selection_form.fields['_town'].choices = town_choices
    def rearrange_parcels(self, parcels):
        """
        Simple database ordering is not possible as a numeric ordering of
        parcel number have to be made but with parcel number not strictly
        numeric
        Very complicated for a simple thing :(
        """
        prefix, ordering_keys, values = '', {}, {}
        new_values = MultiValueDict()
        for k in parcels:
            value = parcels[k]
            splitted = k.split('-')
            if len(splitted) < 4:
                new_values[k] = value
                continue
            if not prefix:
                prefix = "-".join(splitted[:-2])
            field = splitted[-1]
            number = splitted[-2]
            if number not in values:
                values[number] = {}
            values[number][field] = value
            if field == 'parcel':
                if not value:
                    continue
                try:
                    parcel = models.Parcel.objects.get(pk=int(value))
                except (models.Parcel.DoesNotExist, ValueError):
                    continue
                ordering_keys[number] = [
                    parcel.public_domain, parcel.town, parcel.year,
                    parcel.section, parcel.parcel_number]
                continue
            if number not in ordering_keys:
                ordering_keys[number] = ['', '', '', '', '']
            if field == 'public_domain':
                ordering_keys[number][0] = value
            elif field == 'town':
                ordering_keys[number][1] = value
            elif field == 'year':
                ordering_keys[number][2] = value
            elif field == 'section':
                ordering_keys[number][3] = value
            elif field == 'parcel_number':
                ordering_keys[number][4] = value
        reverse_ordering_keys = {}
        for number in ordering_keys:
            reverse_ordering_keys[tuple(ordering_keys[number])] = number
        for new_idx, keys in enumerate(sorted(reverse_ordering_keys.keys(),
                                       key=self._parcel_sorting)):
            number = reverse_ordering_keys[keys]
            prefx = '%s-%d-' % (prefix, new_idx)
            for field in values[number]:
                new_key = prefx + field
                new_values[new_key] = values[number][field]
        return new_values
    def _parcel_sorting(self, key):
        public_domain, town, year, section, parcel = key
        # deal with parcel_number such as '34p' and convert to int
        parcel_number = ''
        for p in parcel:
            try:
                parcel_number += str(int(p))
            except ValueError:
                break
        parcel_number = int(parcel_number) if parcel_number else 0
        # empty must be at the end
        if not year and not section and not parcel_number \
                and not public_domain:
            default = 'ZZZZZ'
            return default, default, default, default, default
        return (town.name if hasattr(town, "name") else "", year or '', section or "",
                parcel_number or "", public_domain)
    def as_table(self):
        # add dynamic widget
        render = self.selection_form.as_table()
        render += super(FormSet, self).as_table()
        return mark_safe(render)
    def as_p(self):
        # add dynamic widget
        render = self.selection_form.as_p()
        render += super(FormSet, self).as_p()
        return mark_safe(render)
    def as_ul(self):
        # add dynamic widget
        render = self.selection_form.as_ul()
        render += super(FormSet, self).as_ul()
        return mark_safe(render)
    def add_fields(self, form, index):
        super(FormSet, self).add_fields(form, index)
    def clean(self):
        # manage parcel selection
        if self.data.get('_parcel_selection'):
            parcels = parse_parcels(self.data['_parcel_selection'])
            selected_town = self.data.get('_town')
            for idx, parcel in enumerate(parcels):
                parcel['town'] = selected_town
                parcel['DELETE'] = False
                parcels[idx] = parcel
            c_max = self.total_form_count()
            # pop the last extra form
            extra_form = self.forms.pop()
            for idx, parcel in enumerate(parcels):
                form = self._construct_form(idx + c_max)
                for k in parcel:
                    self.data[form.prefix + '-' + k] = parcel[k]
                # reconstruct with correct binded data
                form = self._construct_form(idx + c_max)
                form.cleaned_data = parcel
                self.forms.append(form)
                self._errors.append(None)
            self.forms.append(extra_form)
            self.data[self.prefix + '-' + TOTAL_FORM_COUNT] = c_max + \
                len(parcels)
            self.management_form.data = self.data
            self.management_form.is_valid()
        # Checks that no parcels are duplicated.
        self.check_duplicate(('town', 'section', 'parcel_number',
                             'year'), _("There are identical parcels."),
                             exclude_deleted=True)
        if hasattr(self, 'cleaned_data') and self.cleaned_data:
            return self.cleaned_data
class RecordRelationsForm(ManageOldType):
    base_model = 'right_relation'
    current_model = models.RelationType
    current_related_model = models.Operation
    associated_models = {'right_record': models.Operation,
                         'relation_type': models.RelationType}
    relation_type = forms.ChoiceField(label=_("Relation type"),
                                      choices=[], required=False)
    right_record = forms.IntegerField(
        label=_("Operation"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-operation'),
            associated_model=models.Operation),
        validators=[valid_id(models.Operation)], required=False)
    def __init__(self, *args, **kwargs):
        self.left_record = None
        if 'left_record' in kwargs:
            self.left_record = kwargs.pop('left_record')
        super(RecordRelationsForm, self).__init__(*args, **kwargs)
        self.fields['relation_type'].choices = \
            models.RelationType.get_types(
                initial=self.init_data.get('relation_type'))
    @classmethod
    def _format_lst(cls, current):
        nc = []
        for rel, ope in sorted(current):
            if not nc or nc[-1][0] != rel:
                nc.append([rel, []])
            nc[-1][1].append(ope)
        rendered = ";".join(
            ["{}{} {}".format(rel, _(":"), " ; ".join(opes))
             for rel, opes in nc])
        return rendered
    def clean(self):
        cleaned_data = self.cleaned_data
        if (cleaned_data.get('relation_type', None) and
                not cleaned_data.get('right_record', None)):
            raise forms.ValidationError(_("You should select an operation."))
        if (not cleaned_data.get('relation_type', None) and
                cleaned_data.get('right_record', None)):
            raise forms.ValidationError(
                _("You should select a relation type."))
        if self.left_record and \
                str(cleaned_data.get('right_record', None)) == str(
                    self.left_record.pk):
            raise forms.ValidationError(
                _("An operation cannot be related to herself."))
        return cleaned_data
    @classmethod
    def get_formated_datas(cls, cleaned_datas):
        result, current, deleted = [], [], []
        for data in cleaned_datas:
            if not data:
                continue
            try:
                relation_type = cls.current_model.objects.get(
                    pk=data.get('relation_type'))
            except cls.current_model.DoesNotExist:
                continue
            try:
                right_record = cls.current_related_model.objects.get(
                    pk=data.get('right_record'))
            except cls.current_related_model.DoesNotExist:
                continue
            values = [str(relation_type), right_record.reference]
            if data.get('DELETE'):
                deleted.append(values)
            else:
                current.append(values)
        if current:
            nc = []
            for rel, ope in sorted(current):
                if not nc or nc[-1][0] != rel:
                    nc.append([rel, []])
                nc[-1][1].append(ope)
            result.append((_("Current relations"), cls._format_lst(current)))
        if deleted:
            result.append((_("Deleted relations"), " ; ".join(deleted)))
        return result
class RecordRelationsFormSetBase(FormSet):
    # passing left_record should be nicely done with form_kwargs with Django 1.9
    # with no need of all these complications
    def __init__(self, *args, **kwargs):
        self.left_record = None
        if 'left_record' in kwargs:
            self.left_record = kwargs.pop('left_record')
        super(RecordRelationsFormSetBase, self).__init__(*args, **kwargs)
    def _construct_forms(self):
        # instantiate all the forms and put them in self.forms
        self.forms = []
        for i in range(self.total_form_count()):
            self.forms.append(self._construct_form(
                i, left_record=self.left_record))
RecordRelationsFormSet = formset_factory(
    RecordRelationsForm, can_delete=True, formset=RecordRelationsFormSetBase)
RecordRelationsFormSet.form_label = _("Relations")
RecordRelationsFormSet.form_admin_name = _("Operation - 080 - Relations")
RecordRelationsFormSet.form_slug = "operation-080-relations"
class OperationSelect(GeoItemSelect):
    _model = models.Operation
    form_admin_name = _("Operation - 001 - Search")
    form_slug = "operation-001-search"
    search_vector = forms.CharField(
        label=_("Full text search"), widget=widgets.SearchWidget(
            'archaeological-operations', 'operation'))
    year = forms.IntegerField(label=_("Year"))
    operation_code = forms.IntegerField(label=_("Yearly index"))
    code_patriarche = forms.CharField(
            max_length=500,
            widget=OAWidget,
            label="Code PATRIARCHE")
    old_code = forms.CharField(
        max_length=200,
        label=_("Old code"))
    drassm_code = forms.CharField(
        label=_("DRASSM code"), required=False, max_length=100)
    towns = get_town_field()
    towns__areas = forms.ChoiceField(label=_("Areas"), choices=[])
    parcel = forms.CharField(label=_("Parcel"))
    if settings.ISHTAR_DPTS:
        towns__numero_insee__startswith = forms.ChoiceField(
            label=_("Department"), choices=[])
    common_name = forms.CharField(label=_("Name"), max_length=30)
    address = forms.CharField(label=_("Address / Locality"), max_length=100)
    operation_type = forms.ChoiceField(label=_("Operation type"), choices=[])
    end_date = forms.NullBooleanField(label=_("Is open?"))
    in_charge = forms.IntegerField(
        widget=widgets.JQueryAutoComplete(
            reverse_lazy(
                'autocomplete-person-permissive',
                args=[person_type_pks_lazy(['sra_agent'])]
            ),
            associated_model=Person),
        label=_("Scientific monitor"))
    scientist = forms.IntegerField(
        widget=widgets.JQueryAutoComplete(
            reverse_lazy(
                'autocomplete-person-permissive',
                args=[person_type_pks_lazy(['sra_agent', 'head_scientist'])]),
            associated_model=Person),
        label=_("Scientist in charge"))
    operator = forms.IntegerField(
        label=_("Operator"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy(
                'autocomplete-organization',
                args=[organization_type_pks_lazy(['operator'])]),
            associated_model=Organization),
        validators=[valid_id(Organization)])
    operator_reference = forms.CharField(label=_("Operator reference"),
                                         max_length=200)
    remains = forms.ChoiceField(label=_("Remains"), choices=[])
    periods = forms.ChoiceField(label=_("Periods"), choices=[])
    start = DateField(label=_("Start date"))
    end = DateField(label=_("Excavation end date"))
    relation_types = forms.ChoiceField(
        label=_("Search within relations"), choices=[])
    comment = forms.CharField(label=_("Comment"), max_length=500)
    abstract = forms.CharField(label=_("Abstract (full text search)"))
    scientific_documentation_comment = forms.CharField(
        label=_("Comment about scientific documentation"))
    record_quality_type = forms.ChoiceField(label=_("Record quality"))
    report_processing = forms.ChoiceField(label=_("Report processing"),
                                          choices=[])
    virtual_operation = forms.NullBooleanField(label=_("Virtual operation"))
    archaeological_sites = forms.IntegerField(
        label=_("Archaeological site"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-archaeologicalsite'),
            associated_model=models.ArchaeologicalSite),
        validators=[valid_id(models.ArchaeologicalSite)])
    history_creator = forms.IntegerField(
        label=_("Created by"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person', args=['0', 'user']),
            associated_model=Person),
        validators=[valid_id(Person)])
    history_modifier = forms.IntegerField(
        label=_("Modified by"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person',
                         args=['0', 'user']),
            associated_model=Person),
        validators=[valid_id(Person)])
    documentation_received = forms.NullBooleanField(
        label=_("Documentation provided"))
    documentation_deposit_date = DateField(
        label=_("Documentation deposit date"))
    documentation_deadline = DateField(
        label=_("Documentation deadline"))
    has_finds = forms.NullBooleanField(label=_("Has finds"))
    finds_received = forms.NullBooleanField(
        label=_("Finds provided"))
    finds_deposit_date = DateField(
        label=_("Finds deposit date"))
    finds_deadline = DateField(label=_("Finds deadline"))
    TYPES = [
        FieldType('operation_type', models.OperationType),
        FieldType('report_processing', models.ReportState),
        FieldType('remains', models.RemainType),
        FieldType('periods', models.Period),
        FieldType('record_quality_type', models.RecordQualityType),
        FieldType('relation_types', models.RelationType),
        FieldType('towns__areas', Area),
    ] + GeoItemSelect.TYPES
    SITE_KEYS = {"archaeological_sites": None}
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        profile = get_current_profile()
        if not profile.warehouse:
            self._remove_fields((
                'documentation_deadline',
                'documentation_received',
                'documentation_deposit_date',
                'finds_deadline',
                'finds_received',
                'finds_deposit_date',
            ))
        if not profile.underwater:
            self._remove_fields(("drassm_code",))
        if settings.ISHTAR_DPTS:
            k = 'towns__numero_insee__startswith'
            self.fields[k].choices = [
                ('', '--')] + list(settings.ISHTAR_DPTS)
class OperationFormSelection(LockForm, CustomFormSearch):
    SEARCH_AND_SELECT = True
    form_label = _("Operation search")
    associated_models = {'pk': models.Operation}
    currents = {'pk': models.Operation}
    pk = forms.IntegerField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-operation'), OperationSelect, models.Operation,
            gallery=True, map=True,
            source_full=reverse_lazy('get-operation-full')),
        validators=[valid_id(models.Operation)])
class OperationFormMultiSelection(LockForm, MultiSearchForm):
    form_label = _("Operation search")
    associated_models = {'pks': models.Operation}
    pk_key = 'pks'
    pk = forms.CharField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-operation'), OperationSelect, models.Operation,
            gallery=True, map=True,
            multiple_select=True,
            source_full=reverse_lazy('get-operation-full')),
        validators=[valid_ids(models.Operation)])
class OperationCodeInput(forms.TextInput):
    """Manage auto complete when changing year in form"""
    def render(self, *args, **kwargs):
        name, value = args
        base_name = '-'.join(name.split('-')[:-1])
        rendered = super(OperationCodeInput, self).render(*args, **kwargs)
        js = """\n    <script type="text/javascript"><!--//
        function initialyse_operation_code () {
            // if the form is in creation mode
            if(!$("#id_%(base_name)s-pk").val()){
                $("#id_%(base_name)s-year").change(function() {
                    var year = $("#id_%(base_name)s-year").val();
                    var url = "%(url)s" + year;
                    $.getJSON(url, function(data) {
                        $("#id_%(name)s").val(data.id);
                    });
                });
            }
        }
        $(document).ready(initialyse_operation_code());
        //--></script>\n""" % {
            'base_name': base_name, 'name': name,
            'url': reverse_lazy('get_available_operation_code')}
        return mark_safe(rendered + js)
class OperationFormFileChoice(IshtarForm):
    form_label = _("Associated file")
    associated_models = {'associated_file': File, }
    currents = {'associated_file': File}
    associated_file = forms.IntegerField(
        label=_("Archaeological file"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-file'), associated_model=File),
        validators=[valid_id(File)], required=False)
class OperationFormGeneral(CustomForm, ManageOldType):
    HEADERS = {}
    form_label = _("General")
    form_admin_name = _("Operation - 010 - General")
    form_slug = "operation-010-general"
    file_upload = True
    base_models = [
        "archaeological_site",
        "collaborator",
        "period",
        "town",
        "remain",
    ]
    associated_models = {
        'scientist': Person,
        'in_charge': Person,
        'cira_rapporteur': Person,
        'operator': Organization,
        'operation_type': models.OperationType,
        'record_quality_type': models.RecordQualityType,
        'report_processing': models.ReportState,
        'collaborator': Person,
        'remain': models.RemainType,
        'period': models.Period,
        'archaeological_site': models.ArchaeologicalSite,
        'town': Town,
    }
    HEADERS['code_patriarche'] = FormHeader(_("General"))
    pk = forms.IntegerField(required=False, widget=forms.HiddenInput)
    code_patriarche = forms.CharField(label="Code PATRIARCHE",
                                      max_length=500,
                                      widget=OAWidget)
    drassm_code = forms.CharField(
        label=_("DRASSM code"), required=False, max_length=100)
    operation_type = forms.ChoiceField(label=_("Operation type"),
                                       choices=[])
    common_name = forms.CharField(label=_("Generic name"), required=False,
                                  max_length=500, widget=forms.Textarea)
    address = forms.CharField(label=_("Address / Locality"), required=False,
                              max_length=500, widget=forms.Textarea)
    town = widgets.Select2MultipleField(
        label=_("Towns"),
        model=Town,
        required=False, remote=True)
    archaeological_site = widgets.Select2MultipleField(
        model=models.ArchaeologicalSite,
        required=False, remote=True)
    year = forms.IntegerField(label=_("Year"),
                              initial=lambda: datetime.datetime.now().year,
                              validators=[validators.MinValueValidator(1000),
                                          validators.MaxValueValidator(2100)])
    old_code = forms.CharField(
        label=_("Old code"), required=False,
        validators=[validators.MaxLengthValidator(200)])
    surface = forms.FloatField(
        required=False, widget=widgets.AreaWidget,
        label=_("Total surface (m2)"),
        validators=[validators.MinValueValidator(0),
                    validators.MaxValueValidator(999999999)])
    virtual_operation = forms.BooleanField(required=False,
                                           label=_("Virtual operation"))
    comment = forms.CharField(label=_("Comment"), widget=forms.Textarea,
                              required=False)
    HEADERS['scientist'] = FormHeader(_("Actors"))
    scientist = forms.IntegerField(
        label=_("Head scientist"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy(
                'autocomplete-person',
                args=[person_type_pks_lazy(['head_scientist', 'sra_agent'])]),
            associated_model=Person,
            tips=lazy(get_sra_agent_head_scientist_label),
            limit={
                'person_types': (person_type_pk_lazy('head_scientist'),
                                 person_type_pk_lazy('sra_agent'))},
            new=True),
        validators=[valid_id(Person)], required=False)
    operator = forms.IntegerField(
        label=_("Operator"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-organization',
                         args=[organization_type_pk_lazy('operator')]),
            limit={'organization_type': organization_type_pk_lazy('operator')},
            tips=lazy(get_operator_label),
            associated_model=Organization, new=True),
        validators=[valid_id(Organization)], required=False)
    operator_reference = forms.CharField(label=_("Operator reference"),
                                         required=False, max_length=200)
    in_charge = forms.IntegerField(
        label=_("Scientific monitor"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy(
                'autocomplete-person',
                args=[person_type_pks_lazy(['sra_agent'])]),
            associated_model=Person,
            tips=lazy(get_sra_agent_label),
            limit={'person_types': [person_type_pk_lazy('sra_agent')]},
            new=True),
        validators=[valid_id(Person)], required=False)
    collaborator = widgets.Select2MultipleField(
        model=Person, label=_("Collaborators"), required=False, remote=True)
    HEADERS['start_date'] = FormHeader(_("Dates / Administrative"))
    start_date = DateField(label=_("Start date"), required=False)
    excavation_end_date = DateField(label=_("Excavation end date"),
                                    required=False)
    report_delivery_date = DateField(label=_("Report delivery date"),
                                     required=False)
    report_processing = forms.ChoiceField(label=_("Report processing"),
                                          choices=[], required=False)
    if settings.COUNTRY == 'fr':
        cira_date = DateField(label="Date avis CTRA/CIRA", required=False)
        negative_result = forms.NullBooleanField(
            required=False, label="Résultat considéré comme négatif")
        cira_rapporteur = forms.IntegerField(
            label="Rapporteur CTRA/CIRA",
            widget=widgets.JQueryAutoComplete(
                reverse_lazy(
                    'autocomplete-person',
                    args=[person_type_pks_lazy(['head_scientist',
                                                'sra_agent'])]),
                limit={'person_types': [
                    person_type_pk_lazy('sra_agent'),
                    person_type_pk_lazy('head_scientist')]},
                tips=lazy(get_sra_agent_head_scientist_label),
                associated_model=Person, new=True),
            validators=[valid_id(Person)], required=False)
    documentation_deadline = DateField(
        label=_("Deadline for submission of the documentation"),
        required=False)
    documentation_received = forms.NullBooleanField(
        required=False, label=_("Documentation provided"))
    documentation_deposit_date = DateField(
        label=_("Documentation deposit date"),
        required=False)
    finds_deadline = DateField(
        label=_("Deadline for submission of the finds"), required=False,
    )
    finds_received = forms.NullBooleanField(
        required=False, label=_("Finds provided"))
    finds_deposit_date = DateField(
        label=_("Finds deposit date"),
        required=False)
    HEADERS['scientific_documentation_comment'] = FormHeader(_("Scientific"))
    scientific_documentation_comment = forms.CharField(
        label=_("Comment about scientific documentation"),
        widget=forms.Textarea, required=False)
    record_quality_type = forms.ChoiceField(label=_("Record quality"),
                                            required=False)
    remain = widgets.Select2MultipleField(
        label=_("Remain type"), required=False
    )
    period = widgets.Select2MultipleField(
        label=_("Chronological period"), required=False
    )
    abstract = forms.CharField(
        label=_("Abstract"),
        widget=forms.Textarea(attrs={'class': 'xlarge'}), required=False)
    FILE_FIELDS = [
        'report_delivery_date',
        'report_processing',
        'cira_rapporteur',
        'cira_date',
        'negative_result'
    ]
    WAREHOUSE_FIELDS = [
        'documentation_deadline',
        'documentation_received',
        'documentation_deposit_date',
        'finds_deadline',
        'finds_received',
        'finds_deposit_date',
    ]
    TYPES = [
        FieldType('operation_type', models.OperationType),
        FieldType('record_quality_type', models.RecordQualityType),
        FieldType('report_processing', models.ReportState),
        FieldType('spatial_reference_system', SpatialReferenceSystem),
        FieldType('remain', models.RemainType, is_multiple=True),
        FieldType('period', models.Period, is_multiple=True),
    ]
    def __init__(self, *args, **kwargs):
        towns = None
        if kwargs.get("data", None) and kwargs['data'].get("TOWNS", None):
            towns = kwargs['data']['TOWNS']
        super().__init__(*args, **kwargs)
        profile = get_current_profile()
        if not profile.files:
            for key in self.FILE_FIELDS:
                self.remove_field(key)
        if not profile.warehouse:
            for key in self.WAREHOUSE_FIELDS:
                self.remove_field(key)
        if not profile.underwater:
            self._remove_fields(("drassm_code",))
        data = kwargs.get("data", {}) or kwargs.get("initial", {})
        has_site = any(1 for k, v in data.items() if v and k.split("-")[-1] == "archaeological_site")
        if not has_site and not profile.archaeological_site:
            self._remove_fields(("archaeological_site",))
        if 'collaborator' in self.fields:
            self.fields['collaborator'].widget.attrs['full-width'] = True
        if towns and towns != -1:
            self.fields['town'].choices = [('', '--')] + towns
        if 'archaeological_site' in self.fields:
            self.fields['archaeological_site'].label = get_current_profile().get_site_label()
    def clean(self):
        cleaned_data = self.cleaned_data
        # verify the logic between start date and excavation end date
        if self.are_available(['excavation_end_date', 'start_date']) \
                and cleaned_data.get('excavation_end_date', None):
            if not cleaned_data.get('start_date', None):
                raise forms.ValidationError(
                    _("If you want to set an excavation end date you "
                      "have to provide a start date."))
            if cleaned_data['excavation_end_date'] \
                    < cleaned_data['start_date']:
                raise forms.ValidationError(
                    _("The excavation end date cannot be before the start "
                      "date."))
        # verify patriarche
        code_p = self.cleaned_data.get('code_patriarche', None)
        if code_p:
            ops = models.Operation.objects.filter(code_patriarche=code_p)
            if 'pk' in cleaned_data and cleaned_data['pk']:
                ops = ops.exclude(pk=cleaned_data['pk'])
            if ops.count():
                msg = "Ce code OA a déjà été affecté à une "\
                      "autre opération"
                raise forms.ValidationError(msg)
        # manage unique operation ID
        year = self.cleaned_data.get("year")
        operation_code = cleaned_data.get("operation_code", None)
        if not operation_code:
            return self.cleaned_data
        ops = models.Operation.objects.filter(year=year,
                                              operation_code=operation_code)
        if 'pk' in cleaned_data and cleaned_data['pk']:
            ops = ops.exclude(pk=cleaned_data['pk'])
        if ops.count():
            max_val = models.Operation.objects.filter(year=year).aggregate(
                Max('operation_code'))["operation_code__max"]
            if year and max_val:
                msg = _(
                    "This index already exists for year: %(year)d - use a "
                    "value bigger than %(last_val)d or empty the yearly index field.") % {
                    'year': year, 'last_val': max_val}
            else:
                msg = _("Bad operation index")
            raise forms.ValidationError(msg)
        return self.cleaned_data
class OperationFormModifGeneral(OperationFormGeneral):
    operation_code = forms.IntegerField(label=_("Yearly index"),
                                        required=False)
    currents = {'associated_file': File}
    associated_file = forms.IntegerField(
        label=_("Archaeological file"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-file'),
            associated_model=File),
        validators=[valid_id(File)], required=False)
    def __init__(self, *args, **kwargs):
        super(OperationFormModifGeneral, self).__init__(*args, **kwargs)
        if not get_current_profile().files:
            self._remove_fields(("associated_file",))
        fields = OrderedDict()
        for idx, field in enumerate(list(self.fields.items())):
            key, value = field
            if 'associated_file' in self.fields and (
                    key == 'in_charge' or idx > 8):
                fields['associated_file'] = self.fields.pop('associated_file')
            fields[key] = value
            if 'operation_code' in self.fields and (
                    key == 'year' or idx > 7):
                fields['operation_code'] = self.fields.pop('operation_code')
        self.fields = fields
OperationFormModifGeneral.associated_models = \
    OperationFormGeneral.associated_models.copy()
OperationFormModifGeneral.associated_models['associated_file'] = File
class CourtOrderedSeizureForm(CustomForm, IshtarForm):
    form_label = _("Court-ordered seizure")
    form_admin_name = _("Operation - 015 - Court-ordered seizure")
    form_slug = "operation-015-court-ordered-seizure"
    associated_models = {
        'protagonist': Person,
        'applicant_authority': Organization,
        'minutes_writer': Person,
    }
    seizure_name = forms.CharField(
        label=_("Seizure name"), required=False,
    )
    official_report_number = forms.CharField(
        label=_("Official report number"), required=False,
    )
    protagonist = forms.IntegerField(
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person-permissive'),
            associated_model=Person, new=True),
        label=_("Protagonist"), required=False,
    )
    applicant_authority = forms.IntegerField(
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-organization'),
            associated_model=Organization, new=True),
        label=_("Applicant authority"), required=False,
    )
    minutes_writer = forms.IntegerField(
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person-permissive'),
            associated_model=Person, new=True),
        label=_("Writer of the minutes"), required=False,
    )
class OperationFormPreventive(CustomForm, IshtarForm):
    form_label = _("Preventive informations - excavation")
    form_admin_name = _("Operation - 033 - Preventive - Excavation")
    form_slug = "operation-033-preventive-excavation"
    cost = forms.IntegerField(label=_("Cost (euros)"), required=False)
    scheduled_man_days = forms.IntegerField(label=_("Scheduled man-days"),
                                            required=False)
    optional_man_days = forms.IntegerField(label=_("Optional man-days"),
                                           required=False)
    effective_man_days = forms.IntegerField(label=_("Effective man-days"),
                                            required=False)
    if settings.COUNTRY == 'fr':
        fnap_financing = forms.FloatField(
            required=False, label="Pourcentage de financement FNAP",
            validators=[validators.MinValueValidator(0),
                        validators.MaxValueValidator(100)])
class OperationFormPreventiveDiag(CustomForm, IshtarForm):
    form_label = _("Preventive informations - diagnostic")
    form_admin_name = _("Operation - 037 - Preventive - Diagnostic")
    form_slug = "operation-037-preventive-diagnostic"
    if settings.COUNTRY == 'fr':
        zoning_prescription = forms.NullBooleanField(
            required=False, label=_("Prescription on zoning"))
        large_area_prescription = forms.NullBooleanField(
            required=False, label=_("Prescription on large area"))
        geoarchaeological_context_prescription = forms.NullBooleanField(
            required=False,
            label=_("Prescription on geoarchaeological context"))
class SelectedTownForm(IshtarForm):
    form_label = _("Towns")
    associated_models = {'town': Town}
    town = forms.ChoiceField(label=_("Town"), choices=(),
                             validators=[valid_id(Town)])
    def __init__(self, *args, **kwargs):
        towns = None
        if 'data' in kwargs and 'TOWNS' in kwargs['data']:
            towns = kwargs['data']['TOWNS']
        super(SelectedTownForm, self).__init__(*args, **kwargs)
        if towns and towns != -1:
            self.fields['town'].choices = [('', '--')] + towns
SelectedTownFormset = formset_factory(SelectedTownForm, can_delete=True,
                                      formset=TownFormSet)
SelectedTownFormset.form_label = _("Towns")
SelectedTownFormset.form_admin_name = _("Operation - 040 - Towns")
SelectedTownFormset.form_slug = "operation-040-towns"
TownFormset = formset_factory(TownForm, can_delete=True, formset=TownFormSet)
TownFormset.form_label = _("Towns")
TownFormset.form_admin_name = _("Operation - 040 - Towns (2)")
TownFormset.form_slug = "operation-040-towns-2"
class SelectedParcelForm(IshtarForm):
    form_label = _("Parcels")
    associated_models = {'parcel': models.Parcel}
    parcel = forms.ChoiceField(
        label=_("Parcel"), choices=(), validators=[valid_id(models.Parcel)])
    def __init__(self, *args, **kwargs):
        parcels = None
        if 'data' in kwargs and 'PARCELS' in kwargs['data']:
            parcels = kwargs['data']['PARCELS']
        super(SelectedParcelForm, self).__init__(*args, **kwargs)
        if parcels:
            self.fields['parcel'].choices = [('', '--')] + parcels
SelectedParcelFormSet = formset_factory(SelectedParcelForm, can_delete=True,
                                        formset=ParcelFormSet)
SelectedParcelFormSet.form_label = _("Parcels")
SelectedParcelFormSet.form_admin_name = _("Operation - 050 - Parcels")
SelectedParcelFormSet.form_slug = "operation-050-parcels"
SelectedParcelGeneralFormSet = formset_factory(ParcelForm, can_delete=True,
                                               formset=ParcelFormSet)
SelectedParcelGeneralFormSet.form_label = _("Parcels")
SelectedParcelGeneralFormSet.form_admin_name = _(
    "Operation - 050 - Parcels (2)")
SelectedParcelGeneralFormSet.form_slug = "operation-050-parcels-2"
"""
class SelectedParcelFormSet(forms.Form):
    form_label = _("Parcels")
    base_model = 'parcel'
    associated_models = {'parcel': models.Parcel}
    parcel = forms.MultipleChoiceField(
        label=_("Parcel"), required=False, choices=[],
        widget=forms.CheckboxSelectMultiple)
    def __init__(self, *args, **kwargs):
        parcels = None
        if 'data' in kwargs and 'PARCELS' in kwargs['data']:
            parcels = kwargs['data']['PARCELS']
            # clean data if not "real" data
            prefix_value = kwargs['prefix'] + '-parcel'
            if not [k for k in kwargs['data'].keys()
                    if k.startswith(prefix_value) and kwargs['data'][k]]:
                kwargs['data'] = None
                if 'files' in kwargs:
                    kwargs.pop('files')
        super(SelectedParcelFormSet, self).__init__(*args, **kwargs)
        if parcels:
            self.fields['parcel'].choices = [('', '--')] + parcels
"""
class ArchaeologicalSiteForm(ManageOldType):
    associated_models = {'period': models.Period, 'remain': models.RemainType,
                         'cultural_attribution': models.CulturalAttributionType,
                         'spatial_reference_system': SpatialReferenceSystem}
    HEADERS = {}
    reference = forms.CharField(label=_("Reference"), max_length=200)
    name = forms.CharField(label=_("Name"), max_length=200, required=False)
    other_reference = forms.CharField(label=_("Other reference"),
                                      required=False)
    periods = forms.MultipleChoiceField(
        label=_("Periods"), choices=[], widget=widgets.Select2Multiple,
        required=False)
    remains = forms.MultipleChoiceField(
        label=_("Remains"), choices=[], widget=widgets.Select2Multiple,
        required=False)
    cultural_attributions = forms.MultipleChoiceField(
        label=_("Cultural attributions"), choices=[],
        widget=widgets.Select2Multiple,
        required=False)
    TYPES = [
        FieldType('periods', models.Period, True),
        FieldType('remains', models.RemainType, True),
        FieldType('cultural_attributions', models.CulturalAttributionType,
                  True),
        FieldType('spatial_reference_system', SpatialReferenceSystem),
    ]
    def __init__(self, *args, **kwargs):
        self.limits = {}
        if 'limits' in kwargs:
            kwargs.pop('limits')
        super(ArchaeologicalSiteForm, self).__init__(*args, **kwargs)
    def clean_reference(self):
        reference = self.cleaned_data['reference']
        if models.ArchaeologicalSite.objects\
                                    .filter(reference=reference).count():
            raise forms.ValidationError(_("This reference already exists."))
        return reference
    def save(self, user):
        dct = self.cleaned_data
        dct['history_modifier'] = user
        type_lst = self._types or self.TYPES
        for typ in type_lst:
            if not dct[typ.key]:
                dct[typ.key] = None
                if typ.is_multiple:
                    dct[typ.key] = []
                continue
            if typ.is_multiple:
                value = []
                for v in dct[typ.key]:
                    try:
                        value.append(typ.model.objects.get(pk=v,
                                                           available=True))
                    except typ.model.DoesNotExist:
                        continue
            else:
                try:
                    value = typ.model.objects.get(pk=dct[typ.key],
                                                  available=True)
                except typ.model.DoesNotExist:
                    value = None
            dct[typ.key] = value
        periods = dct.pop('periods')
        remains = dct.pop('remains')
        cultural_attributions = dct.pop('cultural_attributions')
        item = models.ArchaeologicalSite.objects.create(**dct)
        for period in periods:
            item.periods.add(period)
        for remain in remains:
            item.remains.add(remain)
        for cultural_attribution in cultural_attributions:
            item.cultural_attributions.add(cultural_attribution)
        return item
class FinalOperationClosingForm(FinalForm):
    confirm_msg = " "
    confirm_end_msg = _("Would you like to close this operation?")
class OperationDeletionForm(FinalForm):
    confirm_msg = " "
    confirm_end_msg = _("Would you like to delete this operation?")
#########
# Sites #
#########
class SiteSelect(GeoItemSelect):
    _model = models.ArchaeologicalSite
    form_admin_name = _("Archaeological site - 001 - Search")
    form_slug = "archaeological_site-001-search"
    search_vector = forms.CharField(
        label=_("Full text search"), widget=widgets.SearchWidget(
            'archaeological-operations', 'site'))
    reference = forms.CharField(label=_("Reference"), max_length=200,
                                required=False)
    name = forms.CharField(label=_("Name"), max_length=200, required=False)
    other_reference = forms.CharField(label=_("Other reference"),
                                      max_length=200, required=False)
    periods = forms.ChoiceField(label=_("Periods"), choices=[], required=False)
    remains = forms.ChoiceField(label=_("Remains"), choices=[], required=False)
    cultural_attributions = forms.ChoiceField(
        label=_("Cultural attribution"), choices=[], required=False)
    towns = get_town_field()
    towns__areas = forms.ChoiceField(label=_("Areas"), choices=[])
    comment = forms.CharField(label=_("Comment"), max_length=200,
                              required=False)
    top_operation = forms.IntegerField(
        label=_("Top operation"), required=False,
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-operation'),
            associated_model=models.Operation),
        validators=[valid_id(models.Operation)])
    operation = forms.IntegerField(
        label=_("Operation"), required=False,
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-operation'),
            associated_model=models.Operation),
        validators=[valid_id(models.Operation)])
    locality_ngi = forms.CharField(
        label=_("National Geographic Institute locality"), max_length=200,
        required=False)
    locality_cadastral = forms.CharField(
        label=_("Cadastral locality"), max_length=200,
        required=False)
    affmar_number = forms.CharField(
        label=_("AffMar number"), required=False, max_length=100)
    drassm_number = forms.CharField(
        label=_("DRASSM number"), required=False, max_length=100)
    shipwreck_name = forms.CharField(
        label=_("Shipwreck name"), max_length=200,
        required=False)
    oceanographic_service_localisation = forms.CharField(
        label=_("Oceanographic service localisation"), max_length=200,
        required=False)
    shipwreck_code = forms.CharField(
        label=_("Shipwreck code"), max_length=200,
        required=False)
    sinking_date = DateField(label=_("Sinking date"), required=False)
    discovery_area = forms.CharField(
        label=_("Discovery area"), max_length=200,
        required=False)
    TYPES = [
        FieldType('periods', models.Period),
        FieldType('remains', models.RemainType),
        FieldType('cultural_attributions', models.CulturalAttributionType),
        FieldType('towns__areas', Area),
    ] + GeoItemSelect.TYPES
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        if not get_current_profile().underwater:
            self._remove_fields((
                'shipwreck_name',
                'oceanographic_service_localisation',
                'shipwreck_code',
                'sinking_date',
                'discovery_area',
                'affmar_number',
                'drassm_number',
            ))
class SiteFormSelection(LockForm, CustomFormSearch):
    SEARCH_AND_SELECT = True
    associated_models = {'pk': models.ArchaeologicalSite}
    currents = {'pk': models.ArchaeologicalSite}
    pk = forms.IntegerField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-site'), SiteSelect,
            models.ArchaeologicalSite,
            gallery=True, map=True,
            source_full=reverse_lazy('get-site-full')),
        validators=[valid_id(models.ArchaeologicalSite)])
    @classmethod
    def form_label(cls):
        return get_current_profile().get_site_label('search')
class SiteFormMultiSelection(LockForm, MultiSearchForm):
    associated_models = {'pks': models.ArchaeologicalSite}
    pk = forms.CharField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-site'), SiteSelect,
            models.ArchaeologicalSite,
            gallery=True, map=True,
            multiple_select=True,
            source_full=reverse_lazy('get-site-full')),
        validators=[valid_ids(models.ArchaeologicalSite)])
    @classmethod
    def form_label(cls):
        return get_current_profile().get_site_label('search')
class SiteForm(CustomForm, ManageOldType):
    HEADERS = {}
    form_label = _("General")
    form_admin_name = _("Archaeological site - 010 - General")
    form_slug = "archaeological_site-010-general"
    associated_models = {'period': models.Period, 'remain': models.RemainType,
                         'spatial_reference_system': SpatialReferenceSystem,
                         'cultural_attribution': models.CulturalAttributionType,
                         'collaborator': Person}
    base_models = ["period", "remain", "collaborator", "cultural_attribution"]
    pk = forms.IntegerField(required=False, widget=forms.HiddenInput)
    reference = forms.CharField(label=_("Reference"), max_length=200)
    name = forms.CharField(label=_("Name"), max_length=200, required=False)
    other_reference = forms.CharField(label=_("Other reference"),
                                      required=False)
    period = forms.MultipleChoiceField(
        label=_("Periods"), choices=[], widget=widgets.Select2Multiple,
        required=False)
    remain = forms.MultipleChoiceField(
        label=_("Remains"), choices=[], widget=widgets.Select2Multiple,
        required=False)
    cultural_attribution = forms.MultipleChoiceField(
        label=_("Cultural attributions"), choices=[],
        widget=widgets.Select2Multiple,
        required=False)
    collaborator = widgets.Select2MultipleField(
        model=Person, label=_("Collaborators"), required=False, remote=True)
    comment = forms.CharField(label=_("Comment"), widget=forms.Textarea,
                              required=False)
    locality_ngi = forms.CharField(
        label=_("National Geographic Institute locality"),
        widget=forms.Textarea, required=False
    )
    locality_cadastral = forms.CharField(
        label=_("Cadastral locality"),
        widget=forms.Textarea, required=False
    )
    TYPES = [
        FieldType('period', models.Period, True),
        FieldType('remain', models.RemainType, True),
        FieldType('cultural_attribution',
                  models.CulturalAttributionType, True),
        FieldType('spatial_reference_system', SpatialReferenceSystem),
    ]
    def __init__(self, *args, **kwargs):
        super(SiteForm, self).__init__(*args, **kwargs)
        if 'collaborator' in self.fields:
            self.fields['collaborator'].widget.attrs['full-width'] = True
    def clean_reference(self):
        reference = self.cleaned_data['reference']
        q = models.ArchaeologicalSite.objects.filter(reference=reference)
        if 'pk' in self.cleaned_data and self.cleaned_data['pk']:
            q = q.exclude(pk=self.cleaned_data['pk'])
        if q.count():
            raise forms.ValidationError(_("This reference already exists."))
        return reference
SiteTownFormset = formset_factory(TownForm, can_delete=True,
                                  formset=TownFormSet)
SiteTownFormset.form_label = _("Towns")
SiteTownFormset.form_admin_name = _("Archaeological site - 020 - Towns")
SiteTownFormset.form_slug = "archaeological_site-020-towns"
def check_underwater_module(self):
    return get_current_profile().underwater
class SiteUnderwaterForm(CustomForm, ManageOldType):
    form_label = _("Underwater")
    form_admin_name = _("Archaeological site - 030 - Underwater")
    form_slug = "archaeological_site-030-underwater"
    affmar_number = forms.CharField(
        label=_("AffMar number"), required=False, max_length=100)
    drassm_number = forms.CharField(
        label=_("DRASSM number"), required=False, max_length=100)
    shipwreck_name = forms.CharField(
        label=_("Shipwreck name"), required=False)
    shipwreck_code = forms.CharField(
        label=_("Shipwreck code"), required=False)
    sinking_date = DateField(
        label=_("Sinking date"), required=False)
    discovery_area = forms.CharField(
        label=_("Discovery area"), widget=forms.Textarea, required=False)
    oceanographic_service_localisation = forms.CharField(
        label=_("Oceanographic service localisation"),
        widget=forms.Textarea, required=False
    )
################################################
# Administrative act management for operations #
################################################
class AdministrativeActOpeSelect(DocumentItemSelect):
    _model = models.AdministrativeAct
    search_vector = forms.CharField(
        label=_("Full text search"), widget=widgets.SearchWidget(
            'archaeological-operations', 'administrativeact',
            'administrativeactop',
        ))
    year = forms.IntegerField(label=_("Year"))
    index = forms.IntegerField(label=_("Index"))
    ref_sra = forms.CharField(label=_("Other reference"), max_length=200)
    operation__code_patriarche = forms.CharField(
        max_length=500,
        widget=OAWidget,
        label="Code PATRIARCHE")
    act_type = forms.ChoiceField(label=_("Act type"), choices=[])
    indexed = forms.NullBooleanField(label=_("Indexed?"))
    operation__towns = get_town_field()
    parcel = forms.CharField(label=_("Parcel"))
    if settings.ISHTAR_DPTS:
        operation__towns__numero_insee__startswith = forms.ChoiceField(
            label=_("Department"), choices=[])
    act_object = forms.CharField(label=_("Object"),
                                 max_length=300)
    comment = forms.CharField(label=_("Comment"), max_length=500)
    signature_date = DateField(label=_("Signature date"))
    def __init__(self, *args, **kwargs):
        super(AdministrativeActOpeSelect, self).__init__(*args, **kwargs)
        self.fields['act_type'].choices = models.ActType.get_types(
            dct={'intented_to': 'O'})
        self.fields['act_type'].help_text = models.ActType.get_help(
            dct={'intented_to': 'O'})
        if settings.ISHTAR_DPTS:
            k = 'operation__towns__numero_insee__startswith'
            self.fields[k].choices = [
                ('', '--')] + list(settings.ISHTAR_DPTS)
class AdministrativeActOpeFormSelection(IshtarForm):
    SEARCH_AND_SELECT = True
    form_label = _("Administrative act search")
    associated_models = {'pk': models.AdministrativeAct}
    currents = {'pk': models.AdministrativeAct}
    pk = forms.IntegerField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-administrativeactop'),
            AdministrativeActOpeSelect, models.AdministrativeAct,
            table_cols='TABLE_COLS_OPE'),
        validators=[valid_id(models.AdministrativeAct)])
    def clean(self):
        cleaned_data = self.cleaned_data
        if 'pk' not in cleaned_data or not cleaned_data['pk']:
            raise forms.ValidationError(
                _("You should select an administrative act."))
        return cleaned_data
class AdministrativeActForm(CustomForm, ManageOldType):
    form_label = _("General")
    associated_models = {'act_type': models.ActType,
                         'signatory': Person}
    act_type = forms.ChoiceField(label=_("Act type"), choices=[])
    signatory = forms.IntegerField(
        label=_("Signatory"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person'), associated_model=Person,
            new=True),
        validators=[valid_id(Person)], required=False)
    act_object = forms.CharField(label=_("Object"), max_length=300,
                                 widget=forms.Textarea, required=False)
    signature_date = DateField(label=_("Signature date"), required=False)
    comment = forms.CharField(label=_("Comment"), widget=forms.Textarea, required=False)
    ref_sra = forms.CharField(label=_("Other reference"), max_length=200, required=False)
    TYPES = [
        FieldType('act_type', models.ActType,
                  extra_args={"dct": {'intented_to': 'O'}}),
    ]
class AdministrativeActOpeForm(AdministrativeActForm):
    form_admin_name = _("Operation - Administrative act - General")
    form_slug = "operation-adminact-general"
class AdministrativeActModifForm(object):
    def __init__(self, *args, **kwargs):
        super(AdministrativeActModifForm, self).__init__(*args, **kwargs)
        fields = OrderedDict()
        idx = self.fields.pop('index')
        for key, value in self.fields.items():
            fields[key] = value
            if key == 'signature_date':
                fields['index'] = idx
        self.fields = fields
    def clean(self):
        # manage unique act ID
        year = self.cleaned_data.get("signature_date", None)
        if not year or not hasattr(year, 'year'):
            return self.cleaned_data
        year = year.year
        index = self.cleaned_data.get("index", None)
        if not index:
            return self.cleaned_data
        items = models.AdministrativeAct.objects.filter(
            year=year, index=index)
        if 'pk' in self.cleaned_data and self.cleaned_data['pk']:
            items = items.exclude(pk=self.cleaned_data['pk'])
        if items.count():
            max_val = models.AdministrativeAct.objects.filter(
                year=year).aggregate(Max('index'))["index__max"]
            msg = ''
            if year and max_val:
                msg = _(
                    "This index already exists for year: %(year)d - use a "
                    "value bigger than %(last_val)d") % {
                    'year': year, 'last_val': max_val}
            else:
                msg = _("Bad index")
            raise forms.ValidationError(msg)
        return self.cleaned_data
class AdministrativeActOpeModifForm(AdministrativeActModifForm,
                                    AdministrativeActOpeForm):
    pk = forms.IntegerField(required=False, widget=forms.HiddenInput)
    index = forms.IntegerField(label=_("Index"), required=False)
class FinalAdministrativeActDeleteForm(FinalForm):
    confirm_msg = " "
    confirm_end_msg = _("Would you like to delete this administrative act?")
class DocumentGenerationAdminActForm(IshtarForm):
    _associated_model = models.AdministrativeAct
    document_template = forms.ChoiceField(label=_("Template"), choices=[])
    def __init__(self, *args, **kwargs):
        self.document_type = 'O'
        if 'document_type' in kwargs:
            self.document_type = kwargs.pop('document_type')
        self.obj = None
        if 'obj' in kwargs:
            self.obj = kwargs.pop('obj')
        super(DocumentGenerationAdminActForm, self).__init__(*args, **kwargs)
        self.fields['document_template'].choices = DocumentTemplate.get_tuples(
            dct={'associated_model__klass':
                 'archaeological_operations.models.AdministrativeAct',
                 'acttypes__intented_to': self.document_type})
    def clean(self):
        if not self.obj:
            raise forms.ValidationError(
                _("You should select an administrative act."))
        cleaned_data = self.cleaned_data
        try:
            dt = DocumentTemplate.objects.get(
                pk=self.cleaned_data['document_template'])
        except DocumentTemplate.DoesNotExist:
            raise forms.ValidationError(_("This document is not intended for "
                                          "this type of act."))
        if self.obj.act_type.pk not in [
                act_type.pk for act_type in dt.acttypes.all()]:
            raise forms.ValidationError(_("This document is not intended for "
                                          "this type of act."))
        return cleaned_data
    def save(self, object_pk):
        try:
            c_object = self._associated_model.objects.get(pk=object_pk)
        except self._associated_model.DoesNotExist:
            return
        try:
            template = DocumentTemplate.objects.get(
                pk=self.cleaned_data.get('document_template'))
        except DocumentTemplate.DoesNotExist:
            return
        return template.publish(c_object)
class GenerateDocForm(IshtarForm):
    form_label = _("Doc generation")
    doc_generation = forms.ChoiceField(
        required=False, choices=[], label=_("Generate the associated doc?"))
    def __init__(self, *args, **kwargs):
        choices = []
        if 'choices' in kwargs:
            choices = kwargs.pop('choices')
        super(GenerateDocForm, self).__init__(*args, **kwargs)
        self.fields['doc_generation'].choices = [('', '-' * 9)] + \
            [(choice.pk, str(choice)) for choice in choices]
class AdministrativeActRegisterSelect(AdministrativeActOpeSelect):
    indexed = forms.NullBooleanField(label=_("Indexed?"))
    def __init__(self, *args, **kwargs):
        super(AdministrativeActRegisterSelect, self).__init__(*args, **kwargs)
        self.fields['act_type'].choices = models.ActType.get_types()
        self.fields['act_type'].help_text = models.ActType.get_help()
class AdministrativeActRegisterFormSelection(IshtarForm):
    form_label = pgettext_lazy('admin act register', "Register")
    associated_models = {'pk': models.AdministrativeAct}
    currents = {'pk': models.AdministrativeAct}
    pk = forms.IntegerField(
        label="", required=False,
        widget=widgets.DataTable(
            reverse_lazy('get-administrativeact'),
            AdministrativeActRegisterSelect, models.AdministrativeAct,
            table_cols='TABLE_COLS',
            source_full=reverse_lazy('get-administrativeact-full')),
        validators=[valid_id(models.AdministrativeAct)])
    def clean(self):
        cleaned_data = self.cleaned_data
        if 'pk' not in cleaned_data or not cleaned_data['pk']:
            raise forms.ValidationError(
                _("You should select an administrative act."))
        return cleaned_data
class QAOperationFormMulti(QAForm):
    form_admin_name = _("Operation - Quick action - Modify")
    form_slug = "operation-quickaction-modify"
    base_models = ['qa_operation_type']
    associated_models = {
        'qa_operation_type': models.OperationType,
        'qa_towns': Town,
        'qa_operator': Organization,
        'qa_collaborators': Person,
    }
    MULTI = True
    REPLACE_FIELDS = [
        'qa_operation_type',
        'qa_operator',
        'qa_documentation_received',
        'qa_finds_received',
        "qa_finds_deposit_date",
        "qa_documentation_deposit_date",
    ]
    qa_operation_type = forms.ChoiceField(
        label=_("Operation type"), required=False
    )
    qa_towns = get_town_field(required=False)
    qa_operator = forms.IntegerField(
        label=_("Operator"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-organization',
                         args=[organization_type_pk_lazy('operator')]),
            limit={'organization_type': organization_type_pk_lazy('operator')},
            associated_model=Organization, new=True),
        validators=[valid_id(Organization)], required=False)
    qa_documentation_received = forms.ChoiceField(
        label=_("Documentation provided"), required=False,
        choices=QAForm.NULL_BOOL_CHOICES
    )
    qa_documentation_deposit_date = DateField(
        label=_("Documentation deposit date"), required=False,
    )
    qa_finds_received = forms.ChoiceField(
        label=_("Finds provided"), required=False,
        choices=QAForm.NULL_BOOL_CHOICES
    )
    qa_finds_deposit_date = DateField(
        label=_("Finds deposit date"),
        required=False)
    qa_collaborators = forms.IntegerField(
        label=_("Collaborators"), required=False,
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person')
        ),
    )
    TYPES = [
        FieldType('qa_operation_type', models.OperationType),
    ]
    def _get_qa_towns(self, value):
        try:
            value = Town.objects.get(pk=value).cached_label
        except Town.DoesNotExist:
            return ""
        return value
    def _get_qa_operator(self, value):
        return self._get_organization(value)
    def _get_qa_finds_received(self, value):
        return self._get_null_boolean_field(value)
    def _get_qa_documentation_received(self, value):
        return self._get_null_boolean_field(value)
    def _set_qa_finds_received(self, item, __):
        return self._set_null_boolean_field(item, "qa_finds_received")
    def _set_qa_documentation_received(self, item, __):
        return self._set_null_boolean_field(item, "qa_documentation_received")
class QAOperationDuplicateForm(IshtarForm):
    qa_code_patriarche = forms.CharField(
        max_length=500, widget=OAWidget, label=_("Code PATRIARCHE"),
        required=False)
    qa_year = forms.IntegerField(label=_("Year"), required=False,
                              validators=[validators.MinValueValidator(1000),
                                          validators.MaxValueValidator(2100)])
    qa_common_name = forms.CharField(label=_("Generic name"), required=False,
                                  max_length=500, widget=forms.Textarea)
    qa_operation_type = forms.ChoiceField(label=_("Operation type"), choices=[])
    TYPES = [
        FieldType('qa_operation_type', models.OperationType),
    ]
    def __init__(self, *args, **kwargs):
        self.user = None
        if 'user' in kwargs:
            self.user = kwargs.pop('user')
            if hasattr(self.user, 'ishtaruser'):
                self.user = self.user.ishtaruser
        self.operation = kwargs.pop('items')[0]
        super(QAOperationDuplicateForm, self).__init__(*args, **kwargs)
        self.fields['qa_year'].initial = self.operation.year
        self.fields['qa_common_name'].initial = self.operation.common_name
        self.fields["qa_operation_type"].initial =  \
            self.operation.operation_type.pk
    def clean_qa_code_patriarche(self):
        code = self.cleaned_data['qa_code_patriarche']
        if models.Operation.objects \
                .filter(code_patriarche=code).count():
            raise forms.ValidationError(_("This code already exists."))
        return code
    def save(self):
        data = {"operation_code": None}
        for k in ("code_patriarche", "common_name", "year"):
            data[k] = self.cleaned_data.get("qa_" + k, None)
        try:
            data["operation_type"] = models.OperationType.objects.get(
                pk=self.cleaned_data["qa_operation_type"], available=True
            )
        except models.OperationType.DoesNotExist:
            return
        operation = self.operation.duplicate(self.user, data=data)
        # clear associated sites
        operation.archaeological_sites.clear()
        operation.skip_history_when_saving = True
        operation._cached_label_checked = False
        operation._search_updated = False
        operation._no_move = True
        operation.save()  # regen of labels
        return operation
class QAArchaeologicalSiteDuplicateForm(IshtarForm):
    qa_reference = forms.CharField(label=_("Reference"), max_length=200)
    qa_name = forms.CharField(label=_("Name"), max_length=200, required=False)
    def __init__(self, *args, **kwargs):
        self.user = None
        if 'user' in kwargs:
            self.user = kwargs.pop('user')
            if hasattr(self.user, 'ishtaruser'):
                self.user = self.user.ishtaruser
        self.site = kwargs.pop('items')[0]
        super(QAArchaeologicalSiteDuplicateForm, self).__init__(*args, **kwargs)
        self.fields['qa_reference'].initial = (
                self.site.reference or "") + str(_(" - duplicate"))
        self.fields['qa_name'].initial = self.site.name
    def clean_qa_reference(self):
        reference = self.cleaned_data['qa_reference']
        if models.ArchaeologicalSite.objects \
                .filter(reference=reference).count():
            raise forms.ValidationError(_("This reference already exists."))
        return reference
    def save(self):
        data = {}
        for k in ("name", "reference"):
            data[k] = self.cleaned_data.get("qa_" + k, None)
        return self.site.duplicate(self.user, data=data)
class QAArchaeologicalSiteFormMulti(QAForm):
    form_admin_name = _("Archaeological files - Quick action - Modify")
    form_slug = "archaeological_site-quickaction-modify"
    associated_models = {
        'qa_towns': Town,
        'qa_collaborators': Person,
    }
    MULTI = True
    qa_towns = get_town_field(required=False)
    qa_collaborators = forms.IntegerField(
        label=_("Collaborators"), required=False,
        widget=widgets.JQueryAutoComplete(
            reverse_lazy('autocomplete-person')
        ),
    )
    qa_cultural_attributions = forms.ChoiceField(
        label=_("Cultural attributions"),
        required=False,
        choices=[],
    )
    qa_remains = forms.ChoiceField(
        label=_("Remains"),
        required=False,
        choices=[],
    )
    TYPES = [
        FieldType('qa_cultural_attributions', models.CulturalAttributionType),
        FieldType('qa_remains', models.RemainType),
    ]
    def _get_qa_towns(self, value):
        try:
            value = Town.objects.get(pk=value).cached_label
        except Town.DoesNotExist:
            return ""
        return value
 |