-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path_dicom_dict.py
4833 lines (4831 loc) · 465 KB
/
_dicom_dict.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
"""DICOM data dictionary auto-generated by generate_dicom_dict.py"""
# Each dict entry is Tag : (VR, VM, Name, Retired, Keyword)
DicomDictionary = {
0x00000000: ('UL', '1', "Command Group Length", '', 'CommandGroupLength'), # noqa
0x00000001: ('UL', '1', "Command Length to End", 'Retired', 'CommandLengthToEnd'), # noqa
0x00000002: ('UI', '1', "Affected SOP Class UID", '', 'AffectedSOPClassUID'), # noqa
0x00000003: ('UI', '1', "Requested SOP Class UID", '', 'RequestedSOPClassUID'), # noqa
0x00000010: ('SH', '1', "Command Recognition Code", 'Retired', 'CommandRecognitionCode'), # noqa
0x00000100: ('US', '1', "Command Field", '', 'CommandField'), # noqa
0x00000110: ('US', '1', "Message ID", '', 'MessageID'), # noqa
0x00000120: ('US', '1', "Message ID Being Responded To", '', 'MessageIDBeingRespondedTo'), # noqa
0x00000200: ('AE', '1', "Initiator", 'Retired', 'Initiator'), # noqa
0x00000300: ('AE', '1', "Receiver", 'Retired', 'Receiver'), # noqa
0x00000400: ('AE', '1', "Find Location", 'Retired', 'FindLocation'), # noqa
0x00000600: ('AE', '1', "Move Destination", '', 'MoveDestination'), # noqa
0x00000700: ('US', '1', "Priority", '', 'Priority'), # noqa
0x00000800: ('US', '1', "Command Data Set Type", '', 'CommandDataSetType'), # noqa
0x00000850: ('US', '1', "Number of Matches", 'Retired', 'NumberOfMatches'), # noqa
0x00000860: ('US', '1', "Response Sequence Number", 'Retired', 'ResponseSequenceNumber'), # noqa
0x00000900: ('US', '1', "Status", '', 'Status'), # noqa
0x00000901: ('AT', '1-n', "Offending Element", '', 'OffendingElement'), # noqa
0x00000902: ('LO', '1', "Error Comment", '', 'ErrorComment'), # noqa
0x00000903: ('US', '1', "Error ID", '', 'ErrorID'), # noqa
0x00001000: ('UI', '1', "Affected SOP Instance UID", '', 'AffectedSOPInstanceUID'), # noqa
0x00001001: ('UI', '1', "Requested SOP Instance UID", '', 'RequestedSOPInstanceUID'), # noqa
0x00001002: ('US', '1', "Event Type ID", '', 'EventTypeID'), # noqa
0x00001005: ('AT', '1-n', "Attribute Identifier List", '', 'AttributeIdentifierList'), # noqa
0x00001008: ('US', '1', "Action Type ID", '', 'ActionTypeID'), # noqa
0x00001020: ('US', '1', "Number of Remaining Sub-operations", '', 'NumberOfRemainingSuboperations'), # noqa
0x00001021: ('US', '1', "Number of Completed Sub-operations", '', 'NumberOfCompletedSuboperations'), # noqa
0x00001022: ('US', '1', "Number of Failed Sub-operations", '', 'NumberOfFailedSuboperations'), # noqa
0x00001023: ('US', '1', "Number of Warning Sub-operations", '', 'NumberOfWarningSuboperations'), # noqa
0x00001030: ('AE', '1', "Move Originator Application Entity Title", '', 'MoveOriginatorApplicationEntityTitle'), # noqa
0x00001031: ('US', '1', "Move Originator Message ID", '', 'MoveOriginatorMessageID'), # noqa
0x00004000: ('LT', '1', "Dialog Receiver", 'Retired', 'DialogReceiver'), # noqa
0x00004010: ('LT', '1', "Terminal Type", 'Retired', 'TerminalType'), # noqa
0x00005010: ('SH', '1', "Message Set ID", 'Retired', 'MessageSetID'), # noqa
0x00005020: ('SH', '1', "End Message ID", 'Retired', 'EndMessageID'), # noqa
0x00005110: ('LT', '1', "Display Format", 'Retired', 'DisplayFormat'), # noqa
0x00005120: ('LT', '1', "Page Position ID", 'Retired', 'PagePositionID'), # noqa
0x00005130: ('CS', '1', "Text Format ID", 'Retired', 'TextFormatID'), # noqa
0x00005140: ('CS', '1', "Normal/Reverse", 'Retired', 'NormalReverse'), # noqa
0x00005150: ('CS', '1', "Add Gray Scale", 'Retired', 'AddGrayScale'), # noqa
0x00005160: ('CS', '1', "Borders", 'Retired', 'Borders'), # noqa
0x00005170: ('IS', '1', "Copies", 'Retired', 'Copies'), # noqa
0x00005180: ('CS', '1', "Command Magnification Type", 'Retired', 'CommandMagnificationType'), # noqa
0x00005190: ('CS', '1', "Erase", 'Retired', 'Erase'), # noqa
0x000051A0: ('CS', '1', "Print", 'Retired', 'Print'), # noqa
0x000051B0: ('US', '1-n', "Overlays", 'Retired', 'Overlays'), # noqa
0x00020000: ('UL', '1', "File Meta Information Group Length", '', 'FileMetaInformationGroupLength'), # noqa
0x00020001: ('OB', '1', "File Meta Information Version", '', 'FileMetaInformationVersion'), # noqa
0x00020002: ('UI', '1', "Media Storage SOP Class UID", '', 'MediaStorageSOPClassUID'), # noqa
0x00020003: ('UI', '1', "Media Storage SOP Instance UID", '', 'MediaStorageSOPInstanceUID'), # noqa
0x00020010: ('UI', '1', "Transfer Syntax UID", '', 'TransferSyntaxUID'), # noqa
0x00020012: ('UI', '1', "Implementation Class UID", '', 'ImplementationClassUID'), # noqa
0x00020013: ('SH', '1', "Implementation Version Name", '', 'ImplementationVersionName'), # noqa
0x00020016: ('AE', '1', "Source Application Entity Title", '', 'SourceApplicationEntityTitle'), # noqa
0x00020017: ('AE', '1', "Sending Application Entity Title", '', 'SendingApplicationEntityTitle'), # noqa
0x00020018: ('AE', '1', "Receiving Application Entity Title", '', 'ReceivingApplicationEntityTitle'), # noqa
0x00020026: ('UR', '1', "Source Presentation Address", '', 'SourcePresentationAddress'), # noqa
0x00020027: ('UR', '1', "Sending Presentation Address", '', 'SendingPresentationAddress'), # noqa
0x00020028: ('UR', '1', "Receiving Presentation Address", '', 'ReceivingPresentationAddress'), # noqa
0x00020031: ('OB', '1', "RTV Meta Information Version", '', 'RTVMetaInformationVersion'), # noqa
0x00020032: ('UI', '1', "RTV Communication SOP Class UID", '', 'RTVCommunicationSOPClassUID'), # noqa
0x00020033: ('UI', '1', "RTV Communication SOP Instance UID", '', 'RTVCommunicationSOPInstanceUID'), # noqa
0x00020035: ('OB', '1', "RTV Source Identifier", '', 'RTVSourceIdentifier'), # noqa
0x00020036: ('OB', '1', "RTV Flow Identifier", '', 'RTVFlowIdentifier'), # noqa
0x00020037: ('UL', '1', "RTV Flow RTP Sampling Rate", '', 'RTVFlowRTPSamplingRate'), # noqa
0x00020038: ('FD', '1', "RTV Flow Actual Frame Duration", '', 'RTVFlowActualFrameDuration'), # noqa
0x00020100: ('UI', '1', "Private Information Creator UID", '', 'PrivateInformationCreatorUID'), # noqa
0x00020102: ('OB', '1', "Private Information", '', 'PrivateInformation'), # noqa
0x00041130: ('CS', '1', "File-set ID", '', 'FileSetID'), # noqa
0x00041141: ('CS', '1-8', "File-set Descriptor File ID", '', 'FileSetDescriptorFileID'), # noqa
0x00041142: ('CS', '1', "Specific Character Set of File-set Descriptor File", '', 'SpecificCharacterSetOfFileSetDescriptorFile'), # noqa
0x00041200: ('UL', '1', "Offset of the First Directory Record of the Root Directory Entity", '', 'OffsetOfTheFirstDirectoryRecordOfTheRootDirectoryEntity'), # noqa
0x00041202: ('UL', '1', "Offset of the Last Directory Record of the Root Directory Entity", '', 'OffsetOfTheLastDirectoryRecordOfTheRootDirectoryEntity'), # noqa
0x00041212: ('US', '1', "File-set Consistency Flag", '', 'FileSetConsistencyFlag'), # noqa
0x00041220: ('SQ', '1', "Directory Record Sequence", '', 'DirectoryRecordSequence'), # noqa
0x00041400: ('UL', '1', "Offset of the Next Directory Record", '', 'OffsetOfTheNextDirectoryRecord'), # noqa
0x00041410: ('US', '1', "Record In-use Flag", '', 'RecordInUseFlag'), # noqa
0x00041420: ('UL', '1', "Offset of Referenced Lower-Level Directory Entity", '', 'OffsetOfReferencedLowerLevelDirectoryEntity'), # noqa
0x00041430: ('CS', '1', "Directory Record Type", '', 'DirectoryRecordType'), # noqa
0x00041432: ('UI', '1', "Private Record UID", '', 'PrivateRecordUID'), # noqa
0x00041500: ('CS', '1-8', "Referenced File ID", '', 'ReferencedFileID'), # noqa
0x00041504: ('UL', '1', "MRDR Directory Record Offset", 'Retired', 'MRDRDirectoryRecordOffset'), # noqa
0x00041510: ('UI', '1', "Referenced SOP Class UID in File", '', 'ReferencedSOPClassUIDInFile'), # noqa
0x00041511: ('UI', '1', "Referenced SOP Instance UID in File", '', 'ReferencedSOPInstanceUIDInFile'), # noqa
0x00041512: ('UI', '1', "Referenced Transfer Syntax UID in File", '', 'ReferencedTransferSyntaxUIDInFile'), # noqa
0x0004151A: ('UI', '1-n', "Referenced Related General SOP Class UID in File", '', 'ReferencedRelatedGeneralSOPClassUIDInFile'), # noqa
0x00041600: ('UL', '1', "Number of References", 'Retired', 'NumberOfReferences'), # noqa
0x00080001: ('UL', '1', "Length to End", 'Retired', 'LengthToEnd'), # noqa
0x00080005: ('CS', '1-n', "Specific Character Set", '', 'SpecificCharacterSet'), # noqa
0x00080006: ('SQ', '1', "Language Code Sequence", '', 'LanguageCodeSequence'), # noqa
0x00080008: ('CS', '2-n', "Image Type", '', 'ImageType'), # noqa
0x00080010: ('SH', '1', "Recognition Code", 'Retired', 'RecognitionCode'), # noqa
0x00080012: ('DA', '1', "Instance Creation Date", '', 'InstanceCreationDate'), # noqa
0x00080013: ('TM', '1', "Instance Creation Time", '', 'InstanceCreationTime'), # noqa
0x00080014: ('UI', '1', "Instance Creator UID", '', 'InstanceCreatorUID'), # noqa
0x00080015: ('DT', '1', "Instance Coercion DateTime", '', 'InstanceCoercionDateTime'), # noqa
0x00080016: ('UI', '1', "SOP Class UID", '', 'SOPClassUID'), # noqa
0x00080018: ('UI', '1', "SOP Instance UID", '', 'SOPInstanceUID'), # noqa
0x0008001A: ('UI', '1-n', "Related General SOP Class UID", '', 'RelatedGeneralSOPClassUID'), # noqa
0x0008001B: ('UI', '1', "Original Specialized SOP Class UID", '', 'OriginalSpecializedSOPClassUID'), # noqa
0x00080020: ('DA', '1', "Study Date", '', 'StudyDate'), # noqa
0x00080021: ('DA', '1', "Series Date", '', 'SeriesDate'), # noqa
0x00080022: ('DA', '1', "Acquisition Date", '', 'AcquisitionDate'), # noqa
0x00080023: ('DA', '1', "Content Date", '', 'ContentDate'), # noqa
0x00080024: ('DA', '1', "Overlay Date", 'Retired', 'OverlayDate'), # noqa
0x00080025: ('DA', '1', "Curve Date", 'Retired', 'CurveDate'), # noqa
0x0008002A: ('DT', '1', "Acquisition DateTime", '', 'AcquisitionDateTime'), # noqa
0x00080030: ('TM', '1', "Study Time", '', 'StudyTime'), # noqa
0x00080031: ('TM', '1', "Series Time", '', 'SeriesTime'), # noqa
0x00080032: ('TM', '1', "Acquisition Time", '', 'AcquisitionTime'), # noqa
0x00080033: ('TM', '1', "Content Time", '', 'ContentTime'), # noqa
0x00080034: ('TM', '1', "Overlay Time", 'Retired', 'OverlayTime'), # noqa
0x00080035: ('TM', '1', "Curve Time", 'Retired', 'CurveTime'), # noqa
0x00080040: ('US', '1', "Data Set Type", 'Retired', 'DataSetType'), # noqa
0x00080041: ('LO', '1', "Data Set Subtype", 'Retired', 'DataSetSubtype'), # noqa
0x00080042: ('CS', '1', "Nuclear Medicine Series Type", 'Retired', 'NuclearMedicineSeriesType'), # noqa
0x00080050: ('SH', '1', "Accession Number", '', 'AccessionNumber'), # noqa
0x00080051: ('SQ', '1', "Issuer of Accession Number Sequence", '', 'IssuerOfAccessionNumberSequence'), # noqa
0x00080052: ('CS', '1', "Query/Retrieve Level", '', 'QueryRetrieveLevel'), # noqa
0x00080053: ('CS', '1', "Query/Retrieve View", '', 'QueryRetrieveView'), # noqa
0x00080054: ('AE', '1-n', "Retrieve AE Title", '', 'RetrieveAETitle'), # noqa
0x00080055: ('AE', '1', "Station AE Title", '', 'StationAETitle'), # noqa
0x00080056: ('CS', '1', "Instance Availability", '', 'InstanceAvailability'), # noqa
0x00080058: ('UI', '1-n', "Failed SOP Instance UID List", '', 'FailedSOPInstanceUIDList'), # noqa
0x00080060: ('CS', '1', "Modality", '', 'Modality'), # noqa
0x00080061: ('CS', '1-n', "Modalities in Study", '', 'ModalitiesInStudy'), # noqa
0x00080062: ('UI', '1-n', "SOP Classes in Study", '', 'SOPClassesInStudy'), # noqa
0x00080063: ('SQ', '1', "Anatomic Regions in Study Code Sequence", '', 'AnatomicRegionsInStudyCodeSequence'), # noqa
0x00080064: ('CS', '1', "Conversion Type", '', 'ConversionType'), # noqa
0x00080068: ('CS', '1', "Presentation Intent Type", '', 'PresentationIntentType'), # noqa
0x00080070: ('LO', '1', "Manufacturer", '', 'Manufacturer'), # noqa
0x00080080: ('LO', '1', "Institution Name", '', 'InstitutionName'), # noqa
0x00080081: ('ST', '1', "Institution Address", '', 'InstitutionAddress'), # noqa
0x00080082: ('SQ', '1', "Institution Code Sequence", '', 'InstitutionCodeSequence'), # noqa
0x00080090: ('PN', '1', "Referring Physician's Name", '', 'ReferringPhysicianName'), # noqa
0x00080092: ('ST', '1', "Referring Physician's Address", '', 'ReferringPhysicianAddress'), # noqa
0x00080094: ('SH', '1-n', "Referring Physician's Telephone Numbers", '', 'ReferringPhysicianTelephoneNumbers'), # noqa
0x00080096: ('SQ', '1', "Referring Physician Identification Sequence", '', 'ReferringPhysicianIdentificationSequence'), # noqa
0x0008009C: ('PN', '1-n', "Consulting Physician's Name", '', 'ConsultingPhysicianName'), # noqa
0x0008009D: ('SQ', '1', "Consulting Physician Identification Sequence", '', 'ConsultingPhysicianIdentificationSequence'), # noqa
0x00080100: ('SH', '1', "Code Value", '', 'CodeValue'), # noqa
0x00080101: ('LO', '1', "Extended Code Value", '', 'ExtendedCodeValue'), # noqa
0x00080102: ('SH', '1', "Coding Scheme Designator", '', 'CodingSchemeDesignator'), # noqa
0x00080103: ('SH', '1', "Coding Scheme Version", '', 'CodingSchemeVersion'), # noqa
0x00080104: ('LO', '1', "Code Meaning", '', 'CodeMeaning'), # noqa
0x00080105: ('CS', '1', "Mapping Resource", '', 'MappingResource'), # noqa
0x00080106: ('DT', '1', "Context Group Version", '', 'ContextGroupVersion'), # noqa
0x00080107: ('DT', '1', "Context Group Local Version", '', 'ContextGroupLocalVersion'), # noqa
0x00080108: ('LT', '1', "Extended Code Meaning", '', 'ExtendedCodeMeaning'), # noqa
0x00080109: ('SQ', '1', "Coding Scheme Resources Sequence", '', 'CodingSchemeResourcesSequence'), # noqa
0x0008010A: ('CS', '1', "Coding Scheme URL Type", '', 'CodingSchemeURLType'), # noqa
0x0008010B: ('CS', '1', "Context Group Extension Flag", '', 'ContextGroupExtensionFlag'), # noqa
0x0008010C: ('UI', '1', "Coding Scheme UID", '', 'CodingSchemeUID'), # noqa
0x0008010D: ('UI', '1', "Context Group Extension Creator UID", '', 'ContextGroupExtensionCreatorUID'), # noqa
0x0008010E: ('UR', '1', "Coding Scheme URL", '', 'CodingSchemeURL'), # noqa
0x0008010F: ('CS', '1', "Context Identifier", '', 'ContextIdentifier'), # noqa
0x00080110: ('SQ', '1', "Coding Scheme Identification Sequence", '', 'CodingSchemeIdentificationSequence'), # noqa
0x00080112: ('LO', '1', "Coding Scheme Registry", '', 'CodingSchemeRegistry'), # noqa
0x00080114: ('ST', '1', "Coding Scheme External ID", '', 'CodingSchemeExternalID'), # noqa
0x00080115: ('ST', '1', "Coding Scheme Name", '', 'CodingSchemeName'), # noqa
0x00080116: ('ST', '1', "Coding Scheme Responsible Organization", '', 'CodingSchemeResponsibleOrganization'), # noqa
0x00080117: ('UI', '1', "Context UID", '', 'ContextUID'), # noqa
0x00080118: ('UI', '1', "Mapping Resource UID", '', 'MappingResourceUID'), # noqa
0x00080119: ('UC', '1', "Long Code Value", '', 'LongCodeValue'), # noqa
0x00080120: ('UR', '1', "URN Code Value", '', 'URNCodeValue'), # noqa
0x00080121: ('SQ', '1', "Equivalent Code Sequence", '', 'EquivalentCodeSequence'), # noqa
0x00080122: ('LO', '1', "Mapping Resource Name", '', 'MappingResourceName'), # noqa
0x00080123: ('SQ', '1', "Context Group Identification Sequence", '', 'ContextGroupIdentificationSequence'), # noqa
0x00080124: ('SQ', '1', "Mapping Resource Identification Sequence", '', 'MappingResourceIdentificationSequence'), # noqa
0x00080201: ('SH', '1', "Timezone Offset From UTC", '', 'TimezoneOffsetFromUTC'), # noqa
0x00080220: ('SQ', '1', "Responsible Group Code Sequence", '', 'ResponsibleGroupCodeSequence'), # noqa
0x00080221: ('CS', '1', "Equipment Modality", '', 'EquipmentModality'), # noqa
0x00080222: ('LO', '1', "Manufacturer's Related Model Group", '', 'ManufacturerRelatedModelGroup'), # noqa
0x00080300: ('SQ', '1', "Private Data Element Characteristics Sequence", '', 'PrivateDataElementCharacteristicsSequence'), # noqa
0x00080301: ('US', '1', "Private Group Reference", '', 'PrivateGroupReference'), # noqa
0x00080302: ('LO', '1', "Private Creator Reference", '', 'PrivateCreatorReference'), # noqa
0x00080303: ('CS', '1', "Block Identifying Information Status", '', 'BlockIdentifyingInformationStatus'), # noqa
0x00080304: ('US', '1-n', "Nonidentifying Private Elements", '', 'NonidentifyingPrivateElements'), # noqa
0x00080305: ('SQ', '1', "Deidentification Action Sequence", '', 'DeidentificationActionSequence'), # noqa
0x00080306: ('US', '1-n', "Identifying Private Elements", '', 'IdentifyingPrivateElements'), # noqa
0x00080307: ('CS', '1', "Deidentification Action", '', 'DeidentificationAction'), # noqa
0x00080308: ('US', '1', "Private Data Element", '', 'PrivateDataElement'), # noqa
0x00080309: ('UL', '1-3', "Private Data Element Value Multiplicity", '', 'PrivateDataElementValueMultiplicity'), # noqa
0x0008030A: ('CS', '1', "Private Data Element Value Representation", '', 'PrivateDataElementValueRepresentation'), # noqa
0x0008030B: ('UL', '1-2', "Private Data Element Number of Items", '', 'PrivateDataElementNumberOfItems'), # noqa
0x0008030C: ('UC', '1', "Private Data Element Name", '', 'PrivateDataElementName'), # noqa
0x0008030D: ('UC', '1', "Private Data Element Keyword", '', 'PrivateDataElementKeyword'), # noqa
0x0008030E: ('UT', '1', "Private Data Element Description", '', 'PrivateDataElementDescription'), # noqa
0x0008030F: ('UT', '1', "Private Data Element Encoding", '', 'PrivateDataElementEncoding'), # noqa
0x00080310: ('SQ', '1', "Private Data Element Definition Sequence", '', 'PrivateDataElementDefinitionSequence'), # noqa
0x00081000: ('AE', '1', "Network ID", 'Retired', 'NetworkID'), # noqa
0x00081010: ('SH', '1', "Station Name", '', 'StationName'), # noqa
0x00081030: ('LO', '1', "Study Description", '', 'StudyDescription'), # noqa
0x00081032: ('SQ', '1', "Procedure Code Sequence", '', 'ProcedureCodeSequence'), # noqa
0x0008103E: ('LO', '1', "Series Description", '', 'SeriesDescription'), # noqa
0x0008103F: ('SQ', '1', "Series Description Code Sequence", '', 'SeriesDescriptionCodeSequence'), # noqa
0x00081040: ('LO', '1', "Institutional Department Name", '', 'InstitutionalDepartmentName'), # noqa
0x00081041: ('SQ', '1', "Institutional Department Type Code Sequence", '', 'InstitutionalDepartmentTypeCodeSequence'), # noqa
0x00081048: ('PN', '1-n', "Physician(s) of Record", '', 'PhysiciansOfRecord'), # noqa
0x00081049: ('SQ', '1', "Physician(s) of Record Identification Sequence", '', 'PhysiciansOfRecordIdentificationSequence'), # noqa
0x00081050: ('PN', '1-n', "Performing Physician's Name", '', 'PerformingPhysicianName'), # noqa
0x00081052: ('SQ', '1', "Performing Physician Identification Sequence", '', 'PerformingPhysicianIdentificationSequence'), # noqa
0x00081060: ('PN', '1-n', "Name of Physician(s) Reading Study", '', 'NameOfPhysiciansReadingStudy'), # noqa
0x00081062: ('SQ', '1', "Physician(s) Reading Study Identification Sequence", '', 'PhysiciansReadingStudyIdentificationSequence'), # noqa
0x00081070: ('PN', '1-n', "Operators' Name", '', 'OperatorsName'), # noqa
0x00081072: ('SQ', '1', "Operator Identification Sequence", '', 'OperatorIdentificationSequence'), # noqa
0x00081080: ('LO', '1-n', "Admitting Diagnoses Description", '', 'AdmittingDiagnosesDescription'), # noqa
0x00081084: ('SQ', '1', "Admitting Diagnoses Code Sequence", '', 'AdmittingDiagnosesCodeSequence'), # noqa
0x00081090: ('LO', '1', "Manufacturer's Model Name", '', 'ManufacturerModelName'), # noqa
0x00081100: ('SQ', '1', "Referenced Results Sequence", 'Retired', 'ReferencedResultsSequence'), # noqa
0x00081110: ('SQ', '1', "Referenced Study Sequence", '', 'ReferencedStudySequence'), # noqa
0x00081111: ('SQ', '1', "Referenced Performed Procedure Step Sequence", '', 'ReferencedPerformedProcedureStepSequence'), # noqa
0x00081115: ('SQ', '1', "Referenced Series Sequence", '', 'ReferencedSeriesSequence'), # noqa
0x00081120: ('SQ', '1', "Referenced Patient Sequence", '', 'ReferencedPatientSequence'), # noqa
0x00081125: ('SQ', '1', "Referenced Visit Sequence", '', 'ReferencedVisitSequence'), # noqa
0x00081130: ('SQ', '1', "Referenced Overlay Sequence", 'Retired', 'ReferencedOverlaySequence'), # noqa
0x00081134: ('SQ', '1', "Referenced Stereometric Instance Sequence", '', 'ReferencedStereometricInstanceSequence'), # noqa
0x0008113A: ('SQ', '1', "Referenced Waveform Sequence", '', 'ReferencedWaveformSequence'), # noqa
0x00081140: ('SQ', '1', "Referenced Image Sequence", '', 'ReferencedImageSequence'), # noqa
0x00081145: ('SQ', '1', "Referenced Curve Sequence", 'Retired', 'ReferencedCurveSequence'), # noqa
0x0008114A: ('SQ', '1', "Referenced Instance Sequence", '', 'ReferencedInstanceSequence'), # noqa
0x0008114B: ('SQ', '1', "Referenced Real World Value Mapping Instance Sequence", '', 'ReferencedRealWorldValueMappingInstanceSequence'), # noqa
0x00081150: ('UI', '1', "Referenced SOP Class UID", '', 'ReferencedSOPClassUID'), # noqa
0x00081155: ('UI', '1', "Referenced SOP Instance UID", '', 'ReferencedSOPInstanceUID'), # noqa
0x00081156: ('SQ', '1', "Definition Source Sequence", '', 'DefinitionSourceSequence'), # noqa
0x0008115A: ('UI', '1-n', "SOP Classes Supported", '', 'SOPClassesSupported'), # noqa
0x00081160: ('IS', '1-n', "Referenced Frame Number", '', 'ReferencedFrameNumber'), # noqa
0x00081161: ('UL', '1-n', "Simple Frame List", '', 'SimpleFrameList'), # noqa
0x00081162: ('UL', '3-3n', "Calculated Frame List", '', 'CalculatedFrameList'), # noqa
0x00081163: ('FD', '2', "Time Range", '', 'TimeRange'), # noqa
0x00081164: ('SQ', '1', "Frame Extraction Sequence", '', 'FrameExtractionSequence'), # noqa
0x00081167: ('UI', '1', "Multi-frame Source SOP Instance UID", '', 'MultiFrameSourceSOPInstanceUID'), # noqa
0x00081190: ('UR', '1', "Retrieve URL", '', 'RetrieveURL'), # noqa
0x00081195: ('UI', '1', "Transaction UID", '', 'TransactionUID'), # noqa
0x00081196: ('US', '1', "Warning Reason", '', 'WarningReason'), # noqa
0x00081197: ('US', '1', "Failure Reason", '', 'FailureReason'), # noqa
0x00081198: ('SQ', '1', "Failed SOP Sequence", '', 'FailedSOPSequence'), # noqa
0x00081199: ('SQ', '1', "Referenced SOP Sequence", '', 'ReferencedSOPSequence'), # noqa
0x0008119A: ('SQ', '1', "Other Failures Sequence", '', 'OtherFailuresSequence'), # noqa
0x00081200: ('SQ', '1', "Studies Containing Other Referenced Instances Sequence", '', 'StudiesContainingOtherReferencedInstancesSequence'), # noqa
0x00081250: ('SQ', '1', "Related Series Sequence", '', 'RelatedSeriesSequence'), # noqa
0x00082110: ('CS', '1', "Lossy Image Compression (Retired)", 'Retired', 'LossyImageCompressionRetired'), # noqa
0x00082111: ('ST', '1', "Derivation Description", '', 'DerivationDescription'), # noqa
0x00082112: ('SQ', '1', "Source Image Sequence", '', 'SourceImageSequence'), # noqa
0x00082120: ('SH', '1', "Stage Name", '', 'StageName'), # noqa
0x00082122: ('IS', '1', "Stage Number", '', 'StageNumber'), # noqa
0x00082124: ('IS', '1', "Number of Stages", '', 'NumberOfStages'), # noqa
0x00082127: ('SH', '1', "View Name", '', 'ViewName'), # noqa
0x00082128: ('IS', '1', "View Number", '', 'ViewNumber'), # noqa
0x00082129: ('IS', '1', "Number of Event Timers", '', 'NumberOfEventTimers'), # noqa
0x0008212A: ('IS', '1', "Number of Views in Stage", '', 'NumberOfViewsInStage'), # noqa
0x00082130: ('DS', '1-n', "Event Elapsed Time(s)", '', 'EventElapsedTimes'), # noqa
0x00082132: ('LO', '1-n', "Event Timer Name(s)", '', 'EventTimerNames'), # noqa
0x00082133: ('SQ', '1', "Event Timer Sequence", '', 'EventTimerSequence'), # noqa
0x00082134: ('FD', '1', "Event Time Offset", '', 'EventTimeOffset'), # noqa
0x00082135: ('SQ', '1', "Event Code Sequence", '', 'EventCodeSequence'), # noqa
0x00082142: ('IS', '1', "Start Trim", '', 'StartTrim'), # noqa
0x00082143: ('IS', '1', "Stop Trim", '', 'StopTrim'), # noqa
0x00082144: ('IS', '1', "Recommended Display Frame Rate", '', 'RecommendedDisplayFrameRate'), # noqa
0x00082200: ('CS', '1', "Transducer Position", 'Retired', 'TransducerPosition'), # noqa
0x00082204: ('CS', '1', "Transducer Orientation", 'Retired', 'TransducerOrientation'), # noqa
0x00082208: ('CS', '1', "Anatomic Structure", 'Retired', 'AnatomicStructure'), # noqa
0x00082218: ('SQ', '1', "Anatomic Region Sequence", '', 'AnatomicRegionSequence'), # noqa
0x00082220: ('SQ', '1', "Anatomic Region Modifier Sequence", '', 'AnatomicRegionModifierSequence'), # noqa
0x00082228: ('SQ', '1', "Primary Anatomic Structure Sequence", '', 'PrimaryAnatomicStructureSequence'), # noqa
0x00082229: ('SQ', '1', "Anatomic Structure, Space or Region Sequence", 'Retired', 'AnatomicStructureSpaceOrRegionSequence'), # noqa
0x00082230: ('SQ', '1', "Primary Anatomic Structure Modifier Sequence", '', 'PrimaryAnatomicStructureModifierSequence'), # noqa
0x00082240: ('SQ', '1', "Transducer Position Sequence", 'Retired', 'TransducerPositionSequence'), # noqa
0x00082242: ('SQ', '1', "Transducer Position Modifier Sequence", 'Retired', 'TransducerPositionModifierSequence'), # noqa
0x00082244: ('SQ', '1', "Transducer Orientation Sequence", 'Retired', 'TransducerOrientationSequence'), # noqa
0x00082246: ('SQ', '1', "Transducer Orientation Modifier Sequence", 'Retired', 'TransducerOrientationModifierSequence'), # noqa
0x00082251: ('SQ', '1', "Anatomic Structure Space Or Region Code Sequence (Trial)", 'Retired', 'AnatomicStructureSpaceOrRegionCodeSequenceTrial'), # noqa
0x00082253: ('SQ', '1', "Anatomic Portal Of Entrance Code Sequence (Trial)", 'Retired', 'AnatomicPortalOfEntranceCodeSequenceTrial'), # noqa
0x00082255: ('SQ', '1', "Anatomic Approach Direction Code Sequence (Trial)", 'Retired', 'AnatomicApproachDirectionCodeSequenceTrial'), # noqa
0x00082256: ('ST', '1', "Anatomic Perspective Description (Trial)", 'Retired', 'AnatomicPerspectiveDescriptionTrial'), # noqa
0x00082257: ('SQ', '1', "Anatomic Perspective Code Sequence (Trial)", 'Retired', 'AnatomicPerspectiveCodeSequenceTrial'), # noqa
0x00082258: ('ST', '1', "Anatomic Location Of Examining Instrument Description (Trial)", 'Retired', 'AnatomicLocationOfExaminingInstrumentDescriptionTrial'), # noqa
0x00082259: ('SQ', '1', "Anatomic Location Of Examining Instrument Code Sequence (Trial)", 'Retired', 'AnatomicLocationOfExaminingInstrumentCodeSequenceTrial'), # noqa
0x0008225A: ('SQ', '1', "Anatomic Structure Space Or Region Modifier Code Sequence (Trial)", 'Retired', 'AnatomicStructureSpaceOrRegionModifierCodeSequenceTrial'), # noqa
0x0008225C: ('SQ', '1', "On Axis Background Anatomic Structure Code Sequence (Trial)", 'Retired', 'OnAxisBackgroundAnatomicStructureCodeSequenceTrial'), # noqa
0x00083001: ('SQ', '1', "Alternate Representation Sequence", '', 'AlternateRepresentationSequence'), # noqa
0x00083002: ('UI', '1-n', "Available Transfer Syntax UID", '', 'AvailableTransferSyntaxUID'), # noqa
0x00083010: ('UI', '1-n', "Irradiation Event UID", '', 'IrradiationEventUID'), # noqa
0x00083011: ('SQ', '1', "Source Irradiation Event Sequence", '', 'SourceIrradiationEventSequence'), # noqa
0x00083012: ('UI', '1', "Radiopharmaceutical Administration Event UID", '', 'RadiopharmaceuticalAdministrationEventUID'), # noqa
0x00084000: ('LT', '1', "Identifying Comments", 'Retired', 'IdentifyingComments'), # noqa
0x00089007: ('CS', '4', "Frame Type", '', 'FrameType'), # noqa
0x00089092: ('SQ', '1', "Referenced Image Evidence Sequence", '', 'ReferencedImageEvidenceSequence'), # noqa
0x00089121: ('SQ', '1', "Referenced Raw Data Sequence", '', 'ReferencedRawDataSequence'), # noqa
0x00089123: ('UI', '1', "Creator-Version UID", '', 'CreatorVersionUID'), # noqa
0x00089124: ('SQ', '1', "Derivation Image Sequence", '', 'DerivationImageSequence'), # noqa
0x00089154: ('SQ', '1', "Source Image Evidence Sequence", '', 'SourceImageEvidenceSequence'), # noqa
0x00089205: ('CS', '1', "Pixel Presentation", '', 'PixelPresentation'), # noqa
0x00089206: ('CS', '1', "Volumetric Properties", '', 'VolumetricProperties'), # noqa
0x00089207: ('CS', '1', "Volume Based Calculation Technique", '', 'VolumeBasedCalculationTechnique'), # noqa
0x00089208: ('CS', '1', "Complex Image Component", '', 'ComplexImageComponent'), # noqa
0x00089209: ('CS', '1', "Acquisition Contrast", '', 'AcquisitionContrast'), # noqa
0x00089215: ('SQ', '1', "Derivation Code Sequence", '', 'DerivationCodeSequence'), # noqa
0x00089237: ('SQ', '1', "Referenced Presentation State Sequence", '', 'ReferencedPresentationStateSequence'), # noqa
0x00089410: ('SQ', '1', "Referenced Other Plane Sequence", '', 'ReferencedOtherPlaneSequence'), # noqa
0x00089458: ('SQ', '1', "Frame Display Sequence", '', 'FrameDisplaySequence'), # noqa
0x00089459: ('FL', '1', "Recommended Display Frame Rate in Float", '', 'RecommendedDisplayFrameRateInFloat'), # noqa
0x00089460: ('CS', '1', "Skip Frame Range Flag", '', 'SkipFrameRangeFlag'), # noqa
0x00100010: ('PN', '1', "Patient's Name", '', 'PatientName'), # noqa
0x00100020: ('LO', '1', "Patient ID", '', 'PatientID'), # noqa
0x00100021: ('LO', '1', "Issuer of Patient ID", '', 'IssuerOfPatientID'), # noqa
0x00100022: ('CS', '1', "Type of Patient ID", '', 'TypeOfPatientID'), # noqa
0x00100024: ('SQ', '1', "Issuer of Patient ID Qualifiers Sequence", '', 'IssuerOfPatientIDQualifiersSequence'), # noqa
0x00100026: ('SQ', '1', "Source Patient Group Identification Sequence", '', 'SourcePatientGroupIdentificationSequence'), # noqa
0x00100027: ('SQ', '1', "Group of Patients Identification Sequence", '', 'GroupOfPatientsIdentificationSequence'), # noqa
0x00100028: ('US', '3', "Subject Relative Position in Image", '', 'SubjectRelativePositionInImage'), # noqa
0x00100030: ('DA', '1', "Patient's Birth Date", '', 'PatientBirthDate'), # noqa
0x00100032: ('TM', '1', "Patient's Birth Time", '', 'PatientBirthTime'), # noqa
0x00100033: ('LO', '1', "Patient's Birth Date in Alternative Calendar", '', 'PatientBirthDateInAlternativeCalendar'), # noqa
0x00100034: ('LO', '1', "Patient's Death Date in Alternative Calendar", '', 'PatientDeathDateInAlternativeCalendar'), # noqa
0x00100035: ('CS', '1', "Patient's Alternative Calendar", '', 'PatientAlternativeCalendar'), # noqa
0x00100040: ('CS', '1', "Patient's Sex", '', 'PatientSex'), # noqa
0x00100050: ('SQ', '1', "Patient's Insurance Plan Code Sequence", '', 'PatientInsurancePlanCodeSequence'), # noqa
0x00100101: ('SQ', '1', "Patient's Primary Language Code Sequence", '', 'PatientPrimaryLanguageCodeSequence'), # noqa
0x00100102: ('SQ', '1', "Patient's Primary Language Modifier Code Sequence", '', 'PatientPrimaryLanguageModifierCodeSequence'), # noqa
0x00100200: ('CS', '1', "Quality Control Subject", '', 'QualityControlSubject'), # noqa
0x00100201: ('SQ', '1', "Quality Control Subject Type Code Sequence", '', 'QualityControlSubjectTypeCodeSequence'), # noqa
0x00100212: ('UC', '1', "Strain Description", '', 'StrainDescription'), # noqa
0x00100213: ('LO', '1', "Strain Nomenclature", '', 'StrainNomenclature'), # noqa
0x00100214: ('LO', '1', "Strain Stock Number", '', 'StrainStockNumber'), # noqa
0x00100215: ('SQ', '1', "Strain Source Registry Code Sequence", '', 'StrainSourceRegistryCodeSequence'), # noqa
0x00100216: ('SQ', '1', "Strain Stock Sequence", '', 'StrainStockSequence'), # noqa
0x00100217: ('LO', '1', "Strain Source", '', 'StrainSource'), # noqa
0x00100218: ('UT', '1', "Strain Additional Information", '', 'StrainAdditionalInformation'), # noqa
0x00100219: ('SQ', '1', "Strain Code Sequence", '', 'StrainCodeSequence'), # noqa
0x00100221: ('SQ', '1', "Genetic Modifications Sequence", '', 'GeneticModificationsSequence'), # noqa
0x00100222: ('UC', '1', "Genetic Modifications Description", '', 'GeneticModificationsDescription'), # noqa
0x00100223: ('LO', '1', "Genetic Modifications Nomenclature", '', 'GeneticModificationsNomenclature'), # noqa
0x00100229: ('SQ', '1', "Genetic Modifications Code Sequence", '', 'GeneticModificationsCodeSequence'), # noqa
0x00101000: ('LO', '1-n', "Other Patient IDs", 'Retired', 'OtherPatientIDs'), # noqa
0x00101001: ('PN', '1-n', "Other Patient Names", '', 'OtherPatientNames'), # noqa
0x00101002: ('SQ', '1', "Other Patient IDs Sequence", '', 'OtherPatientIDsSequence'), # noqa
0x00101005: ('PN', '1', "Patient's Birth Name", '', 'PatientBirthName'), # noqa
0x00101010: ('AS', '1', "Patient's Age", '', 'PatientAge'), # noqa
0x00101020: ('DS', '1', "Patient's Size", '', 'PatientSize'), # noqa
0x00101021: ('SQ', '1', "Patient's Size Code Sequence", '', 'PatientSizeCodeSequence'), # noqa
0x00101022: ('DS', '1', "Patient's Body Mass Index", '', 'PatientBodyMassIndex'), # noqa
0x00101023: ('DS', '1', "Measured AP Dimension", '', 'MeasuredAPDimension'), # noqa
0x00101024: ('DS', '1', "Measured Lateral Dimension", '', 'MeasuredLateralDimension'), # noqa
0x00101030: ('DS', '1', "Patient's Weight", '', 'PatientWeight'), # noqa
0x00101040: ('LO', '1', "Patient's Address", '', 'PatientAddress'), # noqa
0x00101050: ('LO', '1-n', "Insurance Plan Identification", 'Retired', 'InsurancePlanIdentification'), # noqa
0x00101060: ('PN', '1', "Patient's Mother's Birth Name", '', 'PatientMotherBirthName'), # noqa
0x00101080: ('LO', '1', "Military Rank", '', 'MilitaryRank'), # noqa
0x00101081: ('LO', '1', "Branch of Service", '', 'BranchOfService'), # noqa
0x00101090: ('LO', '1', "Medical Record Locator", 'Retired', 'MedicalRecordLocator'), # noqa
0x00101100: ('SQ', '1', "Referenced Patient Photo Sequence", '', 'ReferencedPatientPhotoSequence'), # noqa
0x00102000: ('LO', '1-n', "Medical Alerts", '', 'MedicalAlerts'), # noqa
0x00102110: ('LO', '1-n', "Allergies", '', 'Allergies'), # noqa
0x00102150: ('LO', '1', "Country of Residence", '', 'CountryOfResidence'), # noqa
0x00102152: ('LO', '1', "Region of Residence", '', 'RegionOfResidence'), # noqa
0x00102154: ('SH', '1-n', "Patient's Telephone Numbers", '', 'PatientTelephoneNumbers'), # noqa
0x00102155: ('LT', '1', "Patient's Telecom Information", '', 'PatientTelecomInformation'), # noqa
0x00102160: ('SH', '1', "Ethnic Group", '', 'EthnicGroup'), # noqa
0x00102180: ('SH', '1', "Occupation", '', 'Occupation'), # noqa
0x001021A0: ('CS', '1', "Smoking Status", '', 'SmokingStatus'), # noqa
0x001021B0: ('LT', '1', "Additional Patient History", '', 'AdditionalPatientHistory'), # noqa
0x001021C0: ('US', '1', "Pregnancy Status", '', 'PregnancyStatus'), # noqa
0x001021D0: ('DA', '1', "Last Menstrual Date", '', 'LastMenstrualDate'), # noqa
0x001021F0: ('LO', '1', "Patient's Religious Preference", '', 'PatientReligiousPreference'), # noqa
0x00102201: ('LO', '1', "Patient Species Description", '', 'PatientSpeciesDescription'), # noqa
0x00102202: ('SQ', '1', "Patient Species Code Sequence", '', 'PatientSpeciesCodeSequence'), # noqa
0x00102203: ('CS', '1', "Patient's Sex Neutered", '', 'PatientSexNeutered'), # noqa
0x00102210: ('CS', '1', "Anatomical Orientation Type", '', 'AnatomicalOrientationType'), # noqa
0x00102292: ('LO', '1', "Patient Breed Description", '', 'PatientBreedDescription'), # noqa
0x00102293: ('SQ', '1', "Patient Breed Code Sequence", '', 'PatientBreedCodeSequence'), # noqa
0x00102294: ('SQ', '1', "Breed Registration Sequence", '', 'BreedRegistrationSequence'), # noqa
0x00102295: ('LO', '1', "Breed Registration Number", '', 'BreedRegistrationNumber'), # noqa
0x00102296: ('SQ', '1', "Breed Registry Code Sequence", '', 'BreedRegistryCodeSequence'), # noqa
0x00102297: ('PN', '1', "Responsible Person", '', 'ResponsiblePerson'), # noqa
0x00102298: ('CS', '1', "Responsible Person Role", '', 'ResponsiblePersonRole'), # noqa
0x00102299: ('LO', '1', "Responsible Organization", '', 'ResponsibleOrganization'), # noqa
0x00104000: ('LT', '1', "Patient Comments", '', 'PatientComments'), # noqa
0x00109431: ('FL', '1', "Examined Body Thickness", '', 'ExaminedBodyThickness'), # noqa
0x00120010: ('LO', '1', "Clinical Trial Sponsor Name", '', 'ClinicalTrialSponsorName'), # noqa
0x00120020: ('LO', '1', "Clinical Trial Protocol ID", '', 'ClinicalTrialProtocolID'), # noqa
0x00120021: ('LO', '1', "Clinical Trial Protocol Name", '', 'ClinicalTrialProtocolName'), # noqa
0x00120030: ('LO', '1', "Clinical Trial Site ID", '', 'ClinicalTrialSiteID'), # noqa
0x00120031: ('LO', '1', "Clinical Trial Site Name", '', 'ClinicalTrialSiteName'), # noqa
0x00120040: ('LO', '1', "Clinical Trial Subject ID", '', 'ClinicalTrialSubjectID'), # noqa
0x00120042: ('LO', '1', "Clinical Trial Subject Reading ID", '', 'ClinicalTrialSubjectReadingID'), # noqa
0x00120050: ('LO', '1', "Clinical Trial Time Point ID", '', 'ClinicalTrialTimePointID'), # noqa
0x00120051: ('ST', '1', "Clinical Trial Time Point Description", '', 'ClinicalTrialTimePointDescription'), # noqa
0x00120052: ('FD', '1', "Longitudinal Temporal Offset from Event", '', 'LongitudinalTemporalOffsetFromEvent'), # noqa
0x00120053: ('CS', '1', "Longitudinal Temporal Event Type", '', 'LongitudinalTemporalEventType'), # noqa
0x00120060: ('LO', '1', "Clinical Trial Coordinating Center Name", '', 'ClinicalTrialCoordinatingCenterName'), # noqa
0x00120062: ('CS', '1', "Patient Identity Removed", '', 'PatientIdentityRemoved'), # noqa
0x00120063: ('LO', '1-n', "De-identification Method", '', 'DeidentificationMethod'), # noqa
0x00120064: ('SQ', '1', "De-identification Method Code Sequence", '', 'DeidentificationMethodCodeSequence'), # noqa
0x00120071: ('LO', '1', "Clinical Trial Series ID", '', 'ClinicalTrialSeriesID'), # noqa
0x00120072: ('LO', '1', "Clinical Trial Series Description", '', 'ClinicalTrialSeriesDescription'), # noqa
0x00120081: ('LO', '1', "Clinical Trial Protocol Ethics Committee Name", '', 'ClinicalTrialProtocolEthicsCommitteeName'), # noqa
0x00120082: ('LO', '1', "Clinical Trial Protocol Ethics Committee Approval Number", '', 'ClinicalTrialProtocolEthicsCommitteeApprovalNumber'), # noqa
0x00120083: ('SQ', '1', "Consent for Clinical Trial Use Sequence", '', 'ConsentForClinicalTrialUseSequence'), # noqa
0x00120084: ('CS', '1', "Distribution Type", '', 'DistributionType'), # noqa
0x00120085: ('CS', '1', "Consent for Distribution Flag", '', 'ConsentForDistributionFlag'), # noqa
0x00120086: ('DA', '1', "Ethics Committee Approval Effectiveness Start Date", '', 'EthicsCommitteeApprovalEffectivenessStartDate'), # noqa
0x00120087: ('DA', '1', "Ethics Committee Approval Effectiveness End Date", '', 'EthicsCommitteeApprovalEffectivenessEndDate'), # noqa
0x00140023: ('ST', '1', "CAD File Format", 'Retired', 'CADFileFormat'), # noqa
0x00140024: ('ST', '1', "Component Reference System", 'Retired', 'ComponentReferenceSystem'), # noqa
0x00140025: ('ST', '1', "Component Manufacturing Procedure", '', 'ComponentManufacturingProcedure'), # noqa
0x00140028: ('ST', '1', "Component Manufacturer", '', 'ComponentManufacturer'), # noqa
0x00140030: ('DS', '1-n', "Material Thickness", '', 'MaterialThickness'), # noqa
0x00140032: ('DS', '1-n', "Material Pipe Diameter", '', 'MaterialPipeDiameter'), # noqa
0x00140034: ('DS', '1-n', "Material Isolation Diameter", '', 'MaterialIsolationDiameter'), # noqa
0x00140042: ('ST', '1', "Material Grade", '', 'MaterialGrade'), # noqa
0x00140044: ('ST', '1', "Material Properties Description", '', 'MaterialPropertiesDescription'), # noqa
0x00140045: ('ST', '1', "Material Properties File Format (Retired)", 'Retired', 'MaterialPropertiesFileFormatRetired'), # noqa
0x00140046: ('LT', '1', "Material Notes", '', 'MaterialNotes'), # noqa
0x00140050: ('CS', '1', "Component Shape", '', 'ComponentShape'), # noqa
0x00140052: ('CS', '1', "Curvature Type", '', 'CurvatureType'), # noqa
0x00140054: ('DS', '1', "Outer Diameter", '', 'OuterDiameter'), # noqa
0x00140056: ('DS', '1', "Inner Diameter", '', 'InnerDiameter'), # noqa
0x00140100: ('LO', '1-n', "Component Welder IDs", '', 'ComponentWelderIDs'), # noqa
0x00140101: ('CS', '1', "Secondary Approval Status", '', 'SecondaryApprovalStatus'), # noqa
0x00140102: ('DA', '1', "Secondary Review Date", '', 'SecondaryReviewDate'), # noqa
0x00140103: ('TM', '1', "Secondary Review Time", '', 'SecondaryReviewTime'), # noqa
0x00140104: ('PN', '1', "Secondary Reviewer Name", '', 'SecondaryReviewerName'), # noqa
0x00140105: ('ST', '1', "Repair ID", '', 'RepairID'), # noqa
0x00140106: ('SQ', '1', "Multiple Component Approval Sequence", '', 'MultipleComponentApprovalSequence'), # noqa
0x00140107: ('CS', '1-n', "Other Approval Status", '', 'OtherApprovalStatus'), # noqa
0x00140108: ('CS', '1-n', "Other Secondary Approval Status", '', 'OtherSecondaryApprovalStatus'), # noqa
0x00141010: ('ST', '1', "Actual Environmental Conditions", '', 'ActualEnvironmentalConditions'), # noqa
0x00141020: ('DA', '1', "Expiry Date", '', 'ExpiryDate'), # noqa
0x00141040: ('ST', '1', "Environmental Conditions", '', 'EnvironmentalConditions'), # noqa
0x00142002: ('SQ', '1', "Evaluator Sequence", '', 'EvaluatorSequence'), # noqa
0x00142004: ('IS', '1', "Evaluator Number", '', 'EvaluatorNumber'), # noqa
0x00142006: ('PN', '1', "Evaluator Name", '', 'EvaluatorName'), # noqa
0x00142008: ('IS', '1', "Evaluation Attempt", '', 'EvaluationAttempt'), # noqa
0x00142012: ('SQ', '1', "Indication Sequence", '', 'IndicationSequence'), # noqa
0x00142014: ('IS', '1', "Indication Number", '', 'IndicationNumber'), # noqa
0x00142016: ('SH', '1', "Indication Label", '', 'IndicationLabel'), # noqa
0x00142018: ('ST', '1', "Indication Description", '', 'IndicationDescription'), # noqa
0x0014201A: ('CS', '1-n', "Indication Type", '', 'IndicationType'), # noqa
0x0014201C: ('CS', '1', "Indication Disposition", '', 'IndicationDisposition'), # noqa
0x0014201E: ('SQ', '1', "Indication ROI Sequence", '', 'IndicationROISequence'), # noqa
0x00142030: ('SQ', '1', "Indication Physical Property Sequence", '', 'IndicationPhysicalPropertySequence'), # noqa
0x00142032: ('SH', '1', "Property Label", '', 'PropertyLabel'), # noqa
0x00142202: ('IS', '1', "Coordinate System Number of Axes", '', 'CoordinateSystemNumberOfAxes'), # noqa
0x00142204: ('SQ', '1', "Coordinate System Axes Sequence", '', 'CoordinateSystemAxesSequence'), # noqa
0x00142206: ('ST', '1', "Coordinate System Axis Description", '', 'CoordinateSystemAxisDescription'), # noqa
0x00142208: ('CS', '1', "Coordinate System Data Set Mapping", '', 'CoordinateSystemDataSetMapping'), # noqa
0x0014220A: ('IS', '1', "Coordinate System Axis Number", '', 'CoordinateSystemAxisNumber'), # noqa
0x0014220C: ('CS', '1', "Coordinate System Axis Type", '', 'CoordinateSystemAxisType'), # noqa
0x0014220E: ('CS', '1', "Coordinate System Axis Units", '', 'CoordinateSystemAxisUnits'), # noqa
0x00142210: ('OB', '1', "Coordinate System Axis Values", '', 'CoordinateSystemAxisValues'), # noqa
0x00142220: ('SQ', '1', "Coordinate System Transform Sequence", '', 'CoordinateSystemTransformSequence'), # noqa
0x00142222: ('ST', '1', "Transform Description", '', 'TransformDescription'), # noqa
0x00142224: ('IS', '1', "Transform Number of Axes", '', 'TransformNumberOfAxes'), # noqa
0x00142226: ('IS', '1-n', "Transform Order of Axes", '', 'TransformOrderOfAxes'), # noqa
0x00142228: ('CS', '1', "Transformed Axis Units", '', 'TransformedAxisUnits'), # noqa
0x0014222A: ('DS', '1-n', "Coordinate System Transform Rotation and Scale Matrix", '', 'CoordinateSystemTransformRotationAndScaleMatrix'), # noqa
0x0014222C: ('DS', '1-n', "Coordinate System Transform Translation Matrix", '', 'CoordinateSystemTransformTranslationMatrix'), # noqa
0x00143011: ('DS', '1', "Internal Detector Frame Time", '', 'InternalDetectorFrameTime'), # noqa
0x00143012: ('DS', '1', "Number of Frames Integrated", '', 'NumberOfFramesIntegrated'), # noqa
0x00143020: ('SQ', '1', "Detector Temperature Sequence", '', 'DetectorTemperatureSequence'), # noqa
0x00143022: ('ST', '1', "Sensor Name", '', 'SensorName'), # noqa
0x00143024: ('DS', '1', "Horizontal Offset of Sensor", '', 'HorizontalOffsetOfSensor'), # noqa
0x00143026: ('DS', '1', "Vertical Offset of Sensor", '', 'VerticalOffsetOfSensor'), # noqa
0x00143028: ('DS', '1', "Sensor Temperature", '', 'SensorTemperature'), # noqa
0x00143040: ('SQ', '1', "Dark Current Sequence", '', 'DarkCurrentSequence'), # noqa
0x00143050: ('OB or OW', '1', "Dark Current Counts", '', 'DarkCurrentCounts'), # noqa
0x00143060: ('SQ', '1', "Gain Correction Reference Sequence", '', 'GainCorrectionReferenceSequence'), # noqa
0x00143070: ('OB or OW', '1', "Air Counts", '', 'AirCounts'), # noqa
0x00143071: ('DS', '1', "KV Used in Gain Calibration", '', 'KVUsedInGainCalibration'), # noqa
0x00143072: ('DS', '1', "MA Used in Gain Calibration", '', 'MAUsedInGainCalibration'), # noqa
0x00143073: ('DS', '1', "Number of Frames Used for Integration", '', 'NumberOfFramesUsedForIntegration'), # noqa
0x00143074: ('LO', '1', "Filter Material Used in Gain Calibration", '', 'FilterMaterialUsedInGainCalibration'), # noqa
0x00143075: ('DS', '1', "Filter Thickness Used in Gain Calibration", '', 'FilterThicknessUsedInGainCalibration'), # noqa
0x00143076: ('DA', '1', "Date of Gain Calibration", '', 'DateOfGainCalibration'), # noqa
0x00143077: ('TM', '1', "Time of Gain Calibration", '', 'TimeOfGainCalibration'), # noqa
0x00143080: ('OB', '1', "Bad Pixel Image", '', 'BadPixelImage'), # noqa
0x00143099: ('LT', '1', "Calibration Notes", '', 'CalibrationNotes'), # noqa
0x00144002: ('SQ', '1', "Pulser Equipment Sequence", '', 'PulserEquipmentSequence'), # noqa
0x00144004: ('CS', '1', "Pulser Type", '', 'PulserType'), # noqa
0x00144006: ('LT', '1', "Pulser Notes", '', 'PulserNotes'), # noqa
0x00144008: ('SQ', '1', "Receiver Equipment Sequence", '', 'ReceiverEquipmentSequence'), # noqa
0x0014400A: ('CS', '1', "Amplifier Type", '', 'AmplifierType'), # noqa
0x0014400C: ('LT', '1', "Receiver Notes", '', 'ReceiverNotes'), # noqa
0x0014400E: ('SQ', '1', "Pre-Amplifier Equipment Sequence", '', 'PreAmplifierEquipmentSequence'), # noqa
0x0014400F: ('LT', '1', "Pre-Amplifier Notes", '', 'PreAmplifierNotes'), # noqa
0x00144010: ('SQ', '1', "Transmit Transducer Sequence", '', 'TransmitTransducerSequence'), # noqa
0x00144011: ('SQ', '1', "Receive Transducer Sequence", '', 'ReceiveTransducerSequence'), # noqa
0x00144012: ('US', '1', "Number of Elements", '', 'NumberOfElements'), # noqa
0x00144013: ('CS', '1', "Element Shape", '', 'ElementShape'), # noqa
0x00144014: ('DS', '1', "Element Dimension A", '', 'ElementDimensionA'), # noqa
0x00144015: ('DS', '1', "Element Dimension B", '', 'ElementDimensionB'), # noqa
0x00144016: ('DS', '1', "Element Pitch A", '', 'ElementPitchA'), # noqa
0x00144017: ('DS', '1', "Measured Beam Dimension A", '', 'MeasuredBeamDimensionA'), # noqa
0x00144018: ('DS', '1', "Measured Beam Dimension B", '', 'MeasuredBeamDimensionB'), # noqa
0x00144019: ('DS', '1', "Location of Measured Beam Diameter", '', 'LocationOfMeasuredBeamDiameter'), # noqa
0x0014401A: ('DS', '1', "Nominal Frequency", '', 'NominalFrequency'), # noqa
0x0014401B: ('DS', '1', "Measured Center Frequency", '', 'MeasuredCenterFrequency'), # noqa
0x0014401C: ('DS', '1', "Measured Bandwidth", '', 'MeasuredBandwidth'), # noqa
0x0014401D: ('DS', '1', "Element Pitch B", '', 'ElementPitchB'), # noqa
0x00144020: ('SQ', '1', "Pulser Settings Sequence", '', 'PulserSettingsSequence'), # noqa
0x00144022: ('DS', '1', "Pulse Width", '', 'PulseWidth'), # noqa
0x00144024: ('DS', '1', "Excitation Frequency", '', 'ExcitationFrequency'), # noqa
0x00144026: ('CS', '1', "Modulation Type", '', 'ModulationType'), # noqa
0x00144028: ('DS', '1', "Damping", '', 'Damping'), # noqa
0x00144030: ('SQ', '1', "Receiver Settings Sequence", '', 'ReceiverSettingsSequence'), # noqa
0x00144031: ('DS', '1', "Acquired Soundpath Length", '', 'AcquiredSoundpathLength'), # noqa
0x00144032: ('CS', '1', "Acquisition Compression Type", '', 'AcquisitionCompressionType'), # noqa
0x00144033: ('IS', '1', "Acquisition Sample Size", '', 'AcquisitionSampleSize'), # noqa
0x00144034: ('DS', '1', "Rectifier Smoothing", '', 'RectifierSmoothing'), # noqa
0x00144035: ('SQ', '1', "DAC Sequence", '', 'DACSequence'), # noqa
0x00144036: ('CS', '1', "DAC Type", '', 'DACType'), # noqa
0x00144038: ('DS', '1-n', "DAC Gain Points", '', 'DACGainPoints'), # noqa
0x0014403A: ('DS', '1-n', "DAC Time Points", '', 'DACTimePoints'), # noqa
0x0014403C: ('DS', '1-n', "DAC Amplitude", '', 'DACAmplitude'), # noqa
0x00144040: ('SQ', '1', "Pre-Amplifier Settings Sequence", '', 'PreAmplifierSettingsSequence'), # noqa
0x00144050: ('SQ', '1', "Transmit Transducer Settings Sequence", '', 'TransmitTransducerSettingsSequence'), # noqa
0x00144051: ('SQ', '1', "Receive Transducer Settings Sequence", '', 'ReceiveTransducerSettingsSequence'), # noqa
0x00144052: ('DS', '1', "Incident Angle", '', 'IncidentAngle'), # noqa
0x00144054: ('ST', '1', "Coupling Technique", '', 'CouplingTechnique'), # noqa
0x00144056: ('ST', '1', "Coupling Medium", '', 'CouplingMedium'), # noqa
0x00144057: ('DS', '1', "Coupling Velocity", '', 'CouplingVelocity'), # noqa
0x00144058: ('DS', '1', "Probe Center Location X", '', 'ProbeCenterLocationX'), # noqa
0x00144059: ('DS', '1', "Probe Center Location Z", '', 'ProbeCenterLocationZ'), # noqa
0x0014405A: ('DS', '1', "Sound Path Length", '', 'SoundPathLength'), # noqa
0x0014405C: ('ST', '1', "Delay Law Identifier", '', 'DelayLawIdentifier'), # noqa
0x00144060: ('SQ', '1', "Gate Settings Sequence", '', 'GateSettingsSequence'), # noqa
0x00144062: ('DS', '1', "Gate Threshold", '', 'GateThreshold'), # noqa
0x00144064: ('DS', '1', "Velocity of Sound", '', 'VelocityOfSound'), # noqa
0x00144070: ('SQ', '1', "Calibration Settings Sequence", '', 'CalibrationSettingsSequence'), # noqa
0x00144072: ('ST', '1', "Calibration Procedure", '', 'CalibrationProcedure'), # noqa
0x00144074: ('SH', '1', "Procedure Version", '', 'ProcedureVersion'), # noqa
0x00144076: ('DA', '1', "Procedure Creation Date", '', 'ProcedureCreationDate'), # noqa
0x00144078: ('DA', '1', "Procedure Expiration Date", '', 'ProcedureExpirationDate'), # noqa
0x0014407A: ('DA', '1', "Procedure Last Modified Date", '', 'ProcedureLastModifiedDate'), # noqa
0x0014407C: ('TM', '1-n', "Calibration Time", '', 'CalibrationTime'), # noqa
0x0014407E: ('DA', '1-n', "Calibration Date", '', 'CalibrationDate'), # noqa
0x00144080: ('SQ', '1', "Probe Drive Equipment Sequence", '', 'ProbeDriveEquipmentSequence'), # noqa
0x00144081: ('CS', '1', "Drive Type", '', 'DriveType'), # noqa
0x00144082: ('LT', '1', "Probe Drive Notes", '', 'ProbeDriveNotes'), # noqa
0x00144083: ('SQ', '1', "Drive Probe Sequence", '', 'DriveProbeSequence'), # noqa
0x00144084: ('DS', '1', "Probe Inductance", '', 'ProbeInductance'), # noqa
0x00144085: ('DS', '1', "Probe Resistance", '', 'ProbeResistance'), # noqa
0x00144086: ('SQ', '1', "Receive Probe Sequence", '', 'ReceiveProbeSequence'), # noqa
0x00144087: ('SQ', '1', "Probe Drive Settings Sequence", '', 'ProbeDriveSettingsSequence'), # noqa
0x00144088: ('DS', '1', "Bridge Resistors", '', 'BridgeResistors'), # noqa
0x00144089: ('DS', '1', "Probe Orientation Angle", '', 'ProbeOrientationAngle'), # noqa
0x0014408B: ('DS', '1', "User Selected Gain Y", '', 'UserSelectedGainY'), # noqa
0x0014408C: ('DS', '1', "User Selected Phase", '', 'UserSelectedPhase'), # noqa
0x0014408D: ('DS', '1', "User Selected Offset X", '', 'UserSelectedOffsetX'), # noqa
0x0014408E: ('DS', '1', "User Selected Offset Y", '', 'UserSelectedOffsetY'), # noqa
0x00144091: ('SQ', '1', "Channel Settings Sequence", '', 'ChannelSettingsSequence'), # noqa
0x00144092: ('DS', '1', "Channel Threshold", '', 'ChannelThreshold'), # noqa
0x0014409A: ('SQ', '1', "Scanner Settings Sequence", '', 'ScannerSettingsSequence'), # noqa
0x0014409B: ('ST', '1', "Scan Procedure", '', 'ScanProcedure'), # noqa
0x0014409C: ('DS', '1', "Translation Rate X", '', 'TranslationRateX'), # noqa
0x0014409D: ('DS', '1', "Translation Rate Y", '', 'TranslationRateY'), # noqa
0x0014409F: ('DS', '1', "Channel Overlap", '', 'ChannelOverlap'), # noqa
0x001440A0: ('LO', '1', "Image Quality Indicator Type", '', 'ImageQualityIndicatorType'), # noqa
0x001440A1: ('LO', '1', "Image Quality Indicator Material", '', 'ImageQualityIndicatorMaterial'), # noqa
0x001440A2: ('LO', '1', "Image Quality Indicator Size", '', 'ImageQualityIndicatorSize'), # noqa
0x00145002: ('IS', '1', "LINAC Energy", '', 'LINACEnergy'), # noqa
0x00145004: ('IS', '1', "LINAC Output", '', 'LINACOutput'), # noqa
0x00145100: ('US', '1', "Active Aperture", '', 'ActiveAperture'), # noqa
0x00145101: ('DS', '1', "Total Aperture", '', 'TotalAperture'), # noqa
0x00145102: ('DS', '1', "Aperture Elevation", '', 'ApertureElevation'), # noqa
0x00145103: ('DS', '1', "Main Lobe Angle", '', 'MainLobeAngle'), # noqa
0x00145104: ('DS', '1', "Main Roof Angle", '', 'MainRoofAngle'), # noqa
0x00145105: ('CS', '1', "Connector Type", '', 'ConnectorType'), # noqa
0x00145106: ('SH', '1', "Wedge Model Number", '', 'WedgeModelNumber'), # noqa
0x00145107: ('DS', '1', "Wedge Angle Float", '', 'WedgeAngleFloat'), # noqa
0x00145108: ('DS', '1', "Wedge Roof Angle", '', 'WedgeRoofAngle'), # noqa
0x00145109: ('CS', '1', "Wedge Element 1 Position", '', 'WedgeElement1Position'), # noqa
0x0014510A: ('DS', '1', "Wedge Material Velocity", '', 'WedgeMaterialVelocity'), # noqa
0x0014510B: ('SH', '1', "Wedge Material", '', 'WedgeMaterial'), # noqa
0x0014510C: ('DS', '1', "Wedge Offset Z", '', 'WedgeOffsetZ'), # noqa
0x0014510D: ('DS', '1', "Wedge Origin Offset X", '', 'WedgeOriginOffsetX'), # noqa
0x0014510E: ('DS', '1', "Wedge Time Delay", '', 'WedgeTimeDelay'), # noqa
0x0014510F: ('SH', '1', "Wedge Name", '', 'WedgeName'), # noqa
0x00145110: ('SH', '1', "Wedge Manufacturer Name", '', 'WedgeManufacturerName'), # noqa
0x00145111: ('LO', '1', "Wedge Description", '', 'WedgeDescription'), # noqa
0x00145112: ('DS', '1', "Nominal Beam Angle", '', 'NominalBeamAngle'), # noqa
0x00145113: ('DS', '1', "Wedge Offset X", '', 'WedgeOffsetX'), # noqa
0x00145114: ('DS', '1', "Wedge Offset Y", '', 'WedgeOffsetY'), # noqa
0x00145115: ('DS', '1', "Wedge Total Length", '', 'WedgeTotalLength'), # noqa
0x00145116: ('DS', '1', "Wedge In Contact Length", '', 'WedgeInContactLength'), # noqa
0x00145117: ('DS', '1', "Wedge Front Gap", '', 'WedgeFrontGap'), # noqa
0x00145118: ('DS', '1', "Wedge Total Height", '', 'WedgeTotalHeight'), # noqa
0x00145119: ('DS', '1', "Wedge Front Height", '', 'WedgeFrontHeight'), # noqa
0x0014511A: ('DS', '1', "Wedge Rear Height", '', 'WedgeRearHeight'), # noqa
0x0014511B: ('DS', '1', "Wedge Total Width", '', 'WedgeTotalWidth'), # noqa
0x0014511C: ('DS', '1', "Wedge In Contact Width", '', 'WedgeInContactWidth'), # noqa
0x0014511D: ('DS', '1', "Wedge Chamfer Height", '', 'WedgeChamferHeight'), # noqa
0x0014511E: ('CS', '1', "Wedge Curve", '', 'WedgeCurve'), # noqa
0x0014511F: ('DS', '1', "Radius Along the Wedge", '', 'RadiusAlongWedge'), # noqa
0x00160001: ('DS', '1', "White Point", '', 'WhitePoint'), # noqa
0x00160002: ('DS', '3', "Primary Chromaticities", '', 'PrimaryChromaticities'), # noqa
0x00160003: ('UT', '1', "Battery Level", '', 'BatteryLevel'), # noqa
0x00160004: ('DS', '1', "Exposure Time in Seconds", '', 'ExposureTimeInSeconds'), # noqa
0x00160005: ('DS', '1', "F-Number", '', 'FNumber'), # noqa
0x00160006: ('IS', '1', "OECF Rows", '', 'OECFRows'), # noqa
0x00160007: ('IS', '1', "OECF Columns", '', 'OECFColumns'), # noqa
0x00160008: ('UC', '1-n', "OECF Column Names", '', 'OECFColumnNames'), # noqa
0x00160009: ('DS', '1-n', "OECF Values", '', 'OECFValues'), # noqa
0x0016000A: ('IS', '1', "Spatial Frequency Response Rows", '', 'SpatialFrequencyResponseRows'), # noqa
0x0016000B: ('IS', '1', "Spatial Frequency Response Columns", '', 'SpatialFrequencyResponseColumns'), # noqa
0x0016000C: ('UC', '1-n', "Spatial Frequency Response Column Names", '', 'SpatialFrequencyResponseColumnNames'), # noqa
0x0016000D: ('DS', '1-n', "Spatial Frequency Response Values", '', 'SpatialFrequencyResponseValues'), # noqa
0x0016000E: ('IS', '1', "Color Filter Array Pattern Rows", '', 'ColorFilterArrayPatternRows'), # noqa
0x0016000F: ('IS', '1', "Color Filter Array Pattern Columns", '', 'ColorFilterArrayPatternColumns'), # noqa
0x00160010: ('DS', '1-n', "Color Filter Array Pattern Values", '', 'ColorFilterArrayPatternValues'), # noqa
0x00160011: ('US', '1', "Flash Firing Status", '', 'FlashFiringStatus'), # noqa
0x00160012: ('US', '1', "Flash Return Status", '', 'FlashReturnStatus'), # noqa
0x00160013: ('US', '1', "Flash Mode", '', 'FlashMode'), # noqa
0x00160014: ('US', '1', "Flash Function Present", '', 'FlashFunctionPresent'), # noqa
0x00160015: ('US', '1', "Flash Red Eye Mode", '', 'FlashRedEyeMode'), # noqa
0x00160016: ('US', '1', "Exposure Program", '', 'ExposureProgram'), # noqa
0x00160017: ('UT', '1', "Spectral Sensitivity", '', 'SpectralSensitivity'), # noqa
0x00160018: ('IS', '1', "Photographic Sensitivity", '', 'PhotographicSensitivity'), # noqa
0x00160019: ('IS', '1', "Self Timer Mode", '', 'SelfTimerMode'), # noqa
0x0016001A: ('US', '1', "Sensitivity Type", '', 'SensitivityType'), # noqa
0x0016001B: ('IS', '1', "Standard Output Sensitivity", '', 'StandardOutputSensitivity'), # noqa
0x0016001C: ('IS', '1', "Recommended Exposure Index", '', 'RecommendedExposureIndex'), # noqa
0x0016001D: ('IS', '1', "ISO Speed", '', 'ISOSpeed'), # noqa
0x0016001E: ('IS', '1', "ISO Speed Latitude yyy", '', 'ISOSpeedLatitudeyyy'), # noqa
0x0016001F: ('IS', '1', "ISO Speed Latitude zzz", '', 'ISOSpeedLatitudezzz'), # noqa
0x00160020: ('UT', '1', "EXIF Version", '', 'EXIFVersion'), # noqa
0x00160021: ('DS', '1', "Shutter Speed Value", '', 'ShutterSpeedValue'), # noqa
0x00160022: ('DS', '1', "Aperture Value", '', 'ApertureValue'), # noqa
0x00160023: ('DS', '1', "Brightness Value", '', 'BrightnessValue'), # noqa
0x00160024: ('DS', '1', "Exposure Bias Value", '', 'ExposureBiasValue'), # noqa
0x00160025: ('DS', '1', "Max Aperture Value", '', 'MaxApertureValue'), # noqa
0x00160026: ('DS', '1', "Subject Distance", '', 'SubjectDistance'), # noqa
0x00160027: ('US', '1', "Metering Mode", '', 'MeteringMode'), # noqa
0x00160028: ('US', '1', "Light Source", '', 'LightSource'), # noqa
0x00160029: ('DS', '1', "Focal Length", '', 'FocalLength'), # noqa
0x0016002A: ('IS', '2-4', "Subject Area", '', 'SubjectArea'), # noqa
0x0016002B: ('OB', '1', "Maker Note", '', 'MakerNote'), # noqa
0x00160030: ('DS', '1', "Temperature", '', 'Temperature'), # noqa
0x00160031: ('DS', '1', "Humidity", '', 'Humidity'), # noqa
0x00160032: ('DS', '1', "Pressure", '', 'Pressure'), # noqa
0x00160033: ('DS', '1', "Water Depth", '', 'WaterDepth'), # noqa
0x00160034: ('DS', '1', "Acceleration", '', 'Acceleration'), # noqa
0x00160035: ('DS', '1', "Camera Elevation Angle", '', 'CameraElevationAngle'), # noqa
0x00160036: ('DS', '1-2', "Flash Energy", '', 'FlashEnergy'), # noqa
0x00160037: ('IS', '2', "Subject Location", '', 'SubjectLocation'), # noqa
0x00160038: ('DS', '1', "Photographic Exposure Index", '', 'PhotographicExposureIndex'), # noqa
0x00160039: ('US', '1', "Sensing Method", '', 'SensingMethod'), # noqa
0x0016003A: ('US', '1', "File Source", '', 'FileSource'), # noqa
0x0016003B: ('US', '1', "Scene Type", '', 'SceneType'), # noqa
0x00160041: ('US', '1', "Custom Rendered", '', 'CustomRendered'), # noqa
0x00160042: ('US', '1', "Exposure Mode", '', 'ExposureMode'), # noqa
0x00160043: ('US', '1', "White Balance", '', 'WhiteBalance'), # noqa
0x00160044: ('DS', '1', "Digital Zoom Ratio", '', 'DigitalZoomRatio'), # noqa
0x00160045: ('IS', '1', "Focal Length In 35mm Film", '', 'FocalLengthIn35mmFilm'), # noqa
0x00160046: ('US', '1', "Scene Capture Type", '', 'SceneCaptureType'), # noqa
0x00160047: ('US', '1', "Gain Control", '', 'GainControl'), # noqa
0x00160048: ('US', '1', "Contrast", '', 'Contrast'), # noqa
0x00160049: ('US', '1', "Saturation", '', 'Saturation'), # noqa
0x0016004A: ('US', '1', "Sharpness", '', 'Sharpness'), # noqa
0x0016004B: ('OB', '1', "Device Setting Description", '', 'DeviceSettingDescription'), # noqa
0x0016004C: ('US', '1', "Subject Distance Range", '', 'SubjectDistanceRange'), # noqa
0x0016004D: ('UT', '1', "Camera Owner Name", '', 'CameraOwnerName'), # noqa
0x0016004E: ('DS', '4', "Lens Specification", '', 'LensSpecification'), # noqa
0x0016004F: ('UT', '1', "Lens Make", '', 'LensMake'), # noqa
0x00160050: ('UT', '1', "Lens Model", '', 'LensModel'), # noqa
0x00160051: ('UT', '1', "Lens Serial Number", '', 'LensSerialNumber'), # noqa
0x00160061: ('CS', '1', "Interoperability Index", '', 'InteroperabilityIndex'), # noqa
0x00160062: ('OB', '1', "Interoperability Version", '', 'InteroperabilityVersion'), # noqa
0x00160070: ('OB', '1', "GPS Version ID", '', 'GPSVersionID'), # noqa
0x00160071: ('CS', '1', "GPS Latitude Ref", '', 'GPSLatitudeRef'), # noqa
0x00160072: ('DS', '3', "GPS Latitude", '', 'GPSLatitude'), # noqa
0x00160073: ('CS', '1', "GPS Longitude Ref", '', 'GPSLongitudeRef'), # noqa
0x00160074: ('DS', '3', "GPS Longitude", '', 'GPSLongitude'), # noqa
0x00160075: ('US', '1', "GPS Altitude Ref", '', 'GPSAltitudeRef'), # noqa
0x00160076: ('DS', '1', "GPS Altitude", '', 'GPSAltitude'), # noqa
0x00160077: ('DT', '1', "GPS Time Stamp", '', 'GPSTimeStamp'), # noqa
0x00160078: ('UT', '1', "GPS Satellites", '', 'GPSSatellites'), # noqa
0x00160079: ('CS', '1', "GPS Status", '', 'GPSStatus'), # noqa
0x0016007A: ('CS', '1', "GPS Measure Mode", '', 'GPSMeasureMode'), # noqa
0x0016007B: ('DS', '1', "GPS DOP", '', 'GPSDOP'), # noqa
0x0016007C: ('CS', '1', "GPS Speed Ref", '', 'GPSSpeedRef'), # noqa
0x0016007D: ('DS', '1', "GPS Speed", '', 'GPSSpeed'), # noqa
0x0016007E: ('CS', '1', "GPS Track Ref", '', 'GPSTrackRef'), # noqa
0x0016007F: ('DS', '1', "GPS Track", '', 'GPSTrack'), # noqa
0x00160080: ('CS', '1', "GPS Img Direction Ref", '', 'GPSImgDirectionRef'), # noqa
0x00160081: ('DS', '1', "GPS Img Direction", '', 'GPSImgDirection'), # noqa
0x00160082: ('UT', '1', "GPS Map Datum", '', 'GPSMapDatum'), # noqa
0x00160083: ('CS', '1', "GPS Dest Latitude Ref", '', 'GPSDestLatitudeRef'), # noqa
0x00160084: ('DS', '3', "GPS Dest Latitude", '', 'GPSDestLatitude'), # noqa
0x00160085: ('CS', '1', "GPS Dest Longitude Ref", '', 'GPSDestLongitudeRef'), # noqa
0x00160086: ('DS', '3', "GPS Dest Longitude", '', 'GPSDestLongitude'), # noqa
0x00160087: ('CS', '1', "GPS Dest Bearing Ref", '', 'GPSDestBearingRef'), # noqa
0x00160088: ('DS', '1', "GPS Dest Bearing", '', 'GPSDestBearing'), # noqa
0x00160089: ('CS', '1', "GPS Dest Distance Ref", '', 'GPSDestDistanceRef'), # noqa
0x0016008A: ('DS', '1', "GPS Dest Distance", '', 'GPSDestDistance'), # noqa
0x0016008B: ('OB', '1', "GPS Processing Method", '', 'GPSProcessingMethod'), # noqa
0x0016008C: ('OB', '1', "GPS Area Information", '', 'GPSAreaInformation'), # noqa
0x0016008D: ('DT', '1', "GPS Date Stamp", '', 'GPSDateStamp'), # noqa
0x0016008E: ('IS', '1', "GPS Differential", '', 'GPSDifferential'), # noqa
0x00180010: ('LO', '1', "Contrast/Bolus Agent", '', 'ContrastBolusAgent'), # noqa
0x00180012: ('SQ', '1', "Contrast/Bolus Agent Sequence", '', 'ContrastBolusAgentSequence'), # noqa
0x00180013: ('FL', '1', "Contrast/Bolus T1 Relaxivity", '', 'ContrastBolusT1Relaxivity'), # noqa
0x00180014: ('SQ', '1', "Contrast/Bolus Administration Route Sequence", '', 'ContrastBolusAdministrationRouteSequence'), # noqa
0x00180015: ('CS', '1', "Body Part Examined", '', 'BodyPartExamined'), # noqa
0x00180020: ('CS', '1-n', "Scanning Sequence", '', 'ScanningSequence'), # noqa
0x00180021: ('CS', '1-n', "Sequence Variant", '', 'SequenceVariant'), # noqa
0x00180022: ('CS', '1-n', "Scan Options", '', 'ScanOptions'), # noqa
0x00180023: ('CS', '1', "MR Acquisition Type", '', 'MRAcquisitionType'), # noqa
0x00180024: ('SH', '1', "Sequence Name", '', 'SequenceName'), # noqa
0x00180025: ('CS', '1', "Angio Flag", '', 'AngioFlag'), # noqa
0x00180026: ('SQ', '1', "Intervention Drug Information Sequence", '', 'InterventionDrugInformationSequence'), # noqa
0x00180027: ('TM', '1', "Intervention Drug Stop Time", '', 'InterventionDrugStopTime'), # noqa
0x00180028: ('DS', '1', "Intervention Drug Dose", '', 'InterventionDrugDose'), # noqa
0x00180029: ('SQ', '1', "Intervention Drug Code Sequence", '', 'InterventionDrugCodeSequence'), # noqa
0x0018002A: ('SQ', '1', "Additional Drug Sequence", '', 'AdditionalDrugSequence'), # noqa
0x00180030: ('LO', '1-n', "Radionuclide", 'Retired', 'Radionuclide'), # noqa
0x00180031: ('LO', '1', "Radiopharmaceutical", '', 'Radiopharmaceutical'), # noqa
0x00180032: ('DS', '1', "Energy Window Centerline", 'Retired', 'EnergyWindowCenterline'), # noqa
0x00180033: ('DS', '1-n', "Energy Window Total Width", 'Retired', 'EnergyWindowTotalWidth'), # noqa
0x00180034: ('LO', '1', "Intervention Drug Name", '', 'InterventionDrugName'), # noqa
0x00180035: ('TM', '1', "Intervention Drug Start Time", '', 'InterventionDrugStartTime'), # noqa
0x00180036: ('SQ', '1', "Intervention Sequence", '', 'InterventionSequence'), # noqa
0x00180037: ('CS', '1', "Therapy Type", 'Retired', 'TherapyType'), # noqa
0x00180038: ('CS', '1', "Intervention Status", '', 'InterventionStatus'), # noqa
0x00180039: ('CS', '1', "Therapy Description", 'Retired', 'TherapyDescription'), # noqa
0x0018003A: ('ST', '1', "Intervention Description", '', 'InterventionDescription'), # noqa
0x00180040: ('IS', '1', "Cine Rate", '', 'CineRate'), # noqa
0x00180042: ('CS', '1', "Initial Cine Run State", '', 'InitialCineRunState'), # noqa
0x00180050: ('DS', '1', "Slice Thickness", '', 'SliceThickness'), # noqa
0x00180060: ('DS', '1', "KVP", '', 'KVP'), # noqa
0x00180061: ('DS', '1', "", 'Retired', ''), # noqa
0x00180070: ('IS', '1', "Counts Accumulated", '', 'CountsAccumulated'), # noqa
0x00180071: ('CS', '1', "Acquisition Termination Condition", '', 'AcquisitionTerminationCondition'), # noqa
0x00180072: ('DS', '1', "Effective Duration", '', 'EffectiveDuration'), # noqa
0x00180073: ('CS', '1', "Acquisition Start Condition", '', 'AcquisitionStartCondition'), # noqa
0x00180074: ('IS', '1', "Acquisition Start Condition Data", '', 'AcquisitionStartConditionData'), # noqa
0x00180075: ('IS', '1', "Acquisition Termination Condition Data", '', 'AcquisitionTerminationConditionData'), # noqa
0x00180080: ('DS', '1', "Repetition Time", '', 'RepetitionTime'), # noqa
0x00180081: ('DS', '1', "Echo Time", '', 'EchoTime'), # noqa
0x00180082: ('DS', '1', "Inversion Time", '', 'InversionTime'), # noqa
0x00180083: ('DS', '1', "Number of Averages", '', 'NumberOfAverages'), # noqa
0x00180084: ('DS', '1', "Imaging Frequency", '', 'ImagingFrequency'), # noqa
0x00180085: ('SH', '1', "Imaged Nucleus", '', 'ImagedNucleus'), # noqa
0x00180086: ('IS', '1-n', "Echo Number(s)", '', 'EchoNumbers'), # noqa
0x00180087: ('DS', '1', "Magnetic Field Strength", '', 'MagneticFieldStrength'), # noqa
0x00180088: ('DS', '1', "Spacing Between Slices", '', 'SpacingBetweenSlices'), # noqa
0x00180089: ('IS', '1', "Number of Phase Encoding Steps", '', 'NumberOfPhaseEncodingSteps'), # noqa
0x00180090: ('DS', '1', "Data Collection Diameter", '', 'DataCollectionDiameter'), # noqa
0x00180091: ('IS', '1', "Echo Train Length", '', 'EchoTrainLength'), # noqa
0x00180093: ('DS', '1', "Percent Sampling", '', 'PercentSampling'), # noqa
0x00180094: ('DS', '1', "Percent Phase Field of View", '', 'PercentPhaseFieldOfView'), # noqa
0x00180095: ('DS', '1', "Pixel Bandwidth", '', 'PixelBandwidth'), # noqa
0x00181000: ('LO', '1', "Device Serial Number", '', 'DeviceSerialNumber'), # noqa
0x00181002: ('UI', '1', "Device UID", '', 'DeviceUID'), # noqa
0x00181003: ('LO', '1', "Device ID", '', 'DeviceID'), # noqa
0x00181004: ('LO', '1', "Plate ID", '', 'PlateID'), # noqa
0x00181005: ('LO', '1', "Generator ID", '', 'GeneratorID'), # noqa
0x00181006: ('LO', '1', "Grid ID", '', 'GridID'), # noqa
0x00181007: ('LO', '1', "Cassette ID", '', 'CassetteID'), # noqa
0x00181008: ('LO', '1', "Gantry ID", '', 'GantryID'), # noqa
0x00181009: ('UT', '1', "Unique Device Identifier", '', 'UniqueDeviceIdentifier'), # noqa
0x0018100A: ('SQ', '1', "UDI Sequence", '', 'UDISequence'), # noqa
0x0018100B: ('UI', '1-n', "Manufacturer's Device Class UID", '', 'ManufacturerDeviceClassUID'), # noqa
0x00181010: ('LO', '1', "Secondary Capture Device ID", '', 'SecondaryCaptureDeviceID'), # noqa
0x00181011: ('LO', '1', "Hardcopy Creation Device ID", 'Retired', 'HardcopyCreationDeviceID'), # noqa
0x00181012: ('DA', '1', "Date of Secondary Capture", '', 'DateOfSecondaryCapture'), # noqa
0x00181014: ('TM', '1', "Time of Secondary Capture", '', 'TimeOfSecondaryCapture'), # noqa
0x00181016: ('LO', '1', "Secondary Capture Device Manufacturer", '', 'SecondaryCaptureDeviceManufacturer'), # noqa
0x00181017: ('LO', '1', "Hardcopy Device Manufacturer", 'Retired', 'HardcopyDeviceManufacturer'), # noqa
0x00181018: ('LO', '1', "Secondary Capture Device Manufacturer's Model Name", '', 'SecondaryCaptureDeviceManufacturerModelName'), # noqa
0x00181019: ('LO', '1-n', "Secondary Capture Device Software Versions", '', 'SecondaryCaptureDeviceSoftwareVersions'), # noqa
0x0018101A: ('LO', '1-n', "Hardcopy Device Software Version", 'Retired', 'HardcopyDeviceSoftwareVersion'), # noqa
0x0018101B: ('LO', '1', "Hardcopy Device Manufacturer's Model Name", 'Retired', 'HardcopyDeviceManufacturerModelName'), # noqa
0x00181020: ('LO', '1-n', "Software Versions", '', 'SoftwareVersions'), # noqa
0x00181022: ('SH', '1', "Video Image Format Acquired", '', 'VideoImageFormatAcquired'), # noqa
0x00181023: ('LO', '1', "Digital Image Format Acquired", '', 'DigitalImageFormatAcquired'), # noqa
0x00181030: ('LO', '1', "Protocol Name", '', 'ProtocolName'), # noqa
0x00181040: ('LO', '1', "Contrast/Bolus Route", '', 'ContrastBolusRoute'), # noqa
0x00181041: ('DS', '1', "Contrast/Bolus Volume", '', 'ContrastBolusVolume'), # noqa
0x00181042: ('TM', '1', "Contrast/Bolus Start Time", '', 'ContrastBolusStartTime'), # noqa
0x00181043: ('TM', '1', "Contrast/Bolus Stop Time", '', 'ContrastBolusStopTime'), # noqa
0x00181044: ('DS', '1', "Contrast/Bolus Total Dose", '', 'ContrastBolusTotalDose'), # noqa
0x00181045: ('IS', '1', "Syringe Counts", '', 'SyringeCounts'), # noqa
0x00181046: ('DS', '1-n', "Contrast Flow Rate", '', 'ContrastFlowRate'), # noqa
0x00181047: ('DS', '1-n', "Contrast Flow Duration", '', 'ContrastFlowDuration'), # noqa
0x00181048: ('CS', '1', "Contrast/Bolus Ingredient", '', 'ContrastBolusIngredient'), # noqa
0x00181049: ('DS', '1', "Contrast/Bolus Ingredient Concentration", '', 'ContrastBolusIngredientConcentration'), # noqa
0x00181050: ('DS', '1', "Spatial Resolution", '', 'SpatialResolution'), # noqa
0x00181060: ('DS', '1', "Trigger Time", '', 'TriggerTime'), # noqa
0x00181061: ('LO', '1', "Trigger Source or Type", '', 'TriggerSourceOrType'), # noqa
0x00181062: ('IS', '1', "Nominal Interval", '', 'NominalInterval'), # noqa
0x00181063: ('DS', '1', "Frame Time", '', 'FrameTime'), # noqa
0x00181064: ('LO', '1', "Cardiac Framing Type", '', 'CardiacFramingType'), # noqa
0x00181065: ('DS', '1-n', "Frame Time Vector", '', 'FrameTimeVector'), # noqa
0x00181066: ('DS', '1', "Frame Delay", '', 'FrameDelay'), # noqa
0x00181067: ('DS', '1', "Image Trigger Delay", '', 'ImageTriggerDelay'), # noqa
0x00181068: ('DS', '1', "Multiplex Group Time Offset", '', 'MultiplexGroupTimeOffset'), # noqa
0x00181069: ('DS', '1', "Trigger Time Offset", '', 'TriggerTimeOffset'), # noqa
0x0018106A: ('CS', '1', "Synchronization Trigger", '', 'SynchronizationTrigger'), # noqa
0x0018106C: ('US', '2', "Synchronization Channel", '', 'SynchronizationChannel'), # noqa
0x0018106E: ('UL', '1', "Trigger Sample Position", '', 'TriggerSamplePosition'), # noqa
0x00181070: ('LO', '1', "Radiopharmaceutical Route", '', 'RadiopharmaceuticalRoute'), # noqa
0x00181071: ('DS', '1', "Radiopharmaceutical Volume", '', 'RadiopharmaceuticalVolume'), # noqa
0x00181072: ('TM', '1', "Radiopharmaceutical Start Time", '', 'RadiopharmaceuticalStartTime'), # noqa
0x00181073: ('TM', '1', "Radiopharmaceutical Stop Time", '', 'RadiopharmaceuticalStopTime'), # noqa
0x00181074: ('DS', '1', "Radionuclide Total Dose", '', 'RadionuclideTotalDose'), # noqa
0x00181075: ('DS', '1', "Radionuclide Half Life", '', 'RadionuclideHalfLife'), # noqa
0x00181076: ('DS', '1', "Radionuclide Positron Fraction", '', 'RadionuclidePositronFraction'), # noqa
0x00181077: ('DS', '1', "Radiopharmaceutical Specific Activity", '', 'RadiopharmaceuticalSpecificActivity'), # noqa
0x00181078: ('DT', '1', "Radiopharmaceutical Start DateTime", '', 'RadiopharmaceuticalStartDateTime'), # noqa
0x00181079: ('DT', '1', "Radiopharmaceutical Stop DateTime", '', 'RadiopharmaceuticalStopDateTime'), # noqa
0x00181080: ('CS', '1', "Beat Rejection Flag", '', 'BeatRejectionFlag'), # noqa
0x00181081: ('IS', '1', "Low R-R Value", '', 'LowRRValue'), # noqa
0x00181082: ('IS', '1', "High R-R Value", '', 'HighRRValue'), # noqa
0x00181083: ('IS', '1', "Intervals Acquired", '', 'IntervalsAcquired'), # noqa
0x00181084: ('IS', '1', "Intervals Rejected", '', 'IntervalsRejected'), # noqa
0x00181085: ('LO', '1', "PVC Rejection", '', 'PVCRejection'), # noqa
0x00181086: ('IS', '1', "Skip Beats", '', 'SkipBeats'), # noqa
0x00181088: ('IS', '1', "Heart Rate", '', 'HeartRate'), # noqa
0x00181090: ('IS', '1', "Cardiac Number of Images", '', 'CardiacNumberOfImages'), # noqa
0x00181094: ('IS', '1', "Trigger Window", '', 'TriggerWindow'), # noqa
0x00181100: ('DS', '1', "Reconstruction Diameter", '', 'ReconstructionDiameter'), # noqa
0x00181110: ('DS', '1', "Distance Source to Detector", '', 'DistanceSourceToDetector'), # noqa
0x00181111: ('DS', '1', "Distance Source to Patient", '', 'DistanceSourceToPatient'), # noqa
0x00181114: ('DS', '1', "Estimated Radiographic Magnification Factor", '', 'EstimatedRadiographicMagnificationFactor'), # noqa
0x00181120: ('DS', '1', "Gantry/Detector Tilt", '', 'GantryDetectorTilt'), # noqa
0x00181121: ('DS', '1', "Gantry/Detector Slew", '', 'GantryDetectorSlew'), # noqa
0x00181130: ('DS', '1', "Table Height", '', 'TableHeight'), # noqa
0x00181131: ('DS', '1', "Table Traverse", '', 'TableTraverse'), # noqa
0x00181134: ('CS', '1', "Table Motion", '', 'TableMotion'), # noqa
0x00181135: ('DS', '1-n', "Table Vertical Increment", '', 'TableVerticalIncrement'), # noqa
0x00181136: ('DS', '1-n', "Table Lateral Increment", '', 'TableLateralIncrement'), # noqa
0x00181137: ('DS', '1-n', "Table Longitudinal Increment", '', 'TableLongitudinalIncrement'), # noqa
0x00181138: ('DS', '1', "Table Angle", '', 'TableAngle'), # noqa
0x0018113A: ('CS', '1', "Table Type", '', 'TableType'), # noqa
0x00181140: ('CS', '1', "Rotation Direction", '', 'RotationDirection'), # noqa
0x00181141: ('DS', '1', "Angular Position", 'Retired', 'AngularPosition'), # noqa
0x00181142: ('DS', '1-n', "Radial Position", '', 'RadialPosition'), # noqa
0x00181143: ('DS', '1', "Scan Arc", '', 'ScanArc'), # noqa
0x00181144: ('DS', '1', "Angular Step", '', 'AngularStep'), # noqa
0x00181145: ('DS', '1', "Center of Rotation Offset", '', 'CenterOfRotationOffset'), # noqa
0x00181146: ('DS', '1-n', "Rotation Offset", 'Retired', 'RotationOffset'), # noqa
0x00181147: ('CS', '1', "Field of View Shape", '', 'FieldOfViewShape'), # noqa
0x00181149: ('IS', '1-2', "Field of View Dimension(s)", '', 'FieldOfViewDimensions'), # noqa
0x00181150: ('IS', '1', "Exposure Time", '', 'ExposureTime'), # noqa
0x00181151: ('IS', '1', "X-Ray Tube Current", '', 'XRayTubeCurrent'), # noqa
0x00181152: ('IS', '1', "Exposure", '', 'Exposure'), # noqa
0x00181153: ('IS', '1', "Exposure in uAs", '', 'ExposureInuAs'), # noqa
0x00181154: ('DS', '1', "Average Pulse Width", '', 'AveragePulseWidth'), # noqa
0x00181155: ('CS', '1', "Radiation Setting", '', 'RadiationSetting'), # noqa
0x00181156: ('CS', '1', "Rectification Type", '', 'RectificationType'), # noqa
0x0018115A: ('CS', '1', "Radiation Mode", '', 'RadiationMode'), # noqa
0x0018115E: ('DS', '1', "Image and Fluoroscopy Area Dose Product", '', 'ImageAndFluoroscopyAreaDoseProduct'), # noqa
0x00181160: ('SH', '1', "Filter Type", '', 'FilterType'), # noqa
0x00181161: ('LO', '1-n', "Type of Filters", '', 'TypeOfFilters'), # noqa
0x00181162: ('DS', '1', "Intensifier Size", '', 'IntensifierSize'), # noqa
0x00181164: ('DS', '2', "Imager Pixel Spacing", '', 'ImagerPixelSpacing'), # noqa
0x00181166: ('CS', '1-n', "Grid", '', 'Grid'), # noqa
0x00181170: ('IS', '1', "Generator Power", '', 'GeneratorPower'), # noqa
0x00181180: ('SH', '1', "Collimator/grid Name", '', 'CollimatorGridName'), # noqa
0x00181181: ('CS', '1', "Collimator Type", '', 'CollimatorType'), # noqa
0x00181182: ('IS', '1-2', "Focal Distance", '', 'FocalDistance'), # noqa
0x00181183: ('DS', '1-2', "X Focus Center", '', 'XFocusCenter'), # noqa
0x00181184: ('DS', '1-2', "Y Focus Center", '', 'YFocusCenter'), # noqa
0x00181190: ('DS', '1-n', "Focal Spot(s)", '', 'FocalSpots'), # noqa
0x00181191: ('CS', '1', "Anode Target Material", '', 'AnodeTargetMaterial'), # noqa
0x001811A0: ('DS', '1', "Body Part Thickness", '', 'BodyPartThickness'), # noqa
0x001811A2: ('DS', '1', "Compression Force", '', 'CompressionForce'), # noqa
0x001811A3: ('DS', '1', "Compression Pressure", '', 'CompressionPressure'), # noqa
0x001811A4: ('LO', '1', "Paddle Description", '', 'PaddleDescription'), # noqa
0x001811A5: ('DS', '1', "Compression Contact Area", '', 'CompressionContactArea'), # noqa
0x00181200: ('DA', '1-n', "Date of Last Calibration", '', 'DateOfLastCalibration'), # noqa
0x00181201: ('TM', '1-n', "Time of Last Calibration", '', 'TimeOfLastCalibration'), # noqa
0x00181202: ('DT', '1', "DateTime of Last Calibration", '', 'DateTimeOfLastCalibration'), # noqa
0x00181210: ('SH', '1-n', "Convolution Kernel", '', 'ConvolutionKernel'), # noqa
0x00181240: ('IS', '1-n', "Upper/Lower Pixel Values", 'Retired', 'UpperLowerPixelValues'), # noqa
0x00181242: ('IS', '1', "Actual Frame Duration", '', 'ActualFrameDuration'), # noqa
0x00181243: ('IS', '1', "Count Rate", '', 'CountRate'), # noqa
0x00181244: ('US', '1', "Preferred Playback Sequencing", '', 'PreferredPlaybackSequencing'), # noqa
0x00181250: ('SH', '1', "Receive Coil Name", '', 'ReceiveCoilName'), # noqa
0x00181251: ('SH', '1', "Transmit Coil Name", '', 'TransmitCoilName'), # noqa
0x00181260: ('SH', '1', "Plate Type", '', 'PlateType'), # noqa
0x00181261: ('LO', '1', "Phosphor Type", '', 'PhosphorType'), # noqa
0x00181271: ('FD', '1', "Water Equivalent Diameter", '', 'WaterEquivalentDiameter'), # noqa
0x00181272: ('SQ', '1', "Water Equivalent Diameter Calculation Method Code Sequence", '', 'WaterEquivalentDiameterCalculationMethodCodeSequence'), # noqa
0x00181300: ('DS', '1', "Scan Velocity", '', 'ScanVelocity'), # noqa
0x00181301: ('CS', '1-n', "Whole Body Technique", '', 'WholeBodyTechnique'), # noqa
0x00181302: ('IS', '1', "Scan Length", '', 'ScanLength'), # noqa
0x00181310: ('US', '4', "Acquisition Matrix", '', 'AcquisitionMatrix'), # noqa
0x00181312: ('CS', '1', "In-plane Phase Encoding Direction", '', 'InPlanePhaseEncodingDirection'), # noqa
0x00181314: ('DS', '1', "Flip Angle", '', 'FlipAngle'), # noqa
0x00181315: ('CS', '1', "Variable Flip Angle Flag", '', 'VariableFlipAngleFlag'), # noqa
0x00181316: ('DS', '1', "SAR", '', 'SAR'), # noqa
0x00181318: ('DS', '1', "dB/dt", '', 'dBdt'), # noqa
0x00181320: ('FL', '1', "B1rms", '', 'B1rms'), # noqa
0x00181400: ('LO', '1', "Acquisition Device Processing Description", '', 'AcquisitionDeviceProcessingDescription'), # noqa
0x00181401: ('LO', '1', "Acquisition Device Processing Code", '', 'AcquisitionDeviceProcessingCode'), # noqa
0x00181402: ('CS', '1', "Cassette Orientation", '', 'CassetteOrientation'), # noqa
0x00181403: ('CS', '1', "Cassette Size", '', 'CassetteSize'), # noqa
0x00181404: ('US', '1', "Exposures on Plate", '', 'ExposuresOnPlate'), # noqa
0x00181405: ('IS', '1', "Relative X-Ray Exposure", '', 'RelativeXRayExposure'), # noqa
0x00181411: ('DS', '1', "Exposure Index", '', 'ExposureIndex'), # noqa
0x00181412: ('DS', '1', "Target Exposure Index", '', 'TargetExposureIndex'), # noqa
0x00181413: ('DS', '1', "Deviation Index", '', 'DeviationIndex'), # noqa
0x00181450: ('DS', '1', "Column Angulation", '', 'ColumnAngulation'), # noqa
0x00181460: ('DS', '1', "Tomo Layer Height", '', 'TomoLayerHeight'), # noqa
0x00181470: ('DS', '1', "Tomo Angle", '', 'TomoAngle'), # noqa
0x00181480: ('DS', '1', "Tomo Time", '', 'TomoTime'), # noqa
0x00181490: ('CS', '1', "Tomo Type", '', 'TomoType'), # noqa
0x00181491: ('CS', '1', "Tomo Class", '', 'TomoClass'), # noqa
0x00181495: ('IS', '1', "Number of Tomosynthesis Source Images", '', 'NumberOfTomosynthesisSourceImages'), # noqa
0x00181500: ('CS', '1', "Positioner Motion", '', 'PositionerMotion'), # noqa
0x00181508: ('CS', '1', "Positioner Type", '', 'PositionerType'), # noqa
0x00181510: ('DS', '1', "Positioner Primary Angle", '', 'PositionerPrimaryAngle'), # noqa
0x00181511: ('DS', '1', "Positioner Secondary Angle", '', 'PositionerSecondaryAngle'), # noqa
0x00181520: ('DS', '1-n', "Positioner Primary Angle Increment", '', 'PositionerPrimaryAngleIncrement'), # noqa
0x00181521: ('DS', '1-n', "Positioner Secondary Angle Increment", '', 'PositionerSecondaryAngleIncrement'), # noqa
0x00181530: ('DS', '1', "Detector Primary Angle", '', 'DetectorPrimaryAngle'), # noqa
0x00181531: ('DS', '1', "Detector Secondary Angle", '', 'DetectorSecondaryAngle'), # noqa
0x00181600: ('CS', '1-3', "Shutter Shape", '', 'ShutterShape'), # noqa
0x00181602: ('IS', '1', "Shutter Left Vertical Edge", '', 'ShutterLeftVerticalEdge'), # noqa
0x00181604: ('IS', '1', "Shutter Right Vertical Edge", '', 'ShutterRightVerticalEdge'), # noqa
0x00181606: ('IS', '1', "Shutter Upper Horizontal Edge", '', 'ShutterUpperHorizontalEdge'), # noqa
0x00181608: ('IS', '1', "Shutter Lower Horizontal Edge", '', 'ShutterLowerHorizontalEdge'), # noqa
0x00181610: ('IS', '2', "Center of Circular Shutter", '', 'CenterOfCircularShutter'), # noqa
0x00181612: ('IS', '1', "Radius of Circular Shutter", '', 'RadiusOfCircularShutter'), # noqa
0x00181620: ('IS', '2-2n', "Vertices of the Polygonal Shutter", '', 'VerticesOfThePolygonalShutter'), # noqa
0x00181622: ('US', '1', "Shutter Presentation Value", '', 'ShutterPresentationValue'), # noqa
0x00181623: ('US', '1', "Shutter Overlay Group", '', 'ShutterOverlayGroup'), # noqa
0x00181624: ('US', '3', "Shutter Presentation Color CIELab Value", '', 'ShutterPresentationColorCIELabValue'), # noqa
0x00181630: ('CS', '1', "Outline Shape Type", '', 'OutlineShapeType'), # noqa
0x00181631: ('FD', '1', "Outline Left Vertical Edge", '', 'OutlineLeftVerticalEdge'), # noqa
0x00181632: ('FD', '1', "Outline Right Vertical Edge", '', 'OutlineRightVerticalEdge'), # noqa
0x00181633: ('FD', '1', "Outline Upper Horizontal Edge", '', 'OutlineUpperHorizontalEdge'), # noqa
0x00181634: ('FD', '1', "Outline Lower Horizontal Edge", '', 'OutlineLowerHorizontalEdge'), # noqa
0x00181635: ('FD', '2', "Center of Circular Outline", '', 'CenterOfCircularOutline'), # noqa
0x00181636: ('FD', '1', "Diameter of Circular Outline", '', 'DiameterOfCircularOutline'), # noqa
0x00181637: ('UL', '1', "Number of Polygonal Vertices", '', 'NumberOfPolygonalVertices'), # noqa
0x00181638: ('OF', '1', "Vertices of the Polygonal Outline", '', 'VerticesOfThePolygonalOutline'), # noqa
0x00181700: ('CS', '1-3', "Collimator Shape", '', 'CollimatorShape'), # noqa
0x00181702: ('IS', '1', "Collimator Left Vertical Edge", '', 'CollimatorLeftVerticalEdge'), # noqa
0x00181704: ('IS', '1', "Collimator Right Vertical Edge", '', 'CollimatorRightVerticalEdge'), # noqa
0x00181706: ('IS', '1', "Collimator Upper Horizontal Edge", '', 'CollimatorUpperHorizontalEdge'), # noqa
0x00181708: ('IS', '1', "Collimator Lower Horizontal Edge", '', 'CollimatorLowerHorizontalEdge'), # noqa
0x00181710: ('IS', '2', "Center of Circular Collimator", '', 'CenterOfCircularCollimator'), # noqa
0x00181712: ('IS', '1', "Radius of Circular Collimator", '', 'RadiusOfCircularCollimator'), # noqa
0x00181720: ('IS', '2-2n', "Vertices of the Polygonal Collimator", '', 'VerticesOfThePolygonalCollimator'), # noqa
0x00181800: ('CS', '1', "Acquisition Time Synchronized", '', 'AcquisitionTimeSynchronized'), # noqa
0x00181801: ('SH', '1', "Time Source", '', 'TimeSource'), # noqa
0x00181802: ('CS', '1', "Time Distribution Protocol", '', 'TimeDistributionProtocol'), # noqa
0x00181803: ('LO', '1', "NTP Source Address", '', 'NTPSourceAddress'), # noqa
0x00182001: ('IS', '1-n', "Page Number Vector", '', 'PageNumberVector'), # noqa
0x00182002: ('SH', '1-n', "Frame Label Vector", '', 'FrameLabelVector'), # noqa
0x00182003: ('DS', '1-n', "Frame Primary Angle Vector", '', 'FramePrimaryAngleVector'), # noqa
0x00182004: ('DS', '1-n', "Frame Secondary Angle Vector", '', 'FrameSecondaryAngleVector'), # noqa
0x00182005: ('DS', '1-n', "Slice Location Vector", '', 'SliceLocationVector'), # noqa
0x00182006: ('SH', '1-n', "Display Window Label Vector", '', 'DisplayWindowLabelVector'), # noqa
0x00182010: ('DS', '2', "Nominal Scanned Pixel Spacing", '', 'NominalScannedPixelSpacing'), # noqa
0x00182020: ('CS', '1', "Digitizing Device Transport Direction", '', 'DigitizingDeviceTransportDirection'), # noqa
0x00182030: ('DS', '1', "Rotation of Scanned Film", '', 'RotationOfScannedFilm'), # noqa
0x00182041: ('SQ', '1', "Biopsy Target Sequence", '', 'BiopsyTargetSequence'), # noqa
0x00182042: ('UI', '1', "Target UID", '', 'TargetUID'), # noqa
0x00182043: ('FL', '2', "Localizing Cursor Position", '', 'LocalizingCursorPosition'), # noqa
0x00182044: ('FL', '3', "Calculated Target Position", '', 'CalculatedTargetPosition'), # noqa
0x00182045: ('SH', '1', "Target Label", '', 'TargetLabel'), # noqa
0x00182046: ('FL', '1', "Displayed Z Value", '', 'DisplayedZValue'), # noqa
0x00183100: ('CS', '1', "IVUS Acquisition", '', 'IVUSAcquisition'), # noqa
0x00183101: ('DS', '1', "IVUS Pullback Rate", '', 'IVUSPullbackRate'), # noqa
0x00183102: ('DS', '1', "IVUS Gated Rate", '', 'IVUSGatedRate'), # noqa
0x00183103: ('IS', '1', "IVUS Pullback Start Frame Number", '', 'IVUSPullbackStartFrameNumber'), # noqa
0x00183104: ('IS', '1', "IVUS Pullback Stop Frame Number", '', 'IVUSPullbackStopFrameNumber'), # noqa
0x00183105: ('IS', '1-n', "Lesion Number", '', 'LesionNumber'), # noqa
0x00184000: ('LT', '1', "Acquisition Comments", 'Retired', 'AcquisitionComments'), # noqa
0x00185000: ('SH', '1-n', "Output Power", '', 'OutputPower'), # noqa
0x00185010: ('LO', '1-n', "Transducer Data", '', 'TransducerData'), # noqa
0x00185012: ('DS', '1', "Focus Depth", '', 'FocusDepth'), # noqa
0x00185020: ('LO', '1', "Processing Function", '', 'ProcessingFunction'), # noqa
0x00185021: ('LO', '1', "Postprocessing Function", 'Retired', 'PostprocessingFunction'), # noqa
0x00185022: ('DS', '1', "Mechanical Index", '', 'MechanicalIndex'), # noqa
0x00185024: ('DS', '1', "Bone Thermal Index", '', 'BoneThermalIndex'), # noqa
0x00185026: ('DS', '1', "Cranial Thermal Index", '', 'CranialThermalIndex'), # noqa
0x00185027: ('DS', '1', "Soft Tissue Thermal Index", '', 'SoftTissueThermalIndex'), # noqa
0x00185028: ('DS', '1', "Soft Tissue-focus Thermal Index", '', 'SoftTissueFocusThermalIndex'), # noqa
0x00185029: ('DS', '1', "Soft Tissue-surface Thermal Index", '', 'SoftTissueSurfaceThermalIndex'), # noqa
0x00185030: ('DS', '1', "Dynamic Range", 'Retired', 'DynamicRange'), # noqa
0x00185040: ('DS', '1', "Total Gain", 'Retired', 'TotalGain'), # noqa
0x00185050: ('IS', '1', "Depth of Scan Field", '', 'DepthOfScanField'), # noqa
0x00185100: ('CS', '1', "Patient Position", '', 'PatientPosition'), # noqa
0x00185101: ('CS', '1', "View Position", '', 'ViewPosition'), # noqa
0x00185104: ('SQ', '1', "Projection Eponymous Name Code Sequence", '', 'ProjectionEponymousNameCodeSequence'), # noqa
0x00185210: ('DS', '6', "Image Transformation Matrix", 'Retired', 'ImageTransformationMatrix'), # noqa
0x00185212: ('DS', '3', "Image Translation Vector", 'Retired', 'ImageTranslationVector'), # noqa
0x00186000: ('DS', '1', "Sensitivity", '', 'Sensitivity'), # noqa
0x00186011: ('SQ', '1', "Sequence of Ultrasound Regions", '', 'SequenceOfUltrasoundRegions'), # noqa
0x00186012: ('US', '1', "Region Spatial Format", '', 'RegionSpatialFormat'), # noqa