-
-
Notifications
You must be signed in to change notification settings - Fork 42
/
Copy pathmetabase_api.py
1023 lines (812 loc) · 46 KB
/
metabase_api.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 requests
import getpass
class Metabase_API():
def __init__(self, domain, email, password=None, basic_auth=False):
self.domain = domain.rstrip('/')
self.email = email
self.password = getpass.getpass(prompt='Please enter your password: ') if password is None else password
self.session_id = None
self.header = None
self.auth = (self.email, self.password) if basic_auth else None
self.authenticate()
def authenticate(self):
"""Get a Session ID"""
conn_header = {'username':self.email,
'password':self.password}
res = requests.post(self.domain + '/api/session', json=conn_header, auth=self.auth)
if not res.ok:
raise Exception(res)
self.session_id = res.json()['id']
self.header = {'X-Metabase-Session':self.session_id}
def validate_session(self):
"""Get a new session ID if the previous one has expired"""
res = requests.get(self.domain + '/api/user/current', headers=self.header, auth=self.auth)
if res.ok: # 200
return True
elif res.status_code == 401: # unauthorized
return self.authenticate()
else:
raise Exception(res)
##################################################################
######################### REST Methods ###########################
##################################################################
def get(self, endpoint, *args, **kwargs):
self.validate_session()
res = requests.get(self.domain + endpoint, headers=self.header, **kwargs, auth=self.auth)
if 'raw' in args:
return res
else:
return res.json() if res.ok else False
def post(self, endpoint, *args, **kwargs):
self.validate_session()
res = requests.post(self.domain + endpoint, headers=self.header, **kwargs, auth=self.auth)
if 'raw' in args:
return res
else:
return res.json() if res.ok else False
def put(self, endpoint, *args, **kwargs):
"""Used for updating objects (cards, dashboards, ...)"""
self.validate_session()
res = requests.put(self.domain + endpoint, headers=self.header, **kwargs, auth=self.auth)
if 'raw' in args:
return res
else:
return res.status_code
def delete(self, endpoint, *args, **kwargs):
self.validate_session()
res = requests.delete(self.domain + endpoint, headers=self.header, **kwargs, auth=self.auth)
if 'raw' in args:
return res
else:
return res.status_code
##################################################################
##################### Auxiliary Functions ########################
##################################################################
def get_item_name(self, item_type, item_id):
assert item_type in ['card', 'table', 'dashboard', 'collection', 'pulse']
res = self.get("/api/{}/{}".format(item_type, item_id))
if res:
return res['name']
else:
raise ValueError('There is no {} with the id {}'.format(item_type, item_id))
def get_item_id(self, item_type, item_name, collection_id=None, collection_name=None):
assert item_type in ['card', 'dashboard', 'pulse']
if not collection_id:
if not collection_name:
# Collection name/id is not provided. Searching in all collections
item_IDs = [ i['id'] for i in self.get("/api/{}/".format(item_type)) if i['name'] == item_name
and i['archived'] == False ]
else:
collection_id = self.get_collection_id(collection_name) if collection_name != 'root' else None
item_IDs = [ i['id'] for i in self.get("/api/{}/".format(item_type)) if i['name'] == item_name
and i['collection_id'] == collection_id
and i['archived'] == False ]
else:
collection_name = self.get_item_name('collection', collection_id)
item_IDs = [ i['id'] for i in self.get("/api/{}/".format(item_type)) if i['name'] == item_name
and i['collection_id'] == collection_id
and i['archived'] == False ]
if len(item_IDs) > 1:
if not collection_name:
raise ValueError('There is more than one {} with the name "{}".\n\
Provide collection id/name to limit the search space'.format(item_type, item_name))
raise ValueError('There is more than one {} with the name "{}" in the collection "{}"'
.format(item_type, item_name, collection_name))
if len(item_IDs) == 0:
if not collection_name:
raise ValueError('There is no {} with the name "{}"'.format(item_type, item_name))
raise ValueError('There is no item with the name "{}" in the collection "{}"'
.format(item_name, collection_name))
return item_IDs[0]
def get_collection_id(self, collection_name):
collection_IDs = [ i['id'] for i in self.get("/api/collection/") if i['name'] == collection_name ]
if len(collection_IDs) > 1:
raise ValueError('There is more than one collection with the name {}'.format(collection_name))
if len(collection_IDs) == 0:
raise ValueError('There is no collection with the name "{}"'.format(collection_name))
return collection_IDs[0]
def get_segment_id(self, segment_name, table_id=None):
segment_IDs = [ i['id'] for i in self.get("/api/segment/") if i['name'] == segment_name
and (not table_id or i['table_id'] == table_id) ]
if len(segment_IDs) > 1:
raise ValueError('There is more than one segment with the name {}'.format(segment_name))
if len(segment_IDs) == 0:
raise ValueError('There is no segment with the name "{}"'.format(segment_name))
return segment_IDs[0]
def get_db_id(self, db_name):
res = self.get("/api/database/")
if type(res) == dict: # in Metabase version *.40.0 the format of the returned result for this endpoint changed
res = res['data']
db_IDs = [ i['id'] for i in res if i['name'] == db_name ]
if len(db_IDs) > 1:
raise ValueError('There is more than one DB with the name {}'.format(db_name))
if len(db_IDs) == 0:
raise ValueError('There is no DB with the name "{}"'.format(db_name))
return db_IDs[0]
def get_table_id(self, table_name, db_name=None, db_id=None):
tables = self.get("/api/table/")
if db_id:
table_IDs = [ i['id'] for i in tables if i['name'] == table_name and i['db']['id'] == db_id ]
elif db_name:
table_IDs = [ i['id'] for i in tables if i['name'] == table_name and i['db']['name'] == db_name ]
else:
table_IDs = [ i['id'] for i in tables if i['name'] == table_name ]
if len(table_IDs) > 1:
raise ValueError('There is more than one table with the name {}. Provide db id/name.'.format(table_name))
if len(table_IDs) == 0:
raise ValueError('There is no table with the name "{}" (in the provided db, if any)'.format(table_name))
return table_IDs[0]
def get_db_id_from_table_id(self, table_id):
tables = [ i['db_id'] for i in self.get("/api/table/") if i['id'] == table_id ]
if len(tables) == 0:
raise ValueError('There is no DB containing the table with the ID {}'.format(table_id))
return tables[0]
def get_db_info(self, db_name=None, db_id=None, params=None):
'''
Return Database info. Use 'params' for providing arguments.
For example to include tables in the result, use: params={'include':'tables'}
'''
if params:
assert type(params) == dict
if not db_id:
if not db_name:
raise ValueError('Either the name or id of the DB needs to be provided.')
db_id = self.get_db_id(db_name=db_name)
return self.get("/api/database/{}".format(db_id), params=params)
def get_table_metadata(self, table_name=None, table_id=None, db_name=None, db_id=None, params=None):
if params:
assert type(params) == dict
if not table_id:
if not table_name:
raise ValueError('Either the name or id of the table needs to be provided.')
table_id = self.get_table_id(table_name=table_name, db_name=db_name, db_id=db_id)
return self.get("/api/table/{}/query_metadata".format(table_id), params=params)
def get_columns_name_id(self, table_name=None, db_name=None, table_id=None, db_id=None, verbose=False, column_id_name=False):
'''Return a dictionary with col_name key and col_id value, for the given table_id/table_name in the given db_id/db_name.
If column_id_name is True, return a dictionary with col_id key and col_name value.
'''
if not self.friendly_names_is_disabled():
raise ValueError('Please disable "Friendly Table and Field Names" from Admin Panel > Settings > General, and try again.')
if not table_name:
if not table_id:
raise ValueError('Either the name or id of the table must be provided.')
table_name = self.get_item_name(item_type='table', item_id=table_id)
# getting db_id
if not db_id:
if db_name:
db_id = self.get_db_id(db_name)
else:
if not table_id:
table_id = self.get_table_id(table_name)
db_id = self.get_db_id_from_table_id(table_id)
# Getting column names and IDs
if column_id_name:
return {i['id']: i['name'] for i in self.get("/api/database/{}/fields".format(db_id))
if i['table_name'] == table_name}
else:
return {i['name']: i['id'] for i in self.get("/api/database/{}/fields".format(db_id))
if i['table_name'] == table_name}
def friendly_names_is_disabled(self):
'''
The endpoint /api/database/:db-id/fields which is used in the function get_column_name_id relies on the display name of fields.
If "Friendly Table and Field Names" (in Admin Panel > Settings > General) is not disabled, it changes the display name of fields.
So it is important to make sure this setting is disabled, before running the get_column_name_id function.
'''
friendly_name_setting = [ i['value'] for i in self.get('/api/setting') if i['key'] == 'humanization-strategy' ][0]
return friendly_name_setting == 'none' # 'none' means disabled
@staticmethod
def verbose_print(verbose, msg):
if verbose:
print(msg)
##################################################################
###################### Custom Functions ##########################
##################################################################
def create_card(self, card_name=None, collection_name=None, collection_id=None,
db_name=None, db_id=None, table_name=None, table_id=None,
column_order='db_table_order', custom_json=None, verbose=False, return_card=False):
"""
Create a card using the given arguments utilizing the endpoint 'POST /api/card/'.
If collection is not given, the root collection is used.
Keyword arguments:
card_name -- the name used to create the card (default None)
collection_name -- name of the collection to place the card (default None).
collection_id -- id of the collection to place the card (default None)
db_name -- name of the db that is used as the source of data (default None)
db_id -- id of the db used as the source of data (default None)
table_name -- name of the table used as the source of data (default None)
table_id -- id of the table used as the source of data (default None)
column_order -- order for showing columns. Accepted values are 'alphabetical', 'db_table_order' (default)
or a list of column names
custom_json -- key-value pairs that can provide some or all the data needed for creating the card (default None).
If you are providing only this argument, the keys 'name', 'dataset_query' and 'display' are required
(https://github.com./metabase/metabase/blob/master/docs/api-documentation.md#post-apicard).
Although the key 'visualization_settings' is required for the endpoint, but since it can be an
empty dict ({}), if it is absent in the provided json, the function adds it automatically.
verbose -- whether to print extra information (default False)
return_card -- whather to return the created card info (default False)
"""
if custom_json:
assert type(custom_json) == dict
# checking whether the provided json has the required info or not
complete_json = True
for item in ['name', 'dataset_query', 'display']:
if item not in custom_json:
complete_json = False
self.verbose_print(verbose, 'The provided json is detected as partial.')
break
# Fix for the issue #10
if custom_json.get('description') == '':
custom_json['description'] = None
# setting the collection
if collection_id:
custom_json['collecion_id'] = collection_id
elif collection_name:
collection_id = self.get_collection_id(collection_name)
custom_json['collecion_id'] = collection_id
if complete_json:
# Adding visualization_settings if it is not present in the custom_json
if 'visualization_settings' not in custom_json:
custom_json['visualization_settings'] = {}
# adding the card name if it is provided
if card_name is not None:
custom_json['name'] = card_name
if not custom_json.get('collection_id'):
self.verbose_print(verbose, 'No collection name or id is provided. Will create the card at the root ...')
# Creating the card using only the provided custom_json
res = self.post("/api/card/", json=custom_json)
if res and not res.get('error'):
self.verbose_print(verbose, 'The card was created successfully.')
return res if return_card else None
else:
print('Card Creation Failed.\n', res)
return res
# making sure we have the required data
if not card_name and (not custom_json or not custom_json.get('name')):
raise ValueError("A name must be provided for the card (either as card_name argument or as part of the custom_json ('name' key)).")
if not table_id:
if not table_name:
raise ValueError('Either the name or id of the table must be provided.')
table_id = self.get_table_id(table_name=table_name, db_id=db_id, db_name=db_name)
if not table_name:
table_name = self.get_item_name(item_type='table', item_id=table_id)
if not db_id:
db_id = self.get_db_id_from_table_id(table_id)
# getting collection_id if it is not given
if not collection_id:
if not collection_name:
self.verbose_print(verbose, 'No collection name or id is provided. Will create the card at the root ...')
else:
collection_id = self.get_collection_id(collection_name)
if type(column_order) == list:
column_name_id_dict = self.get_columns_name_id(db_id=db_id,
table_id=table_id,
table_name=table_name,
verbose=verbose)
try:
column_id_list = [column_name_id_dict[i] for i in column_order]
except ValueError as e:
print('The column name {} is not in the table {}. \nThe card creation failed!'.format(e, table_name))
return False
column_id_list_str = [['field-id', i] for i in column_id_list]
elif column_order == 'db_table_order': # default
### Finding the actual order of columns in the table as they appear in the database
# creating a temporary card for retrieving column ordering
json_str = """{{'dataset_query': {{'database': {1},
'native': {{'query': 'SELECT * from "{2}";' }},
'type': 'native' }},
'display': 'table',
'name': '{0}',
'visualization_settings': {{}} }}""".format(card_name, db_id, table_name)
res = self.post("/api/card/", json=eval(json_str))
if not res:
print('Card Creation Failed!')
return res
ordered_columns = [ i['name'] for i in res['result_metadata'] ] # retrieving the column ordering
# deleting the temporary card
card_id = res['id']
self.delete("/api/card/{}".format(card_id))
column_name_id_dict = self.get_columns_name_id(db_id=db_id,
table_id=table_id,
table_name=table_name,
verbose=verbose)
column_id_list = [ column_name_id_dict[i] for i in ordered_columns ]
column_id_list_str = [ ['field-id', i] for i in column_id_list ]
elif column_order == 'alphabetical':
column_id_list_str = None
else:
raise ValueError("Wrong value for 'column_order'. \
Accepted values: 'alphabetical', 'db_table_order' or a list of column names.")
# default json
json_str = """{{'dataset_query': {{'database': {1},
'query': {{'fields': {4},
'source-table': {2}}},
'type': 'query'}},
'display': 'table',
'name': '{0}',
'collection_id': {3},
'visualization_settings': {{}}
}}""".format(card_name, db_id, table_id, collection_id, column_id_list_str)
json = eval(json_str)
# adding/rewriting data to the default json from custom_json
if custom_json:
for key, value in custom_json.items():
if key in ['name', 'dataset_query', 'display']:
self.verbose_print(verbose, "Ignored '{}' key in the provided custom_json.".format(key))
continue
json[key] = value
res = self.post("/api/card/", json=json)
# getting collection_name to be used in the final message
if not collection_name:
if not collection_id:
collection_name = 'root'
else:
collection_name = self.get_item_name(item_type='collection', item_id=collection_id)
if res and not res.get('error'):
self.verbose_print(verbose, "The card '{}' was created successfully in the collection '{}'."
.format(card_name, collection_name))
if return_card: return res
else:
print('Card Creation Failed.\n', res)
return res
def create_collection(self, collection_name, parent_collection_id=None, parent_collection_name=None, return_results=False):
"""
Create an empty collection, in the given location, utilizing the endpoint 'POST /api/collection/'.
Keyword arguments:
collection_name -- the name used for the created collection.
parent_collection_id -- id of the collection where the created collection resides in.
parent_collection_name -- name of the collection where the created collection resides in (use 'Root' for the root collection).
return_results -- whether to return the resuls or not.
"""
# making sure we have the data we need
if not parent_collection_id:
if not parent_collection_name:
print('Either the name of id of the parent collection must be provided.')
if parent_collection_name == 'Root':
parent_collection_id = None
else:
parent_collection_id = self.get_collection_id(parent_collection_name)
res = self.post('/api/collection', json={'name':collection_name, 'parent_id':parent_collection_id, 'color':'#509EE3'})
if return_results:
return res
def create_segment(self, segment_name, column_name, column_values, segment_description='',
db_name=None, db_id=None, table_name=None, table_id=None, return_segment=False):
"""
Create a segment using the given arguments utilizing the endpoint 'POST /api/segment/'.
Keyword arguments:
segment_name -- the name used for the created segment.
column_name -- name of the column used for filtering.
column_values -- list of values for filtering in the given column.
segment_description -- description of the segment (default '')
db_name -- name of the db that is used as the source of data (default None)
db_id -- id of the db used as the source of data (default None)
table_name -- name of the table used for creating the segmnet on it (default None)
table_id -- id of the table used for creating the segmnet on it (default None)
return_segment -- whather to return the created segment info (default False)
"""
# making sure we have the data needed
if not table_name and not table_id:
raise ValueError('Either the name or id of the table must be provided.')
if not table_id:
table_id = self.get_table_id(table_name, db_name, db_id)
if not table_name:
table_name = self.get_item_name(item_type='table', item_id=table_id)
db_id = self.get_db_id_from_table_id(table_id)
colmuns_name_id_mapping = self.get_columns_name_id(table_name=table_name, db_id=db_id)
column_id = colmuns_name_id_mapping[column_name]
# creating a segment blueprint
segment_blueprint = {'name': segment_name,
'description': segment_description,
'table_id': table_id,
'definition': {'source-table': table_id, 'filter': ['=', ['field-id', column_id]]}}
# adding filtering values
segment_blueprint['definition']['filter'].extend(column_values)
# creating the segment
res = self.post('/api/segment/', json=segment_blueprint)
if return_segment:
return res
def copy_card(self, source_card_name=None, source_card_id=None,
source_collection_name=None, source_collection_id=None,
destination_card_name=None,
destination_collection_name=None, destination_collection_id=None,
postfix='', verbose=False):
"""
Copy the card with the given name/id to the given destination collection.
Keyword arguments:
source_card_name -- name of the card to copy (default None)
source_card_id -- id of the card to copy (default None)
source_collection_name -- name of the collection the source card is located in (default None)
source_collection_id -- id of the collection the source card is located in (default None)
destination_card_name -- name used for the card in destination (default None).
If None, it will use the name of the source card + postfix.
destination_collection_name -- name of the collection to copy the card to (default None)
destination_collection_id -- id of the collection to copy the card to (default None)
postfix -- if destination_card_name is None, adds this string to the end of source_card_name
to make destination_card_name
"""
### Making sure we have the data that we need
if not source_card_id:
if not source_card_name:
raise ValueError('Either the name or id of the source card must be provided.')
else:
source_card_id = self.get_item_id(item_type='card',
item_name=source_card_name,
collection_id=source_collection_id,
collection_name=source_collection_name)
if not destination_collection_id:
if not destination_collection_name:
raise ValueError('Either the name or id of the destination collection must be provided.')
else:
destination_collection_id = self.get_collection_id(destination_collection_name)
if not destination_card_name:
if not source_card_name:
source_card_name = self.get_item_name(item_type='card', item_id=source_card_id)
destination_card_name = source_card_name + postfix
# Getting the source card info
source_card = self.get('/api/card/{}'.format(source_card_id))
# Updating the name and collection_id
card_json = source_card
card_json['collection_id'] = destination_collection_id
card_json['name'] = destination_card_name
# Fixing the issue #10
if card_json.get('description') == '':
card_json['description'] = None
# saving as a new card
res = self.create_card(custom_json=card_json, verbose=verbose, return_card=True)
# returning the id of the created card
return res['id']
def copy_pulse(self, source_pulse_name=None, source_pulse_id=None,
source_collection_name=None, source_collection_id=None,
destination_pulse_name=None,
destination_collection_id=None, destination_collection_name=None, postfix=''):
"""
Copy the pulse with the given name/id to the given destination collection.
Keyword arguments:
source_pulse_name -- name of the pulse to copy (default None)
source_pulse_id -- id of the pulse to copy (default None)
source_collection_name -- name of the collection the source card is located in (default None)
source_collection_id -- id of the collection the source card is located in (default None)
destination_pulse_name -- name used for the pulse in destination (default None).
If None, it will use the name of the source pulse + postfix.
destination_collection_name -- name of the collection to copy the pulse to (default None)
destination_collection_id -- id of the collection to copy the pulse to (default None)
postfix -- if destination_pulse_name is None, adds this string to the end of source_pulse_name
to make destination_pulse_name
"""
### Making sure we have the data that we need
if not source_pulse_id:
if not source_pulse_name:
raise ValueError('Either the name or id of the source pulse must be provided.')
else:
source_pulse_id = self.get_item_id(item_type='pulse',item_name=source_pulse_name,
collection_id=source_collection_id,
collection_name=source_collection_name)
if not destination_collection_id:
if not destination_collection_name:
raise ValueError('Either the name or id of the destination collection must be provided.')
else:
destination_collection_id = self.get_collection_id(destination_collection_name)
if not destination_pulse_name:
if not source_pulse_name:
source_pulse_name = self.get_item_name(item_type='pulse', item_id=source_pulse_id)
destination_pulse_name = source_pulse_name + postfix
# Getting the source pulse info
source_pulse = self.get('/api/pulse/{}'.format(source_pulse_id))
# Updating the name and collection_id
pulse_json = source_pulse
pulse_json['collection_id'] = destination_collection_id
pulse_json['name'] = destination_pulse_name
# saving as a new pulse
self.post('/api/pulse', json=pulse_json)
def copy_dashboard(self, source_dashboard_name=None, source_dashboard_id=None,
source_collection_name=None, source_collection_id=None,
destination_dashboard_name=None,
destination_collection_name=None, destination_collection_id=None,
deepcopy=False, postfix=''):
"""
Copy the dashboard with the given name/id to the given destination collection.
Keyword arguments:
source_dashboard_name -- name of the dashboard to copy (default None)
source_dashboard_id -- id of the dashboard to copy (default None)
source_collection_name -- name of the collection the source dashboard is located in (default None)
source_collection_id -- id of the collection the source dashboard is located in (default None)
destination_dashboard_name -- name used for the dashboard in destination (default None).
If None, it will use the name of the source dashboard + postfix.
destination_collection_name -- name of the collection to copy the dashboard to (default None)
destination_collection_id -- id of the collection to copy the dashboard to (default None)
deepcopy -- whether to duplicate the cards inside the dashboard (default False).
If True, puts the duplicated cards in a collection called "[dashboard_name]'s duplicated cards"
in the same path as the duplicated dashboard.
postfix -- if destination_dashboard_name is None, adds this string to the end of source_dashboard_name
to make destination_dashboard_name
"""
### Making sure we have the data that we need
if not source_dashboard_id:
if not source_dashboard_name:
raise ValueError('Either the name or id of the source dashboard must be provided.')
else:
source_dashboard_id = self.get_item_id(item_type='dashboard',item_name=source_dashboard_name,
collection_id=source_collection_id,
collection_name=source_collection_name)
if not destination_collection_id:
if not destination_collection_name:
raise ValueError('Either the name or id of the destination collection must be provided.')
else:
destination_collection_id = self.get_collection_id(destination_collection_name)
if not destination_dashboard_name:
if not source_dashboard_name:
source_dashboard_name = self.get_item_name(item_type='dashboard', item_id=source_dashboard_id)
destination_dashboard_name = source_dashboard_name + postfix
### shallow-copy
shallow_copy_json = {'collection_id':destination_collection_id, 'name':destination_dashboard_name}
res = self.post('/api/dashboard/{}/copy'.format(source_dashboard_id), json=shallow_copy_json)
dup_dashboard_id = res['id']
### deepcopy
if deepcopy:
# Getting the source dashboard info
source_dashboard = self.get('/api/dashboard/{}'.format(source_dashboard_id))
# creating an empty collection to copy the cards into it
res = self.post('/api/collection/',
json={'name':destination_dashboard_name + "'s cards",
'color':'#509EE3',
'parent_id':destination_collection_id})
cards_collection_id = res['id']
# duplicating cards and putting them in the created collection and making a card_id mapping
source_dashboard_card_IDs = [ i['card_id'] for i in source_dashboard['ordered_cards'] if i['card_id'] is not None ]
card_id_mapping = {}
for card_id in source_dashboard_card_IDs:
dup_card_id = self.copy_card(source_card_id=card_id, destination_collection_id=cards_collection_id)
card_id_mapping[card_id] = dup_card_id
# replacing cards in the duplicated dashboard with duplicated cards
dup_dashboard = self.get('/api/dashboard/{}'.format(dup_dashboard_id))
for card in dup_dashboard['ordered_cards']:
# ignoring text boxes. These get copied in the shallow-copy stage.
if card['card_id'] is None:
continue
# preparing a json to be used for replacing the cards in the duplicated dashboard
new_card_id = card_id_mapping[card['card_id']]
card_json = {}
card_json['cardId'] = new_card_id
for prop in ['visualization_settings', 'col', 'row', 'sizeX', 'sizeY', 'series', 'parameter_mappings']:
card_json[prop] = card[prop]
for item in card_json['parameter_mappings']:
item['card_id'] = new_card_id
# removing the card from the duplicated dashboard
dash_card_id = card['id'] # This is id of the card in the dashboard (different from id of the card itself)
self.delete('/api/dashboard/{}/cards'.format(dup_dashboard_id), params={'dashcardId':dash_card_id})
# adding the new card to the duplicated dashboard
self.post('/api/dashboard/{}/cards'.format(dup_dashboard_id), json=card_json)
return dup_dashboard_id
def copy_collection(self, source_collection_name=None, source_collection_id=None,
destination_collection_name=None,
destination_parent_collection_name=None, destination_parent_collection_id=None,
deepcopy_dashboards=False, postfix='', child_items_postfix='', verbose=False):
"""
Copy the collection with the given name/id into the given destination parent collection.
Keyword arguments:
source_collection_name -- name of the collection to copy (default None)
source_collection_id -- id of the collection to copy (default None)
destination_collection_name -- the name to be used for the collection in the destination (default None).
If None, it will use the name of the source collection + postfix.
destination_parent_collection_name -- name of the destination parent collection (default None). This is the collection that would have the copied collection as a child.
destination_parent_collection_id -- id of the destination parent collection (default None). This is the collection that would have the copied collection as a child.
deepcopy_dashboards -- whether to duplicate the cards inside the dashboards (default False). If True, puts the duplicated cards in a collection called
"[dashboard_name]'s duplicated cards" in the same path as the duplicated dashboard.
postfix -- if destination_collection_name is None, adds this string to the end of source_collection_name to make destination_collection_name.
child_items_postfix -- this string is added to the end of the child items' names, when saving them in the destination (default '').
verbose -- prints extra information (default False)
"""
### Making sure we have the data that we need
if not source_collection_id:
if not source_collection_name:
raise ValueError('Either the name or id of the source collection must be provided.')
else:
source_collection_id = self.get_collection_id(source_collection_name)
if not destination_parent_collection_id:
if not destination_parent_collection_name:
raise ValueError('Either the name or id of the destination parent collection must be provided.')
else:
destination_parent_collection_id = self.get_collection_id(destination_parent_collection_name)
if not destination_collection_name:
if not source_collection_name:
source_collection_name = self.get_item_name(item_type='collection', item_id=source_collection_id)
destination_collection_name = source_collection_name + postfix
### Creating a collection in the destination to hold the contents of the source collection
res = self.create_collection(destination_collection_name,
parent_collection_id=destination_parent_collection_id,
parent_collection_name=destination_parent_collection_name,
return_results=True
)
destination_collection_id = res['id']
### Getting the items to copy
items = self.get('/api/collection/{}/items'.format(source_collection_id))
if type(items) == dict: # in Metabase version *.40.0 the format of the returned result for this endpoint changed
items = items['data']
### copying the items of the source collection to the new collection
for item in items:
## copying a collection
if item['model'] == 'collection':
collection_id = item['id']
collection_name = item['name']
destination_collection_name = collection_name + child_items_postfix
self.verbose_print(verbose, 'Copying the collection "{}" ...'.format(collection_name))
self.copy_collection(source_collection_id=collection_id,
destination_parent_collection_id=destination_collection_id,
child_items_postfix=child_items_postfix,
deepcopy_dashboards=deepcopy_dashboards,
verbose=verbose)
## copying a dashboard
if item['model'] == 'dashboard':
dashboard_id = item['id']
dashboard_name = item['name']
destination_dashboard_name = dashboard_name + child_items_postfix
self.verbose_print(verbose, 'Copying the dashboard "{}" ...'.format(dashboard_name))
self.copy_dashboard(source_dashboard_id=dashboard_id,
destination_collection_id=destination_collection_id,
destination_dashboard_name=destination_dashboard_name,
deepcopy=deepcopy_dashboards)
## copying a card
if item['model'] == 'card':
card_id = item['id']
card_name = item['name']
destination_card_name = card_name + child_items_postfix
self.verbose_print(verbose, 'Copying the card "{}" ...'.format(card_name))
self.copy_card(source_card_id=card_id,
destination_collection_id=destination_collection_id,
destination_card_name=destination_card_name)
## copying a pulse
if item['model'] == 'pulse':
pulse_id = item['id']
pulse_name = item['name']
destination_pulse_name = pulse_name + child_items_postfix
self.verbose_print(verbose, 'Copying the pulse "{}" ...'.format(pulse_name))
self.copy_pulse(source_pulse_id=pulse_id,
destination_collection_id=destination_collection_id,
destination_pulse_name=destination_pulse_name)
def search(self, q, item_type=None, archived=False):
"""
Search for Metabase objects (except DBs) and return their basic info.
We can limit the search to a certain item type by providing a value for item_type keyword.
Keyword arguments:
q -- search input
item_type -- to limit the search to certain item types (default:None, means no limit)
archived -- whether to include archived items in the search
"""
assert item_type in [None, 'card', 'dashboard', 'collection', 'table', 'pulse', 'segment', 'metric' ]
assert archived in [True, False]
res = self.get(endpoint='/api/search/', params={'q':q, 'archived':archived})
if type(res) == dict: # bin Metabase version *.40.0 the format of the returned result for this endpoint changed
res = res['data']
if item_type is not None:
res = [ item for item in res if item['model'] == item_type ]
return res
def get_card_data(self, card_name=None, card_id=None, collection_name=None, collection_id=None, data_format='json'):
'''
Run the query associated with a card and get the results.
The data_format keyword specifies the format of the returned data:
- 'json': every row is a dictionary of <column-header, cell> key-value pairs
- 'csv': the entire result is returned as a string, where rows are separated by newlines and cells with commas.
'''
assert data_format in [ 'json', 'csv' ]
if card_id is None:
if card_name is None:
raise ValueError('Either card_id or card_name must be provided.')
card_id = self.get_item_id(item_name=card_name,
collection_name=collection_name,
collection_id=collection_id,
item_type='card')
res = self.post("/api/card/{}/query/{}".format(card_id, data_format), 'raw')
if data_format == 'json':
import json
return json.loads(res.text)
if data_format == 'csv':
return res.text.replace('null', '')
def clone_card(self, card_id, source_table_id, target_table_id, new_card_name=None, new_card_collection_id=None, ignore_these_filters=None):
"""
*** work in progress ***
Create a new card where the source of the old card is changed from 'source_table_id' to 'target_table_id'.
The filters that were based on the old table would become based on the new table.
In the current version of the function there are some limitations which would be removed in future versions:
- The column names used in filters need to be the same in the source and target table (except the ones that are ignored by 'ignore_these_filters' param).
- The source and target tables need to be in the same DB.
Keyword arguments:
card_id -- id of the card
source_table_id -- The table that the filters of the card are based on
target_table_id -- The table that the filters of the cloned card would be based on
new_card_name -- Name of the cloned card. If not provided, the name of the source card is used.
new_card_collection_id -- The collection that the cloned card should be saved in
ignore_these_filters -- A list of variable names of filters. The source of these filters would not change in the cloning process.
"""
card_info = self.get('/api/card/{}'.format(card_id))
target_table_col_name_id_mapping = self.get_columns_name_id(table_id=target_table_id)
source_table_col_id_name_mapping = self.get_columns_name_id(table_id=source_table_id, column_id_name=True)
filters_data = card_info['dataset_query']['native']['template-tags']
for filter_variable_name, data in filters_data.items():
if type(ignore_these_filters) == list and filter_variable_name in ignore_these_filters:
continue
column_id = data['dimension'][1]
column_name = source_table_col_id_name_mapping[column_id]
target_col_id = target_table_col_name_id_mapping[column_name]
card_info['dataset_query']['native']['template-tags'][filter_variable_name]['dimension'] = ['field', target_col_id, None]
new_card_json = {}
for key in ['dataset_query', 'display', 'visualization_settings']:
new_card_json[key] = card_info[key]
if new_card_name:
new_card_json['name'] = new_card_name
else:
new_card_json['name'] = card_info['name']
if new_card_collection_id:
new_card_json['collection_id'] = new_card_collection_id
else:
new_card_json['collection_id'] = card_info['collection_id']
self.create_card(custom_json=new_card_json, verbose=True)
def move_to_archive(self, item_type, item_name=None, item_id=None,
collection_name=None, collection_id=None, table_id=None, verbose=False):
'''Archive the given item. For deleting the item use the 'delete_item' function.'''
assert item_type in ['card', 'dashboard', 'collection', 'pulse', 'segment']
if not item_id:
if not item_name:
raise ValueError('Either the name or id of the {} must be provided.'.format(item_type))
if item_type == 'collection':
item_id = self.get_collection_id(item_name)
elif item_type == 'segment':
item_id = self.get_segment_id(item_name, table_id)
else:
item_id = self.get_item_id(item_type, item_name, collection_id, collection_name)
if item_type == 'segment':
# 'revision_message' is mandatory for archiving segments
res = self.put('/api/{}/{}'.format(item_type, item_id), json={'archived':True, 'revision_message':'archived!'})
else:
res = self.put('/api/{}/{}'.format(item_type, item_id), json={'archived':True})
if res in [200, 202]: # for segments the success status code returned is 200 for others it is 202
self.verbose_print(verbose, 'Successfully Archived.')
else:
print('Archiving Failed.')
return res
def delete_item(self, item_type, item_name=None, item_id=None,
collection_name=None, collection_id=None, verbose=False):
'''
Delete the given item. Use carefully (this is different from archiving).
Currently Collections and Segments cannot be deleted using the Metabase API.
'''
assert item_type in ['card', 'dashboard', 'pulse']
if not item_id:
if not item_name:
raise ValueError('Either the name or id of the {} must be provided.'.format(item_type))
item_id = self.get_item_id(item_type, item_name, collection_id, collection_name)
return self.delete('/api/{}/{}'.format(item_type, item_id))
def update_column(self, params,
column_id=None, column_name=None,
table_id=None, table_name=None,
db_id=None, db_name=None):
'''
Update the column in data model by providing values for 'params'.
E.g. for changing the column type to 'Category' in data model, use: params={'semantic_type':'type/Category'}
(For Metabase versions before v.39, use: params={'special_type':'type/Category'}).
Other parameter values: https://www.metabase.com/docs/latest/api-documentation.html#put-apifieldid
'''
assert type(params) == dict
# making sure we have the data we need
if not column_id:
if not column_name:
raise ValueError('Either the name or id of the column needs to be provided.')
if not table_id:
if not table_name:
raise ValueError('When column_id is not given, either the name or id of the table needs to be provided.')
table_id = self.get_table_id(table_name=table_name, db_id=db_id, db_name=db_name)