| 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
 | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Copyright (C) 2010-2025  Étienne Loks  <etienne.loks at iggdrasil dot net>
# 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.
"""
Forms definition
"""
from collections import OrderedDict
import datetime
from markdown import markdown
import re
import types
from bootstrap_datepicker.widgets import DateField
from django import forms
from django.apps import apps
from django.conf import settings
from django.contrib.auth.models import User
from django.core.exceptions import ValidationError
from django.core import validators
from django.forms.formsets import BaseFormSet, DELETION_FIELD_NAME
from django.urls import reverse
from django.utils import formats, translation, timezone
from django.utils.functional import lazy
from django.utils.safestring import mark_safe
from django.utils.text import slugify
from django.utils.translation import gettext_lazy as _
from bootstrap_datepicker.widgets import DatePicker, DATE_FORMAT
from ishtar_common import models
from ishtar_common import widgets
from ishtar_common.utils import MultiValueDict, update_data, \
                                generate_dict_from_data_string
# from formwizard.forms import NamedUrlSessionFormWizard
class NamedUrlSessionFormWizard(forms.Form):
    def __init__(self, form_list, condition_list=None, url_name=""):
        if not condition_list:
            condition_list = {}
        self.form_list = dict(form_list)
        self.condition_list = condition_list
        self.url_name = url_name
        super(NamedUrlSessionFormWizard, self).__init__(self)
    def rindex(self, idx):
        return self.url_name.rindex(idx)
def my_reverse(*args, **kwargs):
    """
    Custom reverse method in order to evaluate lazy args
    """
    if "args" in kwargs:
        my_args = []
        for arg in kwargs["args"]:
            if callable(arg):
                my_args.append(str(arg()))
            else:
                my_args.append(str(arg))
        kwargs["args"] = my_args
    return reverse(*args, **kwargs)
reverse_lazy = lazy(my_reverse, str)
regexp_name = re.compile(r"^[\.,:/\w\-'\"() \&\[\]@]+$", re.UNICODE)
name_validator = validators.RegexValidator(
    regexp_name,
    _("Enter a valid name consisting of letters, spaces and hyphens."),
    "invalid",
)
def file_size_validator(value):
    limit = (settings.MAX_UPLOAD_SIZE * 1024 * 1024) - 100
    if value.size > limit:
        raise ValidationError(
            str(_("File too large. Size should not exceed {} Mo.")).format(
                settings.MAX_UPLOAD_SIZE
            )
        )
class FloatField(forms.FloatField):
    """
    Allow the use of comma for separating float fields
    """
    def clean(self, value):
        if value and isinstance(value, str):
            value = value.replace(",", ".").replace("%", "")
        return super(FloatField, self).clean(value)
class FormPermissionForm:
    """
    Modification, deletion kwargs (for permissions)
    """
    def __init__(self, *args, **kwargs):
        if "modification" in kwargs:
            self.form_permission = "modification"
            kwargs.pop("modification")
        elif "deletion" in kwargs:
            self.form_permission = "deletion"
            kwargs.pop("deletion")
        else:
            self.form_permission = "view"
        super().__init__(*args, **kwargs)
class FinalForm(FormPermissionForm, forms.Form):
    final = True
    form_label = _("Confirm")
class FinalDeleteForm(FinalForm):
    confirm_msg = " "
    confirm_end_msg = _("Are you sure you want to delete?")
def get_readonly_clean(key):
    def func(self):
        instance = getattr(self, "instance", None)
        if instance and getattr(instance, key):
            return getattr(instance, key)
        else:
            return self.cleaned_data[key]
    return func
JSON_VALUE_TYPES_FIELDS = {
    "T": (forms.CharField, None),
    "LT": (forms.CharField, forms.Textarea),
    "I": (forms.IntegerField, None),
    "F": (FloatField, None),
    "D": (DateField, None),
    "B": (forms.NullBooleanField, None),
    "C": (widgets.Select2DynamicField, None),
    "MC": (widgets.Select2DynamicMultipleField, None),
}
class BSForm(FormPermissionForm):
    """
    Bootstrap decoration
    """
    def _post_init(self):
        for k in self.fields:
            widget = self.fields[k].widget
            # manage bs decoration
            if not hasattr(widget, "NO_FORM_CONTROL"):
                cls = "form-control"
                if "class" in widget.attrs:
                    if "form-control" in widget.attrs["class"]:
                        cls = widget.attrs["class"]
                    else:
                        cls = widget.attrs["class"] + " " + cls
                widget.attrs["class"] = cls
            # 32 bits max value
            if isinstance(self.fields[k], forms.IntegerField):
                has_max = any(
                    isinstance(validator, validators.MaxValueValidator)
                    for validator in self.fields[k].validators
                )
                if not has_max:
                    self.fields[k].validators.append(
                        validators.MaxValueValidator(2147483647)
                    )
            # manage datepicker
            if not isinstance(widget, DatePicker):
                continue
            lang = translation.get_language()
            widget.options["language"] = lang
            if lang in DATE_FORMAT:
                widget.options["format"] = DATE_FORMAT[lang]
            if "autoclose" not in widget.options:
                widget.options["autoclose"] = "true"
            widget.options["todayHighlight"] = "true"
class CustomForm(BSForm):
    """
    Manage:
    - form custom fields.
    - user kwargs
    """
    form_admin_name = ""
    form_slug = ""
    need_user_for_initialization = True
    _explicit_ordering = False  # explicit call to field ordering
    def __init__(self, *args, **kwargs):
        self.current_user = None
        self.custom_header = ""
        if "user" in kwargs:
            try:
                self.current_user = kwargs.pop("user").ishtaruser
            except AttributeError:
                pass
        super().__init__(*args, **kwargs)
        self.current_user = self.current_user or getattr(self, "user", None)
        if self.current_user and not hasattr(self.current_user, "current_profile"):
            self.current_user = getattr(self.current_user, "ishtaruser", None)
        if hasattr(self, "fields"):
            self.base_field_keys = self.fields.keys()
        else:
            self.base_field_keys = []
        if not self._explicit_ordering:
            self.custom_form_ordering()
        self.autocomplete_widget_add_user()
    def autocomplete_widget_add_user(self):
        if not hasattr(self, "fields"):
            return
        for k in self.fields:
            if not isinstance(self.fields[k].widget, widgets.JQueryAutoComplete):
                continue
            self.fields[k].widget.user = self.current_user
    def _remove_fields(self, field_names):
        """
        Remove field (if already present)
        """
        if not getattr(self, "fields", None):
            return
        for name in field_names:
            if name in self.fields:
                self.fields.pop(name)
    def custom_form_ordering(self):
        available, header, excluded, json_fields = self.check_custom_form(
            self.current_user)
        self.custom_header = header
        for exc in excluded:
            if hasattr(self, "fields"):
                self.remove_field(exc)
            else:
                # formset
                for form in self.forms:
                    if exc in form.fields:
                        form.fields.pop(exc)
        new_fields = {}
        for order, key, field in json_fields:
            while order in new_fields:  # json fields with the same number
                order += 1
            new_fields[order] = (key, field)
        if not hasattr(self, "fields"):  # formset
            return
        field_items, field_hidden_items = [], []
        for key, field in self.fields.items():
            if getattr(field.widget, "is_hidden", None):
                field_hidden_items.append((key, field))
            else:
                field_items.append((key, field))
        if not new_fields:
            # add index number for admin debug
            for idx, field in enumerate(field_items):
                idx = (idx + 1) * 10
                key, c_field = field
                c_field.order_number = idx
            return
        # re-order for json fields
        fields = OrderedDict()
        for idx, field in enumerate(field_hidden_items):
            key, c_field = field
            fields[key] = c_field
        old_idx = 0
        for idx, field in enumerate(field_items):
            if not idx and isinstance(self, TableSelect):
                # search_vector field always first on search
                idx = -1
            else:
                idx = (idx + 1) * 10
            key, c_field = field
            # insert custom field in position
            for k in sorted(new_fields.keys()):
                if old_idx <= k < idx:
                    alt_key, alt_field = new_fields.pop(k)
                    alt_field.order_number = k
                    fields[alt_key] = alt_field
            old_idx = idx
            c_field.order_number = idx
            fields[key] = c_field
        # custom field after classic fields
        instance = getattr(self, "instance", None)
        for k in sorted(new_fields.keys()):
            alt_key, alt_field = new_fields.pop(k)
            alt_field.order_number = k
            # manage initial data
            if instance:
                data = instance.data
                nok = False
                for k_part in alt_key[len("data__"):].split("__"):
                    if k_part not in data:
                        nok = True
                        break
                    data = data[k_part]
                if not nok:
                    alt_field.initial = data
            fields[alt_key] = alt_field
        self.fields = fields
        self._post_init()
    def are_available(self, keys):
        return all(k in self.fields for k in keys)
    def remove_field(self, key):
        if key in self.fields:
            self.fields.pop(key)
    @classmethod
    def _get_dynamic_choices(cls, key):
        """
        Get choice from existing values
        :param key: data key
        :return: tuple of choices (id, value)
        """
        app_name = cls.__module__.split(".")[0]
        model_name = cls.form_slug.split("-")[0].replace("_", "")
        ct_class = apps.get_model(app_name, model_name)
        return ct_class._get_dynamic_choices(key)
    @classmethod
    def _get_json_fields(cls, custom_form):
        """
        Return json field list from database configuration
        :param custom_form: form concerned
        :return: ((order1, key1, field1), ...)
        """
        fields = []
        if hasattr(cls, "base_fields"):
            base_fields = cls.base_fields
        else:
            # formset
            base_fields = cls.form.base_fields
        is_search = "search_vector" in base_fields
        q = custom_form.json_fields.values(
            "label",
            "help_text",
            "order",
            "json_field__key",
            "json_field__value_type",
            "json_field__name",
        ).order_by("order")
        for field in q.all():
            key = "data__" + field["json_field__key"]
            field_cls, widget = forms.CharField, None
            if field["json_field__value_type"] in JSON_VALUE_TYPES_FIELDS:
                field_cls, widget = JSON_VALUE_TYPES_FIELDS[
                    field["json_field__value_type"]
                ]
                if is_search and field["json_field__value_type"] == "LT":
                    widget = None
            attrs = {
                "label": field["label"] or field["json_field__name"],
                "required": False,
            }
            if field["help_text"]:
                attrs["help_text"] = field["help_text"]
            if widget:
                attrs["widget"] = widget()
            if field_cls in (widgets.Select2DynamicField,
                             widgets.Select2DynamicMultipleField):
                choices = cls._get_dynamic_choices(key)
                attrs["choices"] = choices
            f = field_cls(**attrs)
            kls = "form-control"
            if "class" in f.widget.attrs:
                kls = f.widget.attrs["class"] + " " + kls
            f.widget.attrs["class"] = kls
            f.alt_name = slugify(attrs["label"])
            fields.append((field["order"] or 1, key, f))
        return fields
    @classmethod
    def check_custom_form(cls, current_user):
        """
        Check form customization
        :param current_user:
        :return: available, custom header, excluded_fields, json_fields
        """
        if not current_user:
            return True, "", [], []
        base_q = {"form": cls.form_slug, "available": True}
        # order is important : try for user, profile type, user type then all
        query_dicts = []
        if current_user:
            dct = base_q.copy()
            dct.update({"users__pk": current_user.pk})
            query_dicts = [dct]
            if current_user.current_profile:
                dct = base_q.copy()
                pt = current_user.current_profile.profile_type.pk
                dct.update({"profile_types__pk": pt})
                query_dicts.append(dct)
            for user_type in current_user.person.person_types.all():
                dct = base_q.copy()
                dct.update({"user_types__pk": user_type.pk}),
                query_dicts.append(dct)
        dct = base_q.copy()
        dct.update({"apply_to_all": True})
        query_dicts.append(dct)
        form = None
        for query_dict in query_dicts:
            q = models.CustomForm.objects.filter(**query_dict)
            if not q.count():
                continue
            # todo: prevent multiple result in database
            form = q.all()[0]
            break
        if not form:
            return True, "", [], []
        if not form.enabled:
            return False, "", [], []
        excluded_lst = []
        for excluded in form.excluded_fields.all():
            # could have be filtered previously
            excluded_lst.append(excluded.field)
        json_fields = cls._get_json_fields(form)
        header = form.header
        if header:
            header = markdown(header)
        return True, header, excluded_lst, json_fields
    @classmethod
    def get_custom_fields(cls):
        """
        Get fields than can be customized: excluded, re-ordered (WIP) or
        re-labeled (WIP)
        """
        if hasattr(cls, "base_fields"):
            fields = cls.base_fields
        else:
            # formset
            fields = cls.form.base_fields
        customs = []
        keys = fields.keys()
        for key in keys:
            field = fields[key]
            # cannot customize display of required (except in search form) and
            # hidden field, search_vector and field with no label
            if (
                ("search_vector" not in keys and field.required)
                or key == "search_vector"
                or field.widget.is_hidden
                or not field.label
            ):
                continue
            customs.append((key, field.label))
        return sorted(customs, key=lambda x: x[1])
    def save_json_fields(self, item):
        """
        Edit JSON fields of an item after form validation.
        Do not save. Return if item has been changed.
        """
        changed = False
        for key in self.cleaned_data:
            if not key.startswith("data__"):
                continue
            item.data = update_data(
                item.data,
                generate_dict_from_data_string(key, self.cleaned_data[key])
            )
            changed = True
        return changed
class CustomFormSearch(FormPermissionForm, forms.Form):
    """
    Manage:
    - user kwargs
    - modification, deletion kwargs (for permissions)
    """
    need_user_for_initialization = True
    def __init__(self, *args, **kwargs):
        user = None
        if "user" in kwargs:
            user = kwargs.pop("user")
        super().__init__(*args, **kwargs)
        self.request_user = user
        if user and "pk" in self.fields:
            self.fields["pk"].widget.user = user
            self.fields["pk"].widget.form_permission = self.form_permission
class LockForm(object):
    need_user_for_initialization = True
    associated_models = {}
    def clean(self):
        cleaned_data = self.cleaned_data
        pk_key = None
        if hasattr(self, "pk_key"):
            pk_key = self.pk_key
        elif len(self.associated_models.keys()) == 1:
            pk_key = list(self.associated_models.keys())[0]
        if not pk_key:
            raise NotImplementedError("pk_key must be set")
        if pk_key not in cleaned_data or not cleaned_data[pk_key]:
            raise forms.ValidationError(_("You should select an item."))
        model = self.associated_models[pk_key]
        pks = self.cleaned_data[pk_key]
        pks = [pks] if isinstance(pks, int) else pks.split(",")
        for pk in pks:
            try:
                item = model.objects.get(pk=pk)
            except model.DoesNotExist:
                raise forms.ValidationError(_("Invalid selection."))
            if item.is_locked(self.request_user):
                raise forms.ValidationError(_("This item is locked " "for edition."))
        return self.cleaned_data
class MultiSearchForm(CustomFormSearch):
    SEARCH_AND_SELECT = True
    pk_key = "pks"
    associated_models = {}
    def __init__(self, *args, **kwargs):
        super(MultiSearchForm, self).__init__(*args, **kwargs)
        if "pk" not in self.fields:
            raise NotImplementedError('A "pk" field must be defined')
        if self.pk_key not in self.associated_models:
            raise NotImplementedError(
                '"{}" must be defined in ' "associated_models".format(self.pk_key)
            )
        self.fields["pk"].required = True
        self.fields[self.pk_key] = self.fields.pop("pk")
    @classmethod
    def get_current_model(cls):
        return cls.associated_models[cls.pk_key]
    @classmethod
    def get_formated_datas(cls, cleaned_datas):
        if hasattr(cls, "current_model"):
            current_model = cls.current_model
        else:
            current_model = cls.get_current_model()
        if not current_model or not cls.pk_key:
            return []
        items = []
        for data in cleaned_datas:
            if not data or cls.pk_key not in data or not data[cls.pk_key]:
                continue
            pks = data[cls.pk_key]
            for pk in str(pks).split(","):
                if not pk:
                    continue
                try:
                    items.append(str(current_model.objects.get(pk=int(pk))))
                except (current_model.DoesNotExist, ValueError):
                    continue
        return [
            (
                "",
                mark_safe(
                    "<ul class='compact'><li>" + "</li><li>".join(items) + "</li></ul>"
                ),
            )
        ]
class FormSet(CustomForm, BaseFormSet):
    delete_widget = widgets.DeleteWidget
    def __init__(self, *args, **kwargs):
        self.readonly = False
        if "readonly" in kwargs:
            self.readonly = kwargs.pop("readonly")
            self.can_delete = False
            # no extra fields
            if "data" in kwargs:
                prefix = ""
                if "prefix" in kwargs:
                    prefix = kwargs["prefix"]
                if prefix + "-INITIAL_FORMS" in kwargs["data"]:
                    kwargs["data"][prefix + "-TOTAL_FORMS"] = kwargs["data"][
                        prefix + "-INITIAL_FORMS"
                    ]
        super(FormSet, self).__init__(*args, **kwargs)
    def check_duplicate(self, key_names, error_msg="", check_null=False,
                        exclude_deleted=False):
        """Check for duplicate items in the formset"""
        if any(self.errors):
            return
        if not error_msg:
            error_msg = _("There are identical items.")
        items = []
        for i in range(self.total_form_count()):
            form = self.forms[i]
            if not form.is_valid():
                continue
            if exclude_deleted and form.cleaned_data.get("DELETE", False):
                continue
            item = [
                key_name in form.cleaned_data and form.cleaned_data[key_name]
                for key_name in key_names
            ]
            if not check_null and not [v for v in item if v]:
                continue
            if item in items:
                raise forms.ValidationError(error_msg)
            items.append(item)
    def add_fields(self, form, index):
        super(FormSet, self).add_fields(form, index)
        if self.readonly:
            for k in form.fields:
                # django 1.9: use disabled
                form.fields[k].widget.attrs["readonly"] = True
                clean = get_readonly_clean(k)
                clean.__name__ = "clean_" + k
                clean.__doc__ = "autogenerated: clean_" + k
                setattr(form, clean.__name__, types.MethodType(clean, form))
        if self.can_delete:
            form.fields[DELETION_FIELD_NAME].label = ""
            form.fields[DELETION_FIELD_NAME].widget = self.delete_widget()
    def _should_delete_form(self, form):
        """
        Returns whether or not the form was marked for deletion.
        If no data, set deletion to True
        """
        if not hasattr(form, "cleaned_data"):
            return
        if form.cleaned_data.get(DELETION_FIELD_NAME, False):
            return True
        if not form.cleaned_data or not [
            key
            for key in form.cleaned_data
            if key != DELETION_FIELD_NAME
            and form.cleaned_data[key] is not None
            and form.cleaned_data[key] != ""
        ]:
            form.cleaned_data[DELETION_FIELD_NAME] = True
            return True
        return False
class FormSetWithDeleteSwitches(FormSet):
    delete_widget = widgets.DeleteSwitchWidget
class FieldType:
    """
    Define field choices, help for SELECT field from a model.
    :key: fields key for the form
    :model: associated model
    :is_multiple: True if multi select
    :extra_args: extra args for 'get_types' call
    :empty_first: first entry is empty. True by default. Always False when multiple
    """
    def __init__(self, key, model, is_multiple=False, extra_args=None,
                 empty_first=True, help_text=True):
        self.key = key
        self.model = model
        self.is_multiple = is_multiple
        self.extra_args = extra_args
        if self.is_multiple:
            empty_first = False
        self.empty_first = empty_first
        self.help_text = help_text
    def get_choices(self, initial=None):
        args = {"empty_first": self.empty_first, "initial": initial}
        if self.extra_args:
            args.update(self.extra_args)
        return self.model.get_types(**args)
    def get_help(self):
        if not self.help_text:
            return
        args = {}
        if self.extra_args:
            args.update(self.extra_args)
        return self.model.get_help(**args)
class FormHeader:
    def __init__(self, label, level=4, collapse=False, help_message="", slug=""):
        self.label = label
        self.slug = slug or slugify(label)
        self.collapse = collapse
        self.level = level
        self.help_message = help_message
    def render(self):
        help_message = ""
        if self.help_message:
            help_message = """
            <div class="alert alert-info" role="alert">{}</div>""".format(
                self.help_message
            )
        if not self.collapse:
            return mark_safe(
                "<h{level}>{label}</h{level}>{help_message}".format(
                    label=self.label, level=self.level, help_message=help_message
                )
            )
        html = """<div id="collapse-parent-{slug}" class="collapse-form">
  <div class="card">
    <div class="card-header" id="collapse-head-{slug}">
      <h{level} href="#">
        <button class="btn btn-link" type="button" data-toggle="collapse" 
        data-target="#collapse-{slug}" aria-expanded="true" 
        aria-controls="collapse-{slug}">
          {label}  
          <i class="fa fa-compress" aria-hidden="true"></i>
          <i class="fa fa-expand" aria-hidden="true"></i>
        </button>
      </h{level}>
    </div>
    <div id="collapse-{slug}" class="collapse"
        aria-labelledby="collapse-head-{slug}"
        data-parent="#colapse-parent-{slug}">
      <div class="card-body">
      {help_message}
""".format(
            label=self.label,
            slug=slugify(self.label),
            level=self.level,
            help_message=help_message,
        )
        return mark_safe(html)
    def render_end(self):
        if not self.collapse:
            return ""
        return mark_safe(
            """
      </div>
    </div>
  </div>
  </div>"""
        )
class IshtarForm(BSForm, forms.Form):
    TYPES = []  # FieldType list
    CONDITIONAL_FIELDS = []  # dynamic conditions on field display
    # can be dynamic with "get_conditional_fields"
    PROFILE_FILTER = {}  # profile key associated to field list
    HEADERS = {}  # field key associated to FormHeader instance
    # permission check for widget options, ex: forms_common.DocumentForm
    OPTIONS_PERMISSIONS = {}
    SITE_KEYS = {}  # archaeological sites fields and associated translation key
    # to manage translation
    def __init__(self, *args, **kwargs):
        self._headers = {}  # used for dynamic headers
        self._types = []  # used for dynamic types
        super().__init__(*args, **kwargs)
        profile = self.site_profile = None
        if self.PROFILE_FILTER or self.SITE_KEYS:
            profile = self.site_profile = models.get_current_profile()
        if self.PROFILE_FILTER:
            self._profile_filter(profile)
        if getattr(self, "confirm", False):
            return
        if self.SITE_KEYS:
            self._site_keys(profile)
        user = getattr(self, "user", None)
        ishtar_user = None
        if user:
            try:
                ishtar_user = models.IshtarUser.objects.get(pk=user.pk)
            except models.IshtarUser.DoesNotExist:
                pass
        if ishtar_user:
            for field_name, permissions, options in self.OPTIONS_PERMISSIONS:
                if field_name not in self.fields:
                    continue
                if not any(
                    True
                    for permission in permissions
                    if ishtar_user.has_permission(permission)
                ):
                    continue
                for option, value in options.items():
                    setattr(self.fields[field_name].widget, option, value)
        self._init_types()
        self._post_init()
    def _profile_filter(self, profile):
        for profile_key in self.PROFILE_FILTER:
            if not getattr(profile, profile_key):
                for field_key in self.PROFILE_FILTER[profile_key]:
                    if field_key in self.fields.keys():
                        self.fields.pop(field_key)
    def _site_keys(self, profile):
        field_keys = list(self.fields.keys())
        for site_key in list(self.SITE_KEYS.keys()):
            if site_key in field_keys:
                self.fields[site_key].label = profile.get_site_label(
                    self.SITE_KEYS[site_key]
                )
    def _init_types(self):
        type_lst = self._types or self.TYPES
        for field in type_lst:
            self._init_type(field)
    def _init_type(self, field):
        if field.key not in self.fields:
            return
        self.fields[field.key].choices = field.get_choices()
        if not getattr(field, "help_text", True):
            return
        self.fields[field.key].help_text = field.get_help()
    def _clean_model_field(self, key, model):
        """
        Clean autocomplete field returning integer associated to a model.
        """
        value = self.cleaned_data.get(key, None)
        if not value:
            return
        try:
            return model.objects.get(pk=int(value))
        except (model.DoesNotExist, ValueError):
            return
    def get_headers(self):
        if self._headers:
            return self._headers
        self._headers = self.HEADERS
        # if key is not available or header already used remove it
        used = []
        for k in self._headers.keys():
            if k not in self.fields or self._headers[k].slug in used:
                self._headers.pop(k)
                continue
            used.append(self._headers[k].slug)
        return self._headers
    def headers(self, key):
        headers = self.get_headers()
        if key not in headers:
            return
        self.current_header = headers[key]
        return self.current_header
    def extra_render(self):
        return (self.get_conditional() or "") + (self.get_conditional_filters() or "")
    HIDE_JS_TEMPLATE = """
    var %(id)s_item_show_list = ['%(item_list)s'];
    for (idx in %(id)s_item_show_list){
        $("#main_div-id_" + %(id)s_item_show_list[idx]).addClass("d-none");
    }
    """
    CONDITIONAL_JS_TEMPLATE = """
    var %(id)s_check_list = ['%(check_id_list)s'];
    var %(id)s_item_show_list = ['%(item_list)s'];
    var %(id)s_hide_display = function(){
        var current_val = $("#id_%(name)s").val();
        if (%(id)s_check_list.indexOf(current_val) != -1){
            for (idx in %(id)s_item_show_list){
                $("#main_div-id_" + %(id)s_item_show_list[idx]).removeClass("d-none");
            }
        } else {
            for (idx in %(id)s_item_show_list){
                $("#main_div-id_" + %(id)s_item_show_list[idx]).addClass("d-none");
            }
        }
    };
    
    $("#id_%(name)s").change(%(id)s_hide_display);
    setTimeout(function(){
        %(id)s_hide_display();
    }, 500);
    """
    def get_conditional(self):
        conditional_fields = self.CONDITIONAL_FIELDS
        if hasattr(self, "get_conditional_fields"):
            conditional_fields = self.get_conditional_fields()
        type_lst = self._types or self.TYPES
        if not conditional_fields or not type_lst:
            return
        type_dict = dict([(typ.key, typ.model) for typ in type_lst])
        html = ""
        for condition, target_names in conditional_fields:
            condition_field, condition_attr, condition_val = condition
            if condition_field not in type_dict:
                continue
            model = type_dict[condition_field]
            condition_ids = [
                str(item.pk)
                for item in model.objects.filter(
                    **{condition_attr: condition_val}
                ).all()
            ]
            name = self.prefix + "-" + condition_field
            target_names = [self.prefix + "-" + name for name in target_names]
            if not condition_ids:
                html += self.HIDE_JS_TEMPLATE % {
                    "item_list": "','".join(target_names),
                    "id": name.replace("-", "_"),
                }
                continue
            html += self.CONDITIONAL_JS_TEMPLATE % {
                "id": name.replace("-", "_"),
                "name": name,
                "item_list": "','".join(target_names),
                "check_id_list": "','".join(condition_ids),
            }
        if html:
            html = "<script type='text/javascript'>" + html + "</script>"
        return html
    CONDITIONAL_FILTER_JS_TEMPLATE = """
    %(filter_list)s;
    var %(id)s_prefix = "%(prefix)s";
    var %(id)s_filter_display = function(){
        var current_val = $("#id_%(name)s").val();
        if (current_val in %(id)s_filter_list){
            for (var k in %(id)s_filter_list[current_val]){
                var cname = k;
                if (%(id)s_prefix) cname = %(id)s_prefix + cname;
                update_select_widget(
                    cname,
                    %(id)s_all_value_list[k],
                    %(id)s_filter_list[current_val][k]);
            }
        } else {
            for (var k in %(id)s_exclude_list){
                var cname = k;
                if (%(id)s_prefix) cname = %(id)s_prefix + cname;
                update_select_widget(
                    cname,
                    %(id)s_all_value_list[k],
                    null,
                    %(id)s_exclude_list[k]);
            }
        }
    };
    $("#id_%(name)s").change(%(id)s_filter_display);
    setTimeout(function(){
        %(id)s_filter_display();
    }, 500);
    """
    def get_conditional_filters(self):
        if not hasattr(self, "get_conditional_filter_fields"):
            return
        (
            conditional_fields,
            excluded_fields,
            all_values,
        ) = self.get_conditional_filter_fields()
        type_lst = self._types or self.TYPES
        type_lst = [typ.key for typ in type_lst]
        html = ""
        outputs = set()
        for input_key in conditional_fields:
            if input_key not in type_lst:
                continue
            name = input_key
            if self.prefix:
                name = self.prefix + "-" + input_key
            cidx = name.replace("-", "_")
            filter_list = "var %s_filter_list = {\n" % cidx
            for idx, input_pk in enumerate(conditional_fields[input_key]):
                if idx:
                    filter_list += ",\n"
                filter_list += '  "%s": {\n' % input_pk
                for idx2, output in enumerate(conditional_fields[input_key][input_pk]):
                    if idx2:
                        filter_list += ",\n"
                    if output[0] in excluded_fields:
                        outputs.add(output[0])
                    filter_list += '    "{}": [{}]'.format(*output)
                filter_list += "  }"
            filter_list += "};\n"
            html += self.CONDITIONAL_FILTER_JS_TEMPLATE % {
                "id": cidx,
                "name": name,
                "filter_list": filter_list,
                "prefix": self.prefix or "",
            }
            html += "var %s_other_widget_list = [" % cidx
            for idx, k in enumerate(all_values):
                if idx:
                    html += ", "
                html += '"' + k + '"'
            html += "];\n"
            html += "var %s_exclude_list = {\n" % cidx
            for idx, output in enumerate(outputs):
                if idx:
                    html += ",\n"
                html += '  "%s": [%s]' % (output, excluded_fields[output])
            html += "\n};\n"
            html += "var %s_all_value_list = {\n" % cidx
            for idx, k in enumerate(all_values):
                if idx:
                    html += ",\n"
                html += '  "%s": %s' % (k, all_values[k])
            html += "\n};\n"
        if html:
            html = "<script type='text/javascript'>" + html + "</script>"
        return html
class TableSelect(IshtarForm):
    def __init__(self, *args, **kwargs):
        super(TableSelect, self).__init__(*args, **kwargs)
        alt_names = {}
        if hasattr(self, "_model"):
            if hasattr(self._model, "get_alt_names"):
                alt_names = self._model.get_alt_names()
            for k_dyn in self._model.DYNAMIC_REQUESTS:
                dyn = self._model.DYNAMIC_REQUESTS[k_dyn]
                fields = dyn.get_form_fields()
                for k in fields:
                    self.fields[k] = fields[k]
        for k in self.fields:
            self.fields[k].required = False  # no field is required for search
            cls = "form-control"
            if k == "search_vector":
                cls += " search-vector"
            self.fields[k].widget.attrs["class"] = cls
            self.fields[k].alt_name = alt_names[k].search_key if k in alt_names else k
        if "search_vector" in self.fields.keys():
            self.fields["search_vector"].widget.attrs["autofocus"] = True
    def get_input_ids(self):
        return list(self.fields.keys())
class HistorySelect(CustomForm, TableSelect):
    history_creator = forms.IntegerField(
        label=_("Created by"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy("autocomplete-user"), associated_model=User
        ),
        required=False,
    )
    created = DateField(label=_("Created"), required=False)
    history_modifier = forms.IntegerField(
        label=_("Last modified by"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy("autocomplete-user"), associated_model=User
        ),
        required=False,
    )
    modified = DateField(label=_("Modified"), required=False)
    locked = forms.NullBooleanField(label=_("Is locked?"))
    ishtar_users = forms.IntegerField(
        label=_("Attached to user"),
        widget=widgets.JQueryAutoComplete(
            reverse_lazy("autocomplete-user"), associated_model=User
        ),
        required=False,
    )
    _explicit_ordering = True
    CURRENT_FIELDS = [
        "history_creator",
        "created",
        "history_modifier",
        "modified",
        "locked",
        "ishtar_users"
    ]
    ADMIN_FIELDS = ["ishtar_users"]
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        field_order = self.fields.keys()
        fields = OrderedDict()
        for k in field_order:
            if k in self.CURRENT_FIELDS:
                continue
            fields[k] = self.fields[k]
        current_fields = self.CURRENT_FIELDS[:]
        current_user = getattr(self, "current_user", None)
        if not current_user or not current_user.is_ishtaradmin:
            for k in self.ADMIN_FIELDS:
                if k in current_fields:
                    current_fields.pop(current_fields.index(k))
        for k in current_fields:
            fields[k] = self.fields[k]
        self.fields = fields
        self.custom_form_ordering()
class ImportSelect(HistorySelect):
    imports = forms.IntegerField(
            label=_("Imported from"),
            widget=widgets.JQueryAutoComplete(
                reverse_lazy(
                    'autocomplete-import',
                ),
                associated_model=models.Import),
            validators=[models.valid_id(models.Import)])
    CURRENT_FIELDS = [
         "imports",
    ] + HistorySelect.CURRENT_FIELDS
    _explicit_ordering = True
    def __init__(self, *args, **kwargs):
        user = kwargs.get("user", None)
        super().__init__(*args, **kwargs)
        ishtaruser = getattr(user, "ishtaruser", None)
        if not ishtaruser or (
                not ishtaruser.has_permission("ishtar_common.view_import")
                and not ishtaruser.has_permission("ishtar_common.view_own_import")):
            self.fields.pop("imports")
class DocumentItemSelect(ImportSelect):
    documents__image__isnull = forms.NullBooleanField(label=_("Has an image?"))
    documents__associated_file__isnull = forms.NullBooleanField(
        label=_("Has an attached file?")
    )
    documents__associated_url__isnull = forms.NullBooleanField(
        label=_("Has a web address?")
    )
    documents__source_type = forms.ChoiceField(label=_("Document - Type"), choices=[])
    CURRENT_FIELDS = [
        "documents__image__isnull",
        "documents__associated_file__isnull",
        "documents__associated_url__isnull",
        "documents__source_type",
    ] + ImportSelect.CURRENT_FIELDS
    TYPES = [
        FieldType("documents__source_type", models.SourceType),
    ] + ImportSelect.TYPES
    _explicit_ordering = True
def get_now():
    return timezone.now().strftime(formats.get_format("DATE_INPUT_FORMATS")[0])
class ClosingDateFormSelection(IshtarForm):
    form_label = _("Closing date")
    end_date = DateField(label=_("Closing date"))
    def __init__(self, *args, **kwargs):
        if "initial" not in kwargs:
            kwargs["initial"] = {}
        if not kwargs["initial"].get("end_date", None):
            kwargs["initial"]["end_date"] = datetime.date.today()
        super(ClosingDateFormSelection, self).__init__(*args, **kwargs)
def has_map():
    return models.get_current_profile().mapping
def get_form_selection(
    class_name,
    label,
    key,
    model,
    base_form,
    get_url,
    not_selected_error=_("You should select an item."),
    new=False,
    new_message=_("Add a new item"),
    get_full_url=None,
    gallery=False,
    map=False,
    multi=False,
    base_form_select=None,
    alt_pk_field=None,
):
    """
    Generate a class selection form
        class_name -- name of the class
        label -- label of the form
        key -- model,
        base_form -- base form to select
        get_url -- url to get the item
        not_selected_error -- message displayed when no item is selected
        new -- can add new items
        new_message -- message of link to add new items
        gallery -- display a gallery
        map -- display a map
    """
    attrs = {
        "_main_key": key,
        "_not_selected_error": not_selected_error,
        "form_label": label,
        "associated_models": {key: model},
        "currents": {key: model},
    }
    widget_kwargs = {"new": new, "new_message": new_message}
    if get_full_url:
        widget_kwargs["source_full"] = reverse_lazy(get_full_url)
    if gallery:
        widget_kwargs["gallery"] = True
    if map:
        widget_kwargs["map"] = models.profile_mapping()
    if multi:
        widget_kwargs["multiple_select"] = True
        field = forms.CharField
        valid = models.valid_ids
    else:
        field = forms.IntegerField
        valid = models.valid_id
    if alt_pk_field:
        key = alt_pk_field
    attrs[key] = field(
        label="",
        required=False,
        validators=[valid(model)],
        widget=widgets.DataTable(
            reverse_lazy(get_url), base_form, model, **widget_kwargs
        ),
    )
    attrs["SEARCH_AND_SELECT"] = True
    if not base_form_select:
        base_form_select = (FormPermissionForm, forms.Form)
    if not isinstance(base_form_select, (tuple, list)):
        base_form_select = (base_form_select,)
    return type(class_name, base_form_select, attrs)
def get_data_from_formset(data):
    """
    convert ['formname-wizardname-1-public_domain': ['on'], ...] to
    [{'public_domain': 'off'}, {'public_domain': 'on'}]
    """
    values = []
    for k in data:
        if not data[k]:
            continue
        keys = k.split("-")
        if len(keys) < 3:
            continue
        try:
            idx = int(keys[-2])
        except ValueError:
            continue
        while len(values) < (idx + 1):
            values.append({})
        field_name = keys[-1]
        values[idx][field_name] = data[k]
    return values
class ManageOldType(IshtarForm):
    def __init__(self, *args, **kwargs):
        """
        init_data is used to manage deactivated items in list when editing
        old data
        """
        prefix = kwargs.get("prefix") or ""
        self.init_data = {}
        if "data" in kwargs and kwargs["data"]:
            for k in kwargs["data"]:
                if prefix not in k:
                    continue
                new_k = k[len(prefix) + 1 :]
                if hasattr(kwargs["data"], "getlist"):
                    items = kwargs["data"].getlist(k)
                else:
                    items = [kwargs["data"][k]]
                for val in items:
                    if not val:
                        continue
                    if new_k not in self.init_data:
                        self.init_data[new_k] = []
                    self.init_data[new_k].append(val)
        if "initial" in kwargs and kwargs["initial"]:
            for k in kwargs["initial"]:
                if k not in self.init_data or not self.init_data[k]:
                    if hasattr(kwargs["initial"], "getlist"):
                        items = kwargs["initial"].getlist(k)
                    else:
                        items = [kwargs["initial"][k]]
                    for val in items:
                        if not val:
                            continue
                        if k not in self.init_data:
                            self.init_data[k] = []
                        self.init_data[k].append(val)
        self.init_data = MultiValueDict(self.init_data)
        super(ManageOldType, self).__init__(*args, **kwargs)
        type_lst = self._types or self.TYPES
        for field in type_lst:
            self._init_type(field)
    def _init_type(self, field):
        if field.key not in self.fields:
            return
        initial = self.init_data.getlist(field.key)
        self.fields[field.key].choices = field.get_choices(
            initial=initial
        )
        self.fields[field.key].help_text = field.get_help()
class QAForm(CustomForm, ManageOldType):
    MULTI = False
    SINGLE_FIELDS = []
    REPLACE_FIELDS = []
    PREFIX = "qa_"
    NULL_BOOL_CHOICES = (
        ("", "--"),
        ("1", _("Unknown")),
        ("2", _("Yes")),
        ("3", _("No")),
    )
    def __init__(self, *args, **kwargs):
        self.items = kwargs.pop("items")
        self.confirm = kwargs.pop("confirm")
        self.user = kwargs.pop("user", None)
        super().__init__(*args, **kwargs)
        # initialize JQueryAutoComplete user to manage permissions
        for key in self.fields:
            widget = self.fields[key].widget
            if isinstance(widget, widgets.JQueryAutoComplete):
                widget.user = self.user
        len_items = len(self.items)
        for k in list(self.fields.keys()):
            if self.MULTI and len_items > 1 and k in self.SINGLE_FIELDS:
                self.fields.pop(k)
                continue
            if self.confirm:
                if "data" not in kwargs or not kwargs["data"].get(k, None):
                    self.fields.pop(k)
                    continue
                if getattr(self.fields[k].widget, "allow_multiple_selected", None):
                    self.fields[k].widget = forms.MultipleHiddenInput()
                else:
                    self.fields[k].widget = forms.HiddenInput()
                if k in kwargs["data"] and kwargs["data"][k]:
                    if hasattr(self, "_get_" + k):
                        value = getattr(self, "_get_" + k)(kwargs["data"][k])
                        if value is None:
                            self.fields.pop(k)
                            continue
                        self.fields[k].rendered_value = value
                    elif hasattr(self.fields[k], "choices"):
                        values = []
                        for v in kwargs["data"].getlist(k):
                            dct_choices = {}
                            for key, value in self.fields[k].choices:
                                if isinstance(value, (list, tuple)):
                                    dct_choices.update(value)
                                else:
                                    dct_choices[key] = value
                            if v in list(dct_choices.keys()):
                                values.append(str(dct_choices[v]))
                            elif int(v) in list(dct_choices.keys()):
                                values.append(str(dct_choices[int(v)]))
                        self.fields[k].rendered_value = mark_safe(" ; ".join(values))
            if k not in self.REPLACE_FIELDS:
                self.fields[k].label = str(self.fields[k].label) + str(
                    _(" - append to existing")
                )
            else:
                self.fields[k].label = str(self.fields[k].label) + str(_(" - replace"))
    def _set_value(self, item, base_key):
        value = self.cleaned_data[base_key]
        if not value:
            return
        if base_key.startswith("data__"):
            # manage custom fields
            item.data = update_data(
                item.data,
                generate_dict_from_data_string(base_key, value)
            )
            return
        key = base_key[len(self.PREFIX):]
        field = item._meta.get_field(key)
        if getattr(field, "related_model", None):
            is_list = isinstance(value, (list, tuple))
            if not is_list:
                value = [value]
            new_value = []
            for v in value:
                if not isinstance(v, field.related_model):
                    v = field.related_model.objects.get(pk=v)
                new_value.append(v)
            value = new_value if is_list else new_value[0]
        if getattr(field, "many_to_many", None):
            if type(value) not in (list, tuple):
                value = [value]
            for v in value:
                getattr(item, key).add(v)
        else:
            if base_key not in self.REPLACE_FIELDS and getattr(item, key):
                value = getattr(item, key) + "\n" + value
            setattr(item, key, value)
    def _get_null_boolean_field(self, value):
        if value == "1":
            return _("Set to null")
        elif value == "2":
            return _("Yes")
        elif value == "3":
            return _("No")
        return
    def _set_null_boolean_field(self, item, key):
        value = self.cleaned_data.get(key, None)
        if value == "1":
            value = None
        elif value == "2":
            value = True
        elif value == "3":
            value = False
        else:
            return
        setattr(item, key[3:], value)
    def _get_organization(self, value):
        try:
            value = models.Organization.objects.get(pk=value).cached_label
        except models.Organization.DoesNotExist:
            return ""
        return value
    def _get_person(self, value):
        try:
            value = models.Person.objects.get(pk=value).cached_label
        except models.Person.DoesNotExist:
            return ""
        return value
    def save(self, items, user):
        if not items or not user.ishtaruser:
            return
        model = items[0].__class__._meta
        full_permission = f"{model.app_label}.change_{model.model_name}"
        own_permission = f"{model.app_label}.change_own_{model.model_name}"
        has_full_permission = user.ishtaruser.has_permission(full_permission)
        if not has_full_permission:
            if not user.ishtaruser.has_permission(own_permission):
                return _("You don't have sufficient permissions to do this action.")
        errors = []
        for item in items:
            if not has_full_permission:
                if not user.ishtaruser.has_permission(own_permission, item):
                    errors.append(str(item))
                    continue
            for base_key in self.cleaned_data:
                if hasattr(self, "_set_" + base_key):
                    getattr(self, "_set_" + base_key)(item, user)
                else:
                    self._set_value(item, base_key)
            item.history_modifier = user
            item._cached_label_checked = False
            item.save()
        if not errors:
            return
        msg = str(_("You don't have sufficient permissions to edit: "))
        msg2 = str(_("Other changes (if any) have been made successfully."))
        return f"{msg}{' ; '.join(errors)}. {msg2}"
class DocumentGenerationForm(forms.Form):
    """
    Form to generate document by choosing the template
    """
    _associated_model = None  # ex: AdministrativeAct
    # ex: 'archaeological_operations.models.AdministrativeAct'
    _associated_object_name = ""
    document_template = forms.ChoiceField(label=_("Template"), choices=[])
    def __init__(self, *args, **kwargs):
        super(DocumentGenerationForm, self).__init__(*args, **kwargs)
        self.fields["document_template"].choices = models.DocumentTemplate.get_tuples(
            dct={"associated_model__klass": self._associated_object_name}
        )
    def save(self, object_pk):
        try:
            c_object = self._associated_model.objects.get(pk=object_pk)
        except self._associated_model.DoesNotExist:
            return
        try:
            template = models.DocumentTemplate.objects.get(
                pk=self.cleaned_data.get("document_template")
            )
        except models.DocumentTemplate.DoesNotExist:
            return
        return template.publish(c_object)
class GeoItemSelect(DocumentItemSelect):  # all geo item can have documents
    geodata__name = forms.CharField(label=_("Geo - Name"), max_length=300)
    geodata__data_type = forms.ChoiceField(label=_("Geo - Data type"), choices=[])
    geodata__origin = forms.ChoiceField(label=_("Geo - Origin"), choices=[])
    geodata__provider = forms.ChoiceField(label=_("Geo - Provider"), choices=[])
    geodata__z = forms.FloatField(label=_("Geo - Z"))
    geodata__comment = forms.CharField(label=_("Geo - Comment"), max_length=500)
    CURRENT_FIELDS = [
         "geodata__name",
         "geodata__data_type",
         "geodata__origin",
         "geodata__provider",
         "geodata__z",
         "geodata__comment",
     ] + DocumentItemSelect.CURRENT_FIELDS
    _explicit_ordering = True
    TYPES = [
        FieldType("geodata__data_type", models.GeoDataType),
        FieldType("geodata__origin", models.GeoOriginType),
        FieldType("geodata__provider", models.GeoProviderType),
    ] + DocumentItemSelect.TYPES
 |