-
Notifications
You must be signed in to change notification settings - Fork 421
/
request_factory.py
1275 lines (1079 loc) · 61.9 KB
/
request_factory.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
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
import xml.etree.ElementTree as ET
from typing import Any, Dict, Iterable, List, Optional, Tuple, TYPE_CHECKING
from requests.packages.urllib3.fields import RequestField
from requests.packages.urllib3.filepost import encode_multipart_formdata
from tableauserverclient.models import *
if TYPE_CHECKING:
from tableauserverclient.server import Server
# this file could be largely replaced if we were willing to import the huge file from generateDS
def _add_multipart(parts: Dict) -> Tuple[Any, str]:
mime_multipart_parts = list()
for name, (filename, data, content_type) in parts.items():
multipart_part = RequestField(name=name, data=data, filename=filename)
multipart_part.make_multipart(content_type=content_type)
mime_multipart_parts.append(multipart_part)
xml_request, content_type = encode_multipart_formdata(mime_multipart_parts)
content_type = "".join(("multipart/mixed",) + content_type.partition(";")[1:])
return xml_request, content_type
def _tsrequest_wrapped(func):
def wrapper(self, *args, **kwargs) -> bytes:
xml_request = ET.Element("tsRequest")
func(self, xml_request, *args, **kwargs)
return ET.tostring(xml_request)
return wrapper
def _add_connections_element(connections_element, connection):
connection_element = ET.SubElement(connections_element, "connection")
if not connection.server_address:
raise ValueError("Connection must have a server address")
connection_element.attrib["serverAddress"] = connection.server_address
if connection.server_port:
connection_element.attrib["serverPort"] = connection.server_port
if connection.connection_credentials:
connection_credentials = connection.connection_credentials
elif connection.username is not None and connection.password is not None and connection.embed_password is not None:
connection_credentials = ConnectionCredentials(
connection.username, connection.password, embed=connection.embed_password
)
else:
connection_credentials = None
if connection_credentials:
_add_credentials_element(connection_element, connection_credentials)
def _add_hiddenview_element(views_element, view_name):
view_element = ET.SubElement(views_element, "view")
view_element.attrib["name"] = view_name
view_element.attrib["hidden"] = "true"
def _add_view_element(views_element, view_id):
view_element = ET.SubElement(views_element, "view")
view_element.attrib["id"] = view_id
def _add_credentials_element(parent_element, connection_credentials):
credentials_element = ET.SubElement(parent_element, "connectionCredentials")
if connection_credentials.password is None or connection_credentials.name is None:
raise ValueError("Connection Credentials must have a name and password")
credentials_element.attrib["name"] = connection_credentials.name
credentials_element.attrib["password"] = connection_credentials.password
credentials_element.attrib["embed"] = "true" if connection_credentials.embed else "false"
if connection_credentials.oauth:
credentials_element.attrib["oAuth"] = "true"
class AuthRequest(object):
def signin_req(self, auth_item):
xml_request = ET.Element("tsRequest")
credentials_element = ET.SubElement(xml_request, "credentials")
for attribute_name, attribute_value in auth_item.credentials.items():
credentials_element.attrib[attribute_name] = attribute_value
site_element = ET.SubElement(credentials_element, "site")
site_element.attrib["contentUrl"] = auth_item.site_id
if auth_item.user_id_to_impersonate:
user_element = ET.SubElement(credentials_element, "user")
user_element.attrib["id"] = auth_item.user_id_to_impersonate
return ET.tostring(xml_request)
def switch_req(self, site_content_url):
xml_request = ET.Element("tsRequest")
site_element = ET.SubElement(xml_request, "site")
site_element.attrib["contentUrl"] = site_content_url
return ET.tostring(xml_request)
class ColumnRequest(object):
def update_req(self, column_item):
xml_request = ET.Element("tsRequest")
column_element = ET.SubElement(xml_request, "column")
if column_item.description:
column_element.attrib["description"] = str(column_item.description)
return ET.tostring(xml_request)
class DataAlertRequest(object):
def add_user_to_alert(self, alert_item: "DataAlertItem", user_id: str) -> bytes:
xml_request = ET.Element("tsRequest")
user_element = ET.SubElement(xml_request, "user")
user_element.attrib["id"] = user_id
return ET.tostring(xml_request)
def update_req(self, alert_item: "DataAlertItem") -> bytes:
xml_request = ET.Element("tsRequest")
dataAlert_element = ET.SubElement(xml_request, "dataAlert")
if alert_item.subject is not None:
dataAlert_element.attrib["subject"] = alert_item.subject
if alert_item.frequency is not None:
dataAlert_element.attrib["frequency"] = alert_item.frequency.lower()
if alert_item.public is not None:
dataAlert_element.attrib["public"] = str(alert_item.public).lower()
owner = ET.SubElement(dataAlert_element, "owner")
if alert_item.owner_id is not None:
owner.attrib["id"] = alert_item.owner_id
return ET.tostring(xml_request)
class DatabaseRequest(object):
def update_req(self, database_item):
xml_request = ET.Element("tsRequest")
database_element = ET.SubElement(xml_request, "database")
if database_item.contact_id:
contact_element = ET.SubElement(database_element, "contact")
contact_element.attrib["id"] = database_item.contact_id
database_element.attrib["isCertified"] = str(database_item.certified).lower()
if database_item.certification_note:
database_element.attrib["certificationNote"] = str(database_item.certification_note)
if database_item.description:
database_element.attrib["description"] = str(database_item.description)
return ET.tostring(xml_request)
class DatasourceRequest(object):
def _generate_xml(self, datasource_item: DatasourceItem, connection_credentials=None, connections=None):
xml_request = ET.Element("tsRequest")
datasource_element = ET.SubElement(xml_request, "datasource")
if datasource_item.name:
datasource_element.attrib["name"] = datasource_item.name
if datasource_item.description:
datasource_element.attrib["description"] = str(datasource_item.description)
if datasource_item.use_remote_query_agent is not None:
datasource_element.attrib["useRemoteQueryAgent"] = str(datasource_item.use_remote_query_agent).lower()
if datasource_item.ask_data_enablement:
ask_data_element = ET.SubElement(datasource_element, "askData")
ask_data_element.attrib["enablement"] = datasource_item.ask_data_enablement.__str__()
if datasource_item.certified:
datasource_element.attrib["isCertified"] = datasource_item.certified.__str__()
if datasource_item.certification_note:
datasource_element.attrib["certificationNote"] = datasource_item.certification_note
if datasource_item.project_id:
project_element = ET.SubElement(datasource_element, "project")
project_element.attrib["id"] = datasource_item.project_id
if connection_credentials is not None and connections is not None:
raise RuntimeError("You cannot set both `connections` and `connection_credentials`")
if connection_credentials is not None and connection_credentials != False:
_add_credentials_element(datasource_element, connection_credentials)
if connections is not None and connections != False and len(connections) > 0:
connections_element = ET.SubElement(datasource_element, "connections")
for connection in connections:
_add_connections_element(connections_element, connection)
return ET.tostring(xml_request)
def update_req(self, datasource_item):
xml_request = ET.Element("tsRequest")
datasource_element = ET.SubElement(xml_request, "datasource")
if datasource_item.name:
datasource_element.attrib["name"] = datasource_item.name
if datasource_item.ask_data_enablement:
ask_data_element = ET.SubElement(datasource_element, "askData")
ask_data_element.attrib["enablement"] = datasource_item.ask_data_enablement
if datasource_item.project_id:
project_element = ET.SubElement(datasource_element, "project")
project_element.attrib["id"] = datasource_item.project_id
if datasource_item.owner_id:
owner_element = ET.SubElement(datasource_element, "owner")
owner_element.attrib["id"] = datasource_item.owner_id
if datasource_item.use_remote_query_agent is not None:
datasource_element.attrib["useRemoteQueryAgent"] = str(datasource_item.use_remote_query_agent).lower()
datasource_element.attrib["isCertified"] = str(datasource_item.certified).lower()
if datasource_item.certification_note:
datasource_element.attrib["certificationNote"] = str(datasource_item.certification_note)
if datasource_item.encrypt_extracts is not None:
datasource_element.attrib["encryptExtracts"] = str(datasource_item.encrypt_extracts).lower()
return ET.tostring(xml_request)
def publish_req(
self,
datasource_item,
filename,
file_contents,
connection_credentials=None,
connections=None,
):
xml_request = self._generate_xml(datasource_item, connection_credentials, connections)
parts = {
"request_payload": ("", xml_request, "text/xml"),
"tableau_datasource": (filename, file_contents, "application/octet-stream"),
}
return _add_multipart(parts)
def publish_req_chunked(self, datasource_item, connection_credentials=None, connections=None):
xml_request = self._generate_xml(datasource_item, connection_credentials, connections)
parts = {"request_payload": ("", xml_request, "text/xml")}
return _add_multipart(parts)
class DQWRequest(object):
def add_req(self, dqw_item):
xml_request = ET.Element("tsRequest")
dqw_element = ET.SubElement(xml_request, "dataQualityWarning")
dqw_element.attrib["isActive"] = str(dqw_item.active).lower()
dqw_element.attrib["isSevere"] = str(dqw_item.severe).lower()
dqw_element.attrib["type"] = dqw_item.warning_type
if dqw_item.message:
dqw_element.attrib["message"] = str(dqw_item.message)
return ET.tostring(xml_request)
def update_req(self, dqw_item):
xml_request = ET.Element("tsRequest")
dqw_element = ET.SubElement(xml_request, "dataQualityWarning")
dqw_element.attrib["isActive"] = str(dqw_item.active).lower()
dqw_element.attrib["isSevere"] = str(dqw_item.severe).lower()
dqw_element.attrib["type"] = dqw_item.warning_type
if dqw_item.message:
dqw_element.attrib["message"] = str(dqw_item.message)
return ET.tostring(xml_request)
class FavoriteRequest(object):
def add_request(self, id_: Optional[str], target_type: str, label: Optional[str]) -> bytes:
"""
<favorite label="...">
<target_type id="..." />
</favorite>
"""
if id_ is None:
raise ValueError("Cannot add item as favorite without ID")
if label is None:
label = target_type
xml_request = ET.Element("tsRequest")
favorite_element = ET.SubElement(xml_request, "favorite")
target = ET.SubElement(favorite_element, target_type)
favorite_element.attrib["label"] = label
target.attrib["id"] = id_
return ET.tostring(xml_request)
def add_datasource_req(self, id_: Optional[str], name: Optional[str]) -> bytes:
if id_ is None:
raise ValueError("id must exist to add to favorites")
if name is None:
raise ValueError("Name must exist to add to favorites.")
return self.add_request(id_, Resource.Datasource, name)
def add_flow_req(self, id_: Optional[str], name: Optional[str]) -> bytes:
if id_ is None:
raise ValueError("id must exist to add to favorites")
if name is None:
raise ValueError("Name must exist to add to favorites.")
return self.add_request(id_, Resource.Flow, name)
def add_project_req(self, id_: Optional[str], name: Optional[str]) -> bytes:
if id_ is None:
raise ValueError("id must exist to add to favorites")
if name is None:
raise ValueError("Name must exist to add to favorites.")
return self.add_request(id_, Resource.Project, name)
def add_view_req(self, id_: Optional[str], name: Optional[str]) -> bytes:
if id_ is None:
raise ValueError("id must exist to add to favorites")
if name is None:
raise ValueError("Name must exist to add to favorites.")
return self.add_request(id_, Resource.View, name)
def add_workbook_req(self, id_: Optional[str], name: Optional[str]) -> bytes:
if id_ is None:
raise ValueError("id must exist to add to favorites")
if name is None:
raise ValueError("Name must exist to add to favorites.")
return self.add_request(id_, Resource.Workbook, name)
class FileuploadRequest(object):
def chunk_req(self, chunk):
parts = {
"request_payload": ("", "", "text/xml"),
"tableau_file": ("file", chunk, "application/octet-stream"),
}
return _add_multipart(parts)
class FlowRequest(object):
def _generate_xml(self, flow_item: "FlowItem", connections: Optional[List["ConnectionItem"]] = None) -> bytes:
xml_request = ET.Element("tsRequest")
flow_element = ET.SubElement(xml_request, "flow")
if flow_item.name is not None:
flow_element.attrib["name"] = flow_item.name
project_element = ET.SubElement(flow_element, "project")
project_element.attrib["id"] = flow_item.project_id
if connections is not None and connections != False:
connections_element = ET.SubElement(flow_element, "connections")
for connection in connections:
_add_connections_element(connections_element, connection)
return ET.tostring(xml_request)
def update_req(self, flow_item: "FlowItem") -> bytes:
xml_request = ET.Element("tsRequest")
flow_element = ET.SubElement(xml_request, "flow")
if flow_item.project_id:
project_element = ET.SubElement(flow_element, "project")
project_element.attrib["id"] = flow_item.project_id
if flow_item.owner_id:
owner_element = ET.SubElement(flow_element, "owner")
owner_element.attrib["id"] = flow_item.owner_id
return ET.tostring(xml_request)
def publish_req(
self,
flow_item: "FlowItem",
filename: str,
file_contents: bytes,
connections: Optional[List["ConnectionItem"]] = None,
) -> Tuple[Any, str]:
xml_request = self._generate_xml(flow_item, connections)
parts = {
"request_payload": ("", xml_request, "text/xml"),
"tableau_flow": (filename, file_contents, "application/octet-stream"),
}
return _add_multipart(parts)
def publish_req_chunked(self, flow_item, connections=None) -> Tuple[Any, str]:
xml_request = self._generate_xml(flow_item, connections)
parts = {"request_payload": ("", xml_request, "text/xml")}
return _add_multipart(parts)
class GroupRequest(object):
def add_user_req(self, user_id: str) -> bytes:
xml_request = ET.Element("tsRequest")
user_element = ET.SubElement(xml_request, "user")
user_element.attrib["id"] = user_id
return ET.tostring(xml_request)
def create_local_req(self, group_item: GroupItem) -> bytes:
xml_request = ET.Element("tsRequest")
group_element = ET.SubElement(xml_request, "group")
if group_item.name is not None:
group_element.attrib["name"] = group_item.name
else:
raise ValueError("Group name must be populated")
if group_item.minimum_site_role is not None:
group_element.attrib["minimumSiteRole"] = group_item.minimum_site_role
return ET.tostring(xml_request)
def create_ad_req(self, group_item: GroupItem) -> bytes:
xml_request = ET.Element("tsRequest")
group_element = ET.SubElement(xml_request, "group")
if group_item.name is not None:
group_element.attrib["name"] = group_item.name
else:
raise ValueError("Group name must be populated")
import_element = ET.SubElement(group_element, "import")
import_element.attrib["source"] = "ActiveDirectory"
if group_item.domain_name is None:
error = "Group Domain undefined."
raise ValueError(error)
import_element.attrib["domainName"] = group_item.domain_name
if group_item.license_mode is not None:
import_element.attrib["grantLicenseMode"] = group_item.license_mode
if group_item.minimum_site_role is not None:
import_element.attrib["siteRole"] = group_item.minimum_site_role
return ET.tostring(xml_request)
def update_req(
self,
group_item: GroupItem,
) -> bytes:
xml_request = ET.Element("tsRequest")
group_element = ET.SubElement(xml_request, "group")
if group_item.name is not None:
group_element.attrib["name"] = group_item.name
else:
raise ValueError("Group name must be populated")
if group_item.domain_name is not None and group_item.domain_name != "local":
# Import element is only accepted in the request for AD groups
import_element = ET.SubElement(group_element, "import")
import_element.attrib["source"] = "ActiveDirectory"
import_element.attrib["domainName"] = group_item.domain_name
if isinstance(group_item.minimum_site_role, str):
import_element.attrib["siteRole"] = group_item.minimum_site_role
else:
raise ValueError("Minimum site role must be provided.")
if group_item.license_mode is not None:
import_element.attrib["grantLicenseMode"] = group_item.license_mode
else:
# Local group request does not accept an 'import' element
if group_item.minimum_site_role is not None:
group_element.attrib["minimumSiteRole"] = group_item.minimum_site_role
return ET.tostring(xml_request)
class PermissionRequest(object):
def add_req(self, rules: Iterable[PermissionsRule]) -> bytes:
xml_request = ET.Element("tsRequest")
permissions_element = ET.SubElement(xml_request, "permissions")
for rule in rules:
grantee_capabilities_element = ET.SubElement(permissions_element, "granteeCapabilities")
grantee_element = ET.SubElement(grantee_capabilities_element, rule.grantee.tag_name)
grantee_element.attrib["id"] = rule.grantee.id
capabilities_element = ET.SubElement(grantee_capabilities_element, "capabilities")
self._add_all_capabilities(capabilities_element, rule.capabilities)
return ET.tostring(xml_request)
def _add_all_capabilities(self, capabilities_element, capabilities_map):
for name, mode in capabilities_map.items():
capability_element = ET.SubElement(capabilities_element, "capability")
capability_element.attrib["name"] = name
capability_element.attrib["mode"] = mode
class ProjectRequest(object):
def update_req(self, project_item: "ProjectItem") -> bytes:
xml_request = ET.Element("tsRequest")
project_element = ET.SubElement(xml_request, "project")
if project_item.name:
project_element.attrib["name"] = project_item.name
if project_item.description:
project_element.attrib["description"] = project_item.description
if project_item.content_permissions:
project_element.attrib["contentPermissions"] = project_item.content_permissions
if project_item.parent_id is not None:
project_element.attrib["parentProjectId"] = project_item.parent_id
if (owner := project_item.owner_id) is not None:
owner_element = ET.SubElement(project_element, "owner")
owner_element.attrib["id"] = owner
return ET.tostring(xml_request)
def create_req(self, project_item: "ProjectItem") -> bytes:
xml_request = ET.Element("tsRequest")
project_element = ET.SubElement(xml_request, "project")
if project_item.name:
project_element.attrib["name"] = project_item.name
if project_item.description:
project_element.attrib["description"] = project_item.description
if project_item.content_permissions:
project_element.attrib["contentPermissions"] = project_item.content_permissions
if project_item.parent_id:
project_element.attrib["parentProjectId"] = project_item.parent_id
return ET.tostring(xml_request)
class ScheduleRequest(object):
def create_req(self, schedule_item):
xml_request = ET.Element("tsRequest")
schedule_element = ET.SubElement(xml_request, "schedule")
schedule_element.attrib["name"] = schedule_item.name
schedule_element.attrib["priority"] = str(schedule_item.priority)
schedule_element.attrib["type"] = schedule_item.schedule_type
schedule_element.attrib["executionOrder"] = schedule_item.execution_order
interval_item = schedule_item.interval_item
schedule_element.attrib["frequency"] = interval_item._frequency
frequency_element = ET.SubElement(schedule_element, "frequencyDetails")
frequency_element.attrib["start"] = str(interval_item.start_time)
if hasattr(interval_item, "end_time") and interval_item.end_time is not None:
frequency_element.attrib["end"] = str(interval_item.end_time)
if hasattr(interval_item, "interval") and interval_item.interval:
intervals_element = ET.SubElement(frequency_element, "intervals")
for interval in interval_item._interval_type_pairs():
expression, value = interval
single_interval_element = ET.SubElement(intervals_element, "interval")
single_interval_element.attrib[expression] = value
return ET.tostring(xml_request)
def update_req(self, schedule_item):
xml_request = ET.Element("tsRequest")
schedule_element = ET.SubElement(xml_request, "schedule")
if schedule_item.name:
schedule_element.attrib["name"] = schedule_item.name
if schedule_item.priority:
schedule_element.attrib["priority"] = str(schedule_item.priority)
if schedule_item.execution_order:
schedule_element.attrib["executionOrder"] = schedule_item.execution_order
if schedule_item.state:
schedule_element.attrib["state"] = schedule_item.state
interval_item = schedule_item.interval_item
if interval_item is not None:
if interval_item._frequency:
schedule_element.attrib["frequency"] = interval_item._frequency
frequency_element = ET.SubElement(schedule_element, "frequencyDetails")
frequency_element.attrib["start"] = str(interval_item.start_time)
if hasattr(interval_item, "end_time") and interval_item.end_time is not None:
frequency_element.attrib["end"] = str(interval_item.end_time)
intervals_element = ET.SubElement(frequency_element, "intervals")
if hasattr(interval_item, "interval"):
for interval in interval_item._interval_type_pairs():
(expression, value) = interval
single_interval_element = ET.SubElement(intervals_element, "interval")
single_interval_element.attrib[expression] = value
return ET.tostring(xml_request)
def _add_to_req(self, id_: Optional[str], target_type: str, task_type: str = TaskItem.Type.ExtractRefresh) -> bytes:
"""
<task>
<target_type>
<workbook/datasource id="..."/>
</target_type>
</task>
"""
if not isinstance(id_, str):
raise ValueError(f"id_ should be a string, received: {type(id_)}")
xml_request = ET.Element("tsRequest")
task_element = ET.SubElement(xml_request, "task")
task = ET.SubElement(task_element, task_type)
workbook = ET.SubElement(task, target_type)
workbook.attrib["id"] = id_
return ET.tostring(xml_request)
def add_workbook_req(self, id_: Optional[str], task_type: str = TaskItem.Type.ExtractRefresh) -> bytes:
return self._add_to_req(id_, "workbook", task_type)
def add_datasource_req(self, id_: Optional[str], task_type: str = TaskItem.Type.ExtractRefresh) -> bytes:
return self._add_to_req(id_, "datasource", task_type)
def add_flow_req(self, id_: Optional[str], task_type: str = TaskItem.Type.RunFlow) -> bytes:
return self._add_to_req(id_, "flow", task_type)
class SiteRequest(object):
def update_req(self, site_item: "SiteItem", parent_srv: Optional["Server"] = None):
xml_request = ET.Element("tsRequest")
site_element = ET.SubElement(xml_request, "site")
if site_item.name:
site_element.attrib["name"] = site_item.name
if site_item.content_url:
site_element.attrib["contentUrl"] = site_item.content_url
if site_item.admin_mode:
site_element.attrib["adminMode"] = site_item.admin_mode
if site_item.user_quota:
site_element.attrib["userQuota"] = str(site_item.user_quota)
if site_item.state:
site_element.attrib["state"] = site_item.state
if site_item.storage_quota:
site_element.attrib["storageQuota"] = str(site_item.storage_quota)
if site_item.disable_subscriptions is not None:
site_element.attrib["disableSubscriptions"] = str(site_item.disable_subscriptions).lower()
if site_item.subscribe_others_enabled is not None:
site_element.attrib["subscribeOthersEnabled"] = str(site_item.subscribe_others_enabled).lower()
if site_item.revision_limit:
site_element.attrib["revisionLimit"] = str(site_item.revision_limit)
if site_item.revision_history_enabled is not None:
site_element.attrib["revisionHistoryEnabled"] = str(site_item.revision_history_enabled).lower()
if site_item.data_acceleration_mode is not None:
site_element.attrib["dataAccelerationMode"] = str(site_item.data_acceleration_mode).lower()
if site_item.cataloging_enabled is not None:
site_element.attrib["catalogingEnabled"] = str(site_item.cataloging_enabled).lower()
flows_edit = str(site_item.editing_flows_enabled).lower()
flows_schedule = str(site_item.scheduling_flows_enabled).lower()
flows_all = str(site_item.flows_enabled).lower()
self.set_versioned_flow_attributes(flows_all, flows_edit, flows_schedule, parent_srv, site_element, site_item)
if site_item.allow_subscription_attachments is not None:
site_element.attrib["allowSubscriptionAttachments"] = str(site_item.allow_subscription_attachments).lower()
if site_item.guest_access_enabled is not None:
site_element.attrib["guestAccessEnabled"] = str(site_item.guest_access_enabled).lower()
if site_item.cache_warmup_enabled is not None:
site_element.attrib["cacheWarmupEnabled"] = str(site_item.cache_warmup_enabled).lower()
if site_item.commenting_enabled is not None:
site_element.attrib["commentingEnabled"] = str(site_item.commenting_enabled).lower()
if site_item.extract_encryption_mode is not None:
site_element.attrib["extractEncryptionMode"] = str(site_item.extract_encryption_mode).lower()
if site_item.request_access_enabled is not None:
site_element.attrib["requestAccessEnabled"] = str(site_item.request_access_enabled).lower()
if site_item.run_now_enabled is not None:
site_element.attrib["runNowEnabled"] = str(site_item.run_now_enabled).lower()
if site_item.tier_creator_capacity is not None:
site_element.attrib["tierCreatorCapacity"] = str(site_item.tier_creator_capacity).lower()
if site_item.tier_explorer_capacity is not None:
site_element.attrib["tierExplorerCapacity"] = str(site_item.tier_explorer_capacity).lower()
if site_item.tier_viewer_capacity is not None:
site_element.attrib["tierViewerCapacity"] = str(site_item.tier_viewer_capacity).lower()
if site_item.data_alerts_enabled is not None:
site_element.attrib["dataAlertsEnabled"] = str(site_item.data_alerts_enabled)
if site_item.commenting_mentions_enabled is not None:
site_element.attrib["commentingMentionsEnabled"] = str(site_item.commenting_mentions_enabled).lower()
if site_item.catalog_obfuscation_enabled is not None:
site_element.attrib["catalogObfuscationEnabled"] = str(site_item.catalog_obfuscation_enabled).lower()
if site_item.flow_auto_save_enabled is not None:
site_element.attrib["flowAutoSaveEnabled"] = str(site_item.flow_auto_save_enabled).lower()
if site_item.web_extraction_enabled is not None:
site_element.attrib["webExtractionEnabled"] = str(site_item.web_extraction_enabled).lower()
if site_item.metrics_content_type_enabled is not None:
site_element.attrib["metricsContentTypeEnabled"] = str(site_item.metrics_content_type_enabled).lower()
if site_item.notify_site_admins_on_throttle is not None:
site_element.attrib["notifySiteAdminsOnThrottle"] = str(site_item.notify_site_admins_on_throttle).lower()
if site_item.authoring_enabled is not None:
site_element.attrib["authoringEnabled"] = str(site_item.authoring_enabled).lower()
if site_item.custom_subscription_email_enabled is not None:
site_element.attrib["customSubscriptionEmailEnabled"] = str(
site_item.custom_subscription_email_enabled
).lower()
if site_item.custom_subscription_email is not None:
site_element.attrib["customSubscriptionEmail"] = str(site_item.custom_subscription_email).lower()
if site_item.custom_subscription_footer_enabled is not None:
site_element.attrib["customSubscriptionFooterEnabled"] = str(
site_item.custom_subscription_footer_enabled
).lower()
if site_item.custom_subscription_footer is not None:
site_element.attrib["customSubscriptionFooter"] = str(site_item.custom_subscription_footer).lower()
if site_item.ask_data_mode is not None:
site_element.attrib["askDataMode"] = str(site_item.ask_data_mode)
if site_item.named_sharing_enabled is not None:
site_element.attrib["namedSharingEnabled"] = str(site_item.named_sharing_enabled).lower()
if site_item.mobile_biometrics_enabled is not None:
site_element.attrib["mobileBiometricsEnabled"] = str(site_item.mobile_biometrics_enabled).lower()
if site_item.sheet_image_enabled is not None:
site_element.attrib["sheetImageEnabled"] = str(site_item.sheet_image_enabled).lower()
if site_item.derived_permissions_enabled is not None:
site_element.attrib["derivedPermissionsEnabled"] = str(site_item.derived_permissions_enabled).lower()
if site_item.user_visibility_mode is not None:
site_element.attrib["userVisibilityMode"] = str(site_item.user_visibility_mode)
if site_item.use_default_time_zone is not None:
site_element.attrib["useDefaultTimeZone"] = str(site_item.use_default_time_zone).lower()
if site_item.time_zone is not None:
site_element.attrib["timeZone"] = str(site_item.time_zone)
if site_item.auto_suspend_refresh_enabled is not None:
site_element.attrib["autoSuspendRefreshEnabled"] = str(site_item.auto_suspend_refresh_enabled).lower()
if site_item.auto_suspend_refresh_inactivity_window is not None:
site_element.attrib["autoSuspendRefreshInactivityWindow"] = str(
site_item.auto_suspend_refresh_inactivity_window
)
return ET.tostring(xml_request)
# server: the site request model changes based on api version
def create_req(self, site_item: "SiteItem", parent_srv: Optional["Server"] = None):
xml_request = ET.Element("tsRequest")
site_element = ET.SubElement(xml_request, "site")
site_element.attrib["name"] = site_item.name
site_element.attrib["contentUrl"] = site_item.content_url
if site_item.admin_mode:
site_element.attrib["adminMode"] = site_item.admin_mode
if site_item.user_quota:
site_element.attrib["userQuota"] = str(site_item.user_quota)
if site_item.storage_quota:
site_element.attrib["storageQuota"] = str(site_item.storage_quota)
if site_item.disable_subscriptions is not None:
site_element.attrib["disableSubscriptions"] = str(site_item.disable_subscriptions).lower()
if site_item.subscribe_others_enabled is not None:
site_element.attrib["subscribeOthersEnabled"] = str(site_item.subscribe_others_enabled).lower()
if site_item.revision_limit:
site_element.attrib["revisionLimit"] = str(site_item.revision_limit)
if site_item.data_acceleration_mode is not None:
site_element.attrib["dataAccelerationMode"] = str(site_item.data_acceleration_mode).lower()
flows_edit = str(site_item.editing_flows_enabled).lower()
flows_schedule = str(site_item.scheduling_flows_enabled).lower()
flows_all = str(site_item.flows_enabled).lower()
self.set_versioned_flow_attributes(flows_all, flows_edit, flows_schedule, parent_srv, site_element, site_item)
if site_item.allow_subscription_attachments is not None:
site_element.attrib["allowSubscriptionAttachments"] = str(site_item.allow_subscription_attachments).lower()
if site_item.guest_access_enabled is not None:
site_element.attrib["guestAccessEnabled"] = str(site_item.guest_access_enabled).lower()
if site_item.cache_warmup_enabled is not None:
site_element.attrib["cacheWarmupEnabled"] = str(site_item.cache_warmup_enabled).lower()
if site_item.commenting_enabled is not None:
site_element.attrib["commentingEnabled"] = str(site_item.commenting_enabled).lower()
if site_item.revision_history_enabled is not None:
site_element.attrib["revisionHistoryEnabled"] = str(site_item.revision_history_enabled).lower()
if site_item.extract_encryption_mode is not None:
site_element.attrib["extractEncryptionMode"] = str(site_item.extract_encryption_mode).lower()
if site_item.request_access_enabled is not None:
site_element.attrib["requestAccessEnabled"] = str(site_item.request_access_enabled).lower()
if site_item.run_now_enabled is not None:
site_element.attrib["runNowEnabled"] = str(site_item.run_now_enabled).lower()
if site_item.tier_creator_capacity is not None:
site_element.attrib["tierCreatorCapacity"] = str(site_item.tier_creator_capacity).lower()
if site_item.tier_explorer_capacity is not None:
site_element.attrib["tierExplorerCapacity"] = str(site_item.tier_explorer_capacity).lower()
if site_item.tier_viewer_capacity is not None:
site_element.attrib["tierViewerCapacity"] = str(site_item.tier_viewer_capacity).lower()
if site_item.data_alerts_enabled is not None:
site_element.attrib["dataAlertsEnabled"] = str(site_item.data_alerts_enabled).lower()
if site_item.commenting_mentions_enabled is not None:
site_element.attrib["commentingMentionsEnabled"] = str(site_item.commenting_mentions_enabled).lower()
if site_item.catalog_obfuscation_enabled is not None:
site_element.attrib["catalogObfuscationEnabled"] = str(site_item.catalog_obfuscation_enabled).lower()
if site_item.flow_auto_save_enabled is not None:
site_element.attrib["flowAutoSaveEnabled"] = str(site_item.flow_auto_save_enabled).lower()
if site_item.web_extraction_enabled is not None:
site_element.attrib["webExtractionEnabled"] = str(site_item.web_extraction_enabled).lower()
if site_item.metrics_content_type_enabled is not None:
site_element.attrib["metricsContentTypeEnabled"] = str(site_item.metrics_content_type_enabled).lower()
if site_item.notify_site_admins_on_throttle is not None:
site_element.attrib["notifySiteAdminsOnThrottle"] = str(site_item.notify_site_admins_on_throttle).lower()
if site_item.authoring_enabled is not None:
site_element.attrib["authoringEnabled"] = str(site_item.authoring_enabled).lower()
if site_item.custom_subscription_email_enabled is not None:
site_element.attrib["customSubscriptionEmailEnabled"] = str(
site_item.custom_subscription_email_enabled
).lower()
if site_item.custom_subscription_email is not None:
site_element.attrib["customSubscriptionEmail"] = str(site_item.custom_subscription_email).lower()
if site_item.custom_subscription_footer_enabled is not None:
site_element.attrib["customSubscriptionFooterEnabled"] = str(
site_item.custom_subscription_footer_enabled
).lower()
if site_item.custom_subscription_footer is not None:
site_element.attrib["customSubscriptionFooter"] = str(site_item.custom_subscription_footer).lower()
if site_item.ask_data_mode is not None:
site_element.attrib["askDataMode"] = str(site_item.ask_data_mode)
if site_item.named_sharing_enabled is not None:
site_element.attrib["namedSharingEnabled"] = str(site_item.named_sharing_enabled).lower()
if site_item.mobile_biometrics_enabled is not None:
site_element.attrib["mobileBiometricsEnabled"] = str(site_item.mobile_biometrics_enabled).lower()
if site_item.sheet_image_enabled is not None:
site_element.attrib["sheetImageEnabled"] = str(site_item.sheet_image_enabled).lower()
if site_item.cataloging_enabled is not None:
site_element.attrib["catalogingEnabled"] = str(site_item.cataloging_enabled).lower()
if site_item.derived_permissions_enabled is not None:
site_element.attrib["derivedPermissionsEnabled"] = str(site_item.derived_permissions_enabled).lower()
if site_item.user_visibility_mode is not None:
site_element.attrib["userVisibilityMode"] = str(site_item.user_visibility_mode)
if site_item.use_default_time_zone is not None:
site_element.attrib["useDefaultTimeZone"] = str(site_item.use_default_time_zone).lower()
if site_item.time_zone is not None:
site_element.attrib["timeZone"] = str(site_item.time_zone)
if site_item.auto_suspend_refresh_enabled is not None:
site_element.attrib["autoSuspendRefreshEnabled"] = str(site_item.auto_suspend_refresh_enabled).lower()
if site_item.auto_suspend_refresh_inactivity_window is not None:
site_element.attrib["autoSuspendRefreshInactivityWindow"] = str(
site_item.auto_suspend_refresh_inactivity_window
)
return ET.tostring(xml_request)
def set_versioned_flow_attributes(self, flows_all, flows_edit, flows_schedule, parent_srv, site_element, site_item):
if (not parent_srv) or SiteItem.use_new_flow_settings(parent_srv):
if site_item.flows_enabled is not None:
flows_edit = flows_edit or flows_all
flows_schedule = flows_schedule or flows_all
import warnings
warnings.warn(
"FlowsEnabled has been removed and become two options:"
" SchedulingFlowsEnabled and EditingFlowsEnabled"
)
if site_item.editing_flows_enabled is not None:
site_element.attrib["editingFlowsEnabled"] = flows_edit
if site_item.scheduling_flows_enabled is not None:
site_element.attrib["schedulingFlowsEnabled"] = flows_schedule
else:
if site_item.flows_enabled is not None:
site_element.attrib["flowsEnabled"] = str(site_item.flows_enabled).lower()
if site_item.editing_flows_enabled is not None or site_item.scheduling_flows_enabled is not None:
flows_all = flows_all or flows_edit or flows_schedule
site_element.attrib["flowsEnabled"] = flows_all
import warnings
warnings.warn("In version 3.10 and earlier there is only one option: FlowsEnabled")
class TableRequest(object):
def update_req(self, table_item):
xml_request = ET.Element("tsRequest")
table_element = ET.SubElement(xml_request, "table")
if table_item.contact_id:
contact_element = ET.SubElement(table_element, "contact")
contact_element.attrib["id"] = table_item.contact_id
table_element.attrib["isCertified"] = str(table_item.certified).lower()
if table_item.certification_note:
table_element.attrib["certificationNote"] = str(table_item.certification_note)
if table_item.description:
table_element.attrib["description"] = str(table_item.description)
return ET.tostring(xml_request)
class TagRequest(object):
def add_req(self, tag_set):
xml_request = ET.Element("tsRequest")
tags_element = ET.SubElement(xml_request, "tags")
for tag in tag_set:
tag_element = ET.SubElement(tags_element, "tag")
tag_element.attrib["label"] = tag
return ET.tostring(xml_request)
class UserRequest(object):
def update_req(self, user_item: UserItem, password: Optional[str]) -> bytes:
xml_request = ET.Element("tsRequest")
user_element = ET.SubElement(xml_request, "user")
if user_item.fullname:
user_element.attrib["fullName"] = user_item.fullname
if user_item.email:
user_element.attrib["email"] = user_item.email
if user_item.site_role:
if user_item.site_role != "ServerAdministrator":
user_element.attrib["siteRole"] = user_item.site_role
if user_item.auth_setting:
user_element.attrib["authSetting"] = user_item.auth_setting
if password:
user_element.attrib["password"] = password
return ET.tostring(xml_request)
def add_req(self, user_item: UserItem) -> bytes:
xml_request = ET.Element("tsRequest")
user_element = ET.SubElement(xml_request, "user")
if isinstance(user_item.name, str):
user_element.attrib["name"] = user_item.name
else:
raise ValueError(f"{user_item} missing name.")
if isinstance(user_item.site_role, str):
user_element.attrib["siteRole"] = user_item.site_role
else:
raise ValueError(f"{user_item} must have site role populated.")
if user_item.auth_setting:
user_element.attrib["authSetting"] = user_item.auth_setting
return ET.tostring(xml_request)
class WorkbookRequest(object):
def _generate_xml(
self,
workbook_item,
connections=None,
):
xml_request = ET.Element("tsRequest")
workbook_element = ET.SubElement(xml_request, "workbook")
workbook_element.attrib["name"] = workbook_item.name
if workbook_item.show_tabs:
workbook_element.attrib["showTabs"] = str(workbook_item.show_tabs).lower()
project_element = ET.SubElement(workbook_element, "project")
project_element.attrib["id"] = str(workbook_item.project_id)
if connections is not None and connections != False and len(connections) > 0:
connections_element = ET.SubElement(workbook_element, "connections")
for connection in connections:
_add_connections_element(connections_element, connection)
if workbook_item.description is not None:
workbook_element.attrib["description"] = workbook_item.description
if workbook_item.hidden_views is not None:
views_element = ET.SubElement(workbook_element, "views")
for view_name in workbook_item.hidden_views:
_add_hiddenview_element(views_element, view_name)
return ET.tostring(xml_request)
def update_req(self, workbook_item):
xml_request = ET.Element("tsRequest")
workbook_element = ET.SubElement(xml_request, "workbook")
if workbook_item.name:
workbook_element.attrib["name"] = workbook_item.name
if workbook_item.show_tabs is not None:
workbook_element.attrib["showTabs"] = str(workbook_item.show_tabs).lower()
if workbook_item.project_id:
project_element = ET.SubElement(workbook_element, "project")
project_element.attrib["id"] = workbook_item.project_id
if workbook_item.owner_id:
owner_element = ET.SubElement(workbook_element, "owner")
owner_element.attrib["id"] = workbook_item.owner_id
if workbook_item._views is not None:
views_element = ET.SubElement(workbook_element, "views")
for view in workbook_item.views:
_add_view_element(views_element, view.id)
if workbook_item.data_acceleration_config:
data_acceleration_config = workbook_item.data_acceleration_config
data_acceleration_element = ET.SubElement(workbook_element, "dataAccelerationConfig")
if data_acceleration_config["acceleration_enabled"] is not None:
data_acceleration_element.attrib["accelerationEnabled"] = str(
data_acceleration_config["acceleration_enabled"]
).lower()
if data_acceleration_config["accelerate_now"] is not None:
data_acceleration_element.attrib["accelerateNow"] = str(
data_acceleration_config["accelerate_now"]
).lower()
if workbook_item.data_freshness_policy is not None:
data_freshness_policy_config = workbook_item.data_freshness_policy
data_freshness_policy_element = ET.SubElement(workbook_element, "dataFreshnessPolicy")
data_freshness_policy_element.attrib["option"] = str(data_freshness_policy_config.option)
# Fresh Every Schedule
if data_freshness_policy_config.option == "FreshEvery":
if data_freshness_policy_config.fresh_every_schedule is not None:
fresh_every_element = ET.SubElement(data_freshness_policy_element, "freshEverySchedule")
fresh_every_element.attrib[
"frequency"
] = data_freshness_policy_config.fresh_every_schedule.frequency
fresh_every_element.attrib["value"] = str(data_freshness_policy_config.fresh_every_schedule.value)
else:
raise ValueError(f"data_freshness_policy_config.fresh_every_schedule must be populated.")
# Fresh At Schedule
if data_freshness_policy_config.option == "FreshAt":
if data_freshness_policy_config.fresh_at_schedule is not None:
fresh_at_element = ET.SubElement(data_freshness_policy_element, "freshAtSchedule")
frequency = data_freshness_policy_config.fresh_at_schedule.frequency
fresh_at_element.attrib["frequency"] = frequency
fresh_at_element.attrib["time"] = str(data_freshness_policy_config.fresh_at_schedule.time)
fresh_at_element.attrib["timezone"] = str(data_freshness_policy_config.fresh_at_schedule.timezone)
intervals = data_freshness_policy_config.fresh_at_schedule.interval_item
# Fresh At Schedule intervals if Frequency is Week or Month
if frequency != DataFreshnessPolicyItem.FreshAt.Frequency.Day:
if intervals is not None:
# if intervals is not None or frequency != DataFreshnessPolicyItem.FreshAt.Frequency.Day:
intervals_element = ET.SubElement(fresh_at_element, "intervals")
for interval in intervals:
expression = IntervalItem.Occurrence.WeekDay
if frequency == DataFreshnessPolicyItem.FreshAt.Frequency.Month:
expression = IntervalItem.Occurrence.MonthDay
single_interval_element = ET.SubElement(intervals_element, "interval")
single_interval_element.attrib[expression] = interval
else:
raise ValueError(
f"fresh_at_schedule.interval_item must be populated for " f"Week & Month frequency."
)
else:
raise ValueError(f"data_freshness_policy_config.fresh_at_schedule must be populated.")
return ET.tostring(xml_request)
def publish_req(
self,
workbook_item,
filename,
file_contents,
connections=None,
):
xml_request = self._generate_xml(
workbook_item,
connections=connections,
)
parts = {
"request_payload": ("", xml_request, "text/xml"),
"tableau_workbook": (filename, file_contents, "application/octet-stream"),
}