10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
|
# File 'lib/datadog_api_client/inflector.rb', line 10
def overrides
@overrides ||= {
"v1.access_role" => "AccessRole",
"v1.add_signal_to_incident_request" => "AddSignalToIncidentRequest",
"v1.alert_graph_widget_definition" => "AlertGraphWidgetDefinition",
"v1.alert_graph_widget_definition_type" => "AlertGraphWidgetDefinitionType",
"v1.alert_value_widget_definition" => "AlertValueWidgetDefinition",
"v1.alert_value_widget_definition_type" => "AlertValueWidgetDefinitionType",
"v1.api_error_response" => "APIErrorResponse",
"v1.api_key" => "ApiKey",
"v1.api_key_list_response" => "ApiKeyListResponse",
"v1.api_key_response" => "ApiKeyResponse",
"v1.apm_stats_query_column_type" => "ApmStatsQueryColumnType",
"v1.apm_stats_query_definition" => "ApmStatsQueryDefinition",
"v1.apm_stats_query_row_type" => "ApmStatsQueryRowType",
"v1.application_key" => "ApplicationKey",
"v1.application_key_list_response" => "ApplicationKeyListResponse",
"v1.application_key_response" => "ApplicationKeyResponse",
"v1.authentication_validation_response" => "AuthenticationValidationResponse",
"v1.aws_account" => "AWSAccount",
"v1.aws_account_and_lambda_request" => "AWSAccountAndLambdaRequest",
"v1.aws_account_create_response" => "AWSAccountCreateResponse",
"v1.aws_account_delete_request" => "AWSAccountDeleteRequest",
"v1.aws_account_list_response" => "AWSAccountListResponse",
"v1.aws_logs_async_error" => "AWSLogsAsyncError",
"v1.aws_logs_async_response" => "AWSLogsAsyncResponse",
"v1.aws_logs_lambda" => "AWSLogsLambda",
"v1.aws_logs_list_response" => "AWSLogsListResponse",
"v1.aws_logs_list_services_response" => "AWSLogsListServicesResponse",
"v1.aws_logs_services_request" => "AWSLogsServicesRequest",
"v1.aws_namespace" => "AWSNamespace",
"v1.aws_tag_filter" => "AWSTagFilter",
"v1.aws_tag_filter_create_request" => "AWSTagFilterCreateRequest",
"v1.aws_tag_filter_delete_request" => "AWSTagFilterDeleteRequest",
"v1.aws_tag_filter_list_response" => "AWSTagFilterListResponse",
"v1.azure_account" => "AzureAccount",
"v1.cancel_downtimes_by_scope_request" => "CancelDowntimesByScopeRequest",
"v1.canceled_downtimes_ids" => "CanceledDowntimesIds",
"v1.change_widget_definition" => "ChangeWidgetDefinition",
"v1.change_widget_definition_type" => "ChangeWidgetDefinitionType",
"v1.change_widget_request" => "ChangeWidgetRequest",
"v1.check_can_delete_monitor_response" => "CheckCanDeleteMonitorResponse",
"v1.check_can_delete_monitor_response_data" => "CheckCanDeleteMonitorResponseData",
"v1.check_can_delete_slo_response" => "CheckCanDeleteSLOResponse",
"v1.check_can_delete_slo_response_data" => "CheckCanDeleteSLOResponseData",
"v1.check_status_widget_definition" => "CheckStatusWidgetDefinition",
"v1.check_status_widget_definition_type" => "CheckStatusWidgetDefinitionType",
"v1.content_encoding" => "ContentEncoding",
"v1.creator" => "Creator",
"v1.dashboard" => "Dashboard",
"v1.dashboard_bulk_action_data" => "DashboardBulkActionData",
"v1.dashboard_bulk_delete_request" => "DashboardBulkDeleteRequest",
"v1.dashboard_delete_response" => "DashboardDeleteResponse",
"v1.dashboard_layout_type" => "DashboardLayoutType",
"v1.dashboard_list" => "DashboardList",
"v1.dashboard_list_delete_response" => "DashboardListDeleteResponse",
"v1.dashboard_list_list_response" => "DashboardListListResponse",
"v1.dashboard_reflow_type" => "DashboardReflowType",
"v1.dashboard_resource_type" => "DashboardResourceType",
"v1.dashboard_restore_request" => "DashboardRestoreRequest",
"v1.dashboard_summary" => "DashboardSummary",
"v1.dashboard_summary_definition" => "DashboardSummaryDefinition",
"v1.dashboard_template_variable" => "DashboardTemplateVariable",
"v1.dashboard_template_variable_preset" => "DashboardTemplateVariablePreset",
"v1.dashboard_template_variable_preset_value" => "DashboardTemplateVariablePresetValue",
"v1.deleted_monitor" => "DeletedMonitor",
"v1.distribution_point_item" => "DistributionPointItem",
"v1.distribution_points_content_encoding" => "DistributionPointsContentEncoding",
"v1.distribution_points_payload" => "DistributionPointsPayload",
"v1.distribution_points_series" => "DistributionPointsSeries",
"v1.distribution_points_type" => "DistributionPointsType",
"v1.distribution_widget_definition" => "DistributionWidgetDefinition",
"v1.distribution_widget_definition_type" => "DistributionWidgetDefinitionType",
"v1.distribution_widget_histogram_request_query" => "DistributionWidgetHistogramRequestQuery",
"v1.distribution_widget_histogram_request_type" => "DistributionWidgetHistogramRequestType",
"v1.distribution_widget_request" => "DistributionWidgetRequest",
"v1.distribution_widget_x_axis" => "DistributionWidgetXAxis",
"v1.distribution_widget_y_axis" => "DistributionWidgetYAxis",
"v1.downtime" => "Downtime",
"v1.downtime_child" => "DowntimeChild",
"v1.downtime_recurrence" => "DowntimeRecurrence",
"v1.event" => "Event",
"v1.event_alert_type" => "EventAlertType",
"v1.event_create_request" => "EventCreateRequest",
"v1.event_create_response" => "EventCreateResponse",
"v1.event_list_response" => "EventListResponse",
"v1.event_priority" => "EventPriority",
"v1.event_query_definition" => "EventQueryDefinition",
"v1.event_response" => "EventResponse",
"v1.event_stream_widget_definition" => "EventStreamWidgetDefinition",
"v1.event_stream_widget_definition_type" => "EventStreamWidgetDefinitionType",
"v1.event_timeline_widget_definition" => "EventTimelineWidgetDefinition",
"v1.event_timeline_widget_definition_type" => "EventTimelineWidgetDefinitionType",
"v1.formula_and_function_apm_dependency_stat_name" => "FormulaAndFunctionApmDependencyStatName",
"v1.formula_and_function_apm_dependency_stats_data_source" => "FormulaAndFunctionApmDependencyStatsDataSource",
"v1.formula_and_function_apm_dependency_stats_query_definition" => "FormulaAndFunctionApmDependencyStatsQueryDefinition",
"v1.formula_and_function_apm_resource_stat_name" => "FormulaAndFunctionApmResourceStatName",
"v1.formula_and_function_apm_resource_stats_data_source" => "FormulaAndFunctionApmResourceStatsDataSource",
"v1.formula_and_function_apm_resource_stats_query_definition" => "FormulaAndFunctionApmResourceStatsQueryDefinition",
"v1.formula_and_function_event_aggregation" => "FormulaAndFunctionEventAggregation",
"v1.formula_and_function_event_query_definition" => "FormulaAndFunctionEventQueryDefinition",
"v1.formula_and_function_event_query_definition_compute" => "FormulaAndFunctionEventQueryDefinitionCompute",
"v1.formula_and_function_event_query_definition_search" => "FormulaAndFunctionEventQueryDefinitionSearch",
"v1.formula_and_function_event_query_group_by" => "FormulaAndFunctionEventQueryGroupBy",
"v1.formula_and_function_event_query_group_by_sort" => "FormulaAndFunctionEventQueryGroupBySort",
"v1.formula_and_function_events_data_source" => "FormulaAndFunctionEventsDataSource",
"v1.formula_and_function_metric_aggregation" => "FormulaAndFunctionMetricAggregation",
"v1.formula_and_function_metric_data_source" => "FormulaAndFunctionMetricDataSource",
"v1.formula_and_function_metric_query_definition" => "FormulaAndFunctionMetricQueryDefinition",
"v1.formula_and_function_process_query_data_source" => "FormulaAndFunctionProcessQueryDataSource",
"v1.formula_and_function_process_query_definition" => "FormulaAndFunctionProcessQueryDefinition",
"v1.formula_and_function_query_definition" => "FormulaAndFunctionQueryDefinition",
"v1.formula_and_function_response_format" => "FormulaAndFunctionResponseFormat",
"v1.free_text_widget_definition" => "FreeTextWidgetDefinition",
"v1.free_text_widget_definition_type" => "FreeTextWidgetDefinitionType",
"v1.funnel_query" => "FunnelQuery",
"v1.funnel_request_type" => "FunnelRequestType",
"v1.funnel_source" => "FunnelSource",
"v1.funnel_step" => "FunnelStep",
"v1.funnel_widget_definition" => "FunnelWidgetDefinition",
"v1.funnel_widget_definition_type" => "FunnelWidgetDefinitionType",
"v1.funnel_widget_request" => "FunnelWidgetRequest",
"v1.gcp_account" => "GCPAccount",
"v1.geomap_widget_definition" => "GeomapWidgetDefinition",
"v1.geomap_widget_definition_style" => "GeomapWidgetDefinitionStyle",
"v1.geomap_widget_definition_type" => "GeomapWidgetDefinitionType",
"v1.geomap_widget_definition_view" => "GeomapWidgetDefinitionView",
"v1.geomap_widget_request" => "GeomapWidgetRequest",
"v1.graph_snapshot" => "GraphSnapshot",
"v1.group_widget_definition" => "GroupWidgetDefinition",
"v1.group_widget_definition_type" => "GroupWidgetDefinitionType",
"v1.heat_map_widget_definition" => "HeatMapWidgetDefinition",
"v1.heat_map_widget_definition_type" => "HeatMapWidgetDefinitionType",
"v1.heat_map_widget_request" => "HeatMapWidgetRequest",
"v1.host" => "Host",
"v1.host_list_response" => "HostListResponse",
"v1.host_map_request" => "HostMapRequest",
"v1.host_map_widget_definition" => "HostMapWidgetDefinition",
"v1.host_map_widget_definition_requests" => "HostMapWidgetDefinitionRequests",
"v1.host_map_widget_definition_style" => "HostMapWidgetDefinitionStyle",
"v1.host_map_widget_definition_type" => "HostMapWidgetDefinitionType",
"v1.host_meta" => "HostMeta",
"v1.host_meta_install_method" => "HostMetaInstallMethod",
"v1.host_metrics" => "HostMetrics",
"v1.host_mute_response" => "HostMuteResponse",
"v1.host_mute_settings" => "HostMuteSettings",
"v1.host_tags" => "HostTags",
"v1.host_totals" => "HostTotals",
"v1.hourly_usage_attribution_body" => "HourlyUsageAttributionBody",
"v1.hourly_usage_attribution_metadata" => "HourlyUsageAttributionMetadata",
"v1.hourly_usage_attribution_pagination" => "HourlyUsageAttributionPagination",
"v1.hourly_usage_attribution_response" => "HourlyUsageAttributionResponse",
"v1.hourly_usage_attribution_usage_type" => "HourlyUsageAttributionUsageType",
"v1.http_log_error" => "HTTPLogError",
"v1.http_log_item" => "HTTPLogItem",
"v1.idp_form_data" => "IdpFormData",
"v1.idp_response" => "IdpResponse",
"v1.i_frame_widget_definition" => "IFrameWidgetDefinition",
"v1.i_frame_widget_definition_type" => "IFrameWidgetDefinitionType",
"v1.image_widget_definition" => "ImageWidgetDefinition",
"v1.image_widget_definition_type" => "ImageWidgetDefinitionType",
"v1.intake_payload_accepted" => "IntakePayloadAccepted",
"v1.ip_prefixes_agents" => "IPPrefixesAgents",
"v1.ip_prefixes_api" => "IPPrefixesAPI",
"v1.ip_prefixes_apm" => "IPPrefixesAPM",
"v1.ip_prefixes_logs" => "IPPrefixesLogs",
"v1.ip_prefixes_orchestrator" => "IPPrefixesOrchestrator",
"v1.ip_prefixes_process" => "IPPrefixesProcess",
"v1.ip_prefixes_synthetics" => "IPPrefixesSynthetics",
"v1.ip_prefixes_synthetics_private_locations" => "IPPrefixesSyntheticsPrivateLocations",
"v1.ip_prefixes_webhooks" => "IPPrefixesWebhooks",
"v1.ip_ranges" => "IPRanges",
"v1.list_stream_column" => "ListStreamColumn",
"v1.list_stream_column_width" => "ListStreamColumnWidth",
"v1.list_stream_compute_aggregation" => "ListStreamComputeAggregation",
"v1.list_stream_compute_items" => "ListStreamComputeItems",
"v1.list_stream_group_by_items" => "ListStreamGroupByItems",
"v1.list_stream_query" => "ListStreamQuery",
"v1.list_stream_response_format" => "ListStreamResponseFormat",
"v1.list_stream_source" => "ListStreamSource",
"v1.list_stream_widget_definition" => "ListStreamWidgetDefinition",
"v1.list_stream_widget_definition_type" => "ListStreamWidgetDefinitionType",
"v1.list_stream_widget_request" => "ListStreamWidgetRequest",
"v1.log" => "Log",
"v1.log_content" => "LogContent",
"v1.log_query_definition" => "LogQueryDefinition",
"v1.log_query_definition_group_by" => "LogQueryDefinitionGroupBy",
"v1.log_query_definition_group_by_sort" => "LogQueryDefinitionGroupBySort",
"v1.log_query_definition_search" => "LogQueryDefinitionSearch",
"v1.logs_api_error" => "LogsAPIError",
"v1.logs_api_error_response" => "LogsAPIErrorResponse",
"v1.logs_arithmetic_processor" => "LogsArithmeticProcessor",
"v1.logs_arithmetic_processor_type" => "LogsArithmeticProcessorType",
"v1.logs_attribute_remapper" => "LogsAttributeRemapper",
"v1.logs_attribute_remapper_type" => "LogsAttributeRemapperType",
"v1.logs_by_retention" => "LogsByRetention",
"v1.logs_by_retention_monthly_usage" => "LogsByRetentionMonthlyUsage",
"v1.logs_by_retention_orgs" => "LogsByRetentionOrgs",
"v1.logs_by_retention_org_usage" => "LogsByRetentionOrgUsage",
"v1.logs_category_processor" => "LogsCategoryProcessor",
"v1.logs_category_processor_category" => "LogsCategoryProcessorCategory",
"v1.logs_category_processor_type" => "LogsCategoryProcessorType",
"v1.logs_date_remapper" => "LogsDateRemapper",
"v1.logs_date_remapper_type" => "LogsDateRemapperType",
"v1.logs_exclusion" => "LogsExclusion",
"v1.logs_exclusion_filter" => "LogsExclusionFilter",
"v1.logs_filter" => "LogsFilter",
"v1.logs_geo_ip_parser" => "LogsGeoIPParser",
"v1.logs_geo_ip_parser_type" => "LogsGeoIPParserType",
"v1.logs_grok_parser" => "LogsGrokParser",
"v1.logs_grok_parser_rules" => "LogsGrokParserRules",
"v1.logs_grok_parser_type" => "LogsGrokParserType",
"v1.logs_index" => "LogsIndex",
"v1.logs_indexes_order" => "LogsIndexesOrder",
"v1.logs_index_list_response" => "LogsIndexListResponse",
"v1.logs_index_update_request" => "LogsIndexUpdateRequest",
"v1.logs_list_request" => "LogsListRequest",
"v1.logs_list_request_time" => "LogsListRequestTime",
"v1.logs_list_response" => "LogsListResponse",
"v1.logs_lookup_processor" => "LogsLookupProcessor",
"v1.logs_lookup_processor_type" => "LogsLookupProcessorType",
"v1.logs_message_remapper" => "LogsMessageRemapper",
"v1.logs_message_remapper_type" => "LogsMessageRemapperType",
"v1.logs_pipeline" => "LogsPipeline",
"v1.logs_pipeline_processor" => "LogsPipelineProcessor",
"v1.logs_pipeline_processor_type" => "LogsPipelineProcessorType",
"v1.logs_pipelines_order" => "LogsPipelinesOrder",
"v1.logs_processor" => "LogsProcessor",
"v1.logs_query_compute" => "LogsQueryCompute",
"v1.logs_retention_agg_sum_usage" => "LogsRetentionAggSumUsage",
"v1.logs_retention_sum_usage" => "LogsRetentionSumUsage",
"v1.logs_service_remapper" => "LogsServiceRemapper",
"v1.logs_service_remapper_type" => "LogsServiceRemapperType",
"v1.logs_sort" => "LogsSort",
"v1.logs_status_remapper" => "LogsStatusRemapper",
"v1.logs_status_remapper_type" => "LogsStatusRemapperType",
"v1.logs_string_builder_processor" => "LogsStringBuilderProcessor",
"v1.logs_string_builder_processor_type" => "LogsStringBuilderProcessorType",
"v1.logs_trace_remapper" => "LogsTraceRemapper",
"v1.logs_trace_remapper_type" => "LogsTraceRemapperType",
"v1.log_stream_widget_definition" => "LogStreamWidgetDefinition",
"v1.log_stream_widget_definition_type" => "LogStreamWidgetDefinitionType",
"v1.logs_url_parser" => "LogsURLParser",
"v1.logs_url_parser_type" => "LogsURLParserType",
"v1.logs_user_agent_parser" => "LogsUserAgentParser",
"v1.logs_user_agent_parser_type" => "LogsUserAgentParserType",
"v1.metric_content_encoding" => "MetricContentEncoding",
"v1.metric_metadata" => "MetricMetadata",
"v1.metric_search_response" => "MetricSearchResponse",
"v1.metric_search_response_results" => "MetricSearchResponseResults",
"v1.metrics_list_response" => "MetricsListResponse",
"v1.metrics_payload" => "MetricsPayload",
"v1.metrics_query_metadata" => "MetricsQueryMetadata",
"v1.metrics_query_response" => "MetricsQueryResponse",
"v1.metrics_query_unit" => "MetricsQueryUnit",
"v1.monitor" => "Monitor",
"v1.monitor_device_id" => "MonitorDeviceID",
"v1.monitor_formula_and_function_event_aggregation" => "MonitorFormulaAndFunctionEventAggregation",
"v1.monitor_formula_and_function_event_query_definition" => "MonitorFormulaAndFunctionEventQueryDefinition",
"v1.monitor_formula_and_function_event_query_definition_compute" => "MonitorFormulaAndFunctionEventQueryDefinitionCompute",
"v1.monitor_formula_and_function_event_query_definition_search" => "MonitorFormulaAndFunctionEventQueryDefinitionSearch",
"v1.monitor_formula_and_function_event_query_group_by" => "MonitorFormulaAndFunctionEventQueryGroupBy",
"v1.monitor_formula_and_function_event_query_group_by_sort" => "MonitorFormulaAndFunctionEventQueryGroupBySort",
"v1.monitor_formula_and_function_events_data_source" => "MonitorFormulaAndFunctionEventsDataSource",
"v1.monitor_formula_and_function_query_definition" => "MonitorFormulaAndFunctionQueryDefinition",
"v1.monitor_group_search_response" => "MonitorGroupSearchResponse",
"v1.monitor_group_search_response_counts" => "MonitorGroupSearchResponseCounts",
"v1.monitor_group_search_result" => "MonitorGroupSearchResult",
"v1.monitor_options" => "MonitorOptions",
"v1.monitor_options_aggregation" => "MonitorOptionsAggregation",
"v1.monitor_options_notification_presets" => "MonitorOptionsNotificationPresets",
"v1.monitor_options_scheduling_options" => "MonitorOptionsSchedulingOptions",
"v1.monitor_options_scheduling_options_evaluation_window" => "MonitorOptionsSchedulingOptionsEvaluationWindow",
"v1.monitor_overall_states" => "MonitorOverallStates",
"v1.monitor_renotify_status_type" => "MonitorRenotifyStatusType",
"v1.monitor_search_count_item" => "MonitorSearchCountItem",
"v1.monitor_search_response" => "MonitorSearchResponse",
"v1.monitor_search_response_counts" => "MonitorSearchResponseCounts",
"v1.monitor_search_response_metadata" => "MonitorSearchResponseMetadata",
"v1.monitor_search_result" => "MonitorSearchResult",
"v1.monitor_search_result_notification" => "MonitorSearchResultNotification",
"v1.monitor_state" => "MonitorState",
"v1.monitor_state_group" => "MonitorStateGroup",
"v1.monitor_summary_widget_definition" => "MonitorSummaryWidgetDefinition",
"v1.monitor_summary_widget_definition_type" => "MonitorSummaryWidgetDefinitionType",
"v1.monitor_thresholds" => "MonitorThresholds",
"v1.monitor_threshold_window_options" => "MonitorThresholdWindowOptions",
"v1.monitor_type" => "MonitorType",
"v1.monitor_update_request" => "MonitorUpdateRequest",
"v1.monthly_usage_attribution_body" => "MonthlyUsageAttributionBody",
"v1.monthly_usage_attribution_metadata" => "MonthlyUsageAttributionMetadata",
"v1.monthly_usage_attribution_pagination" => "MonthlyUsageAttributionPagination",
"v1.monthly_usage_attribution_response" => "MonthlyUsageAttributionResponse",
"v1.monthly_usage_attribution_supported_metrics" => "MonthlyUsageAttributionSupportedMetrics",
"v1.monthly_usage_attribution_values" => "MonthlyUsageAttributionValues",
"v1.notebook_absolute_time" => "NotebookAbsoluteTime",
"v1.notebook_author" => "NotebookAuthor",
"v1.notebook_cell_create_request" => "NotebookCellCreateRequest",
"v1.notebook_cell_create_request_attributes" => "NotebookCellCreateRequestAttributes",
"v1.notebook_cell_resource_type" => "NotebookCellResourceType",
"v1.notebook_cell_response" => "NotebookCellResponse",
"v1.notebook_cell_response_attributes" => "NotebookCellResponseAttributes",
"v1.notebook_cell_time" => "NotebookCellTime",
"v1.notebook_cell_update_request" => "NotebookCellUpdateRequest",
"v1.notebook_cell_update_request_attributes" => "NotebookCellUpdateRequestAttributes",
"v1.notebook_create_data" => "NotebookCreateData",
"v1.notebook_create_data_attributes" => "NotebookCreateDataAttributes",
"v1.notebook_create_request" => "NotebookCreateRequest",
"v1.notebook_distribution_cell_attributes" => "NotebookDistributionCellAttributes",
"v1.notebook_global_time" => "NotebookGlobalTime",
"v1.notebook_graph_size" => "NotebookGraphSize",
"v1.notebook_heat_map_cell_attributes" => "NotebookHeatMapCellAttributes",
"v1.notebook_log_stream_cell_attributes" => "NotebookLogStreamCellAttributes",
"v1.notebook_markdown_cell_attributes" => "NotebookMarkdownCellAttributes",
"v1.notebook_markdown_cell_definition" => "NotebookMarkdownCellDefinition",
"v1.notebook_markdown_cell_definition_type" => "NotebookMarkdownCellDefinitionType",
"v1.notebook_metadata" => "NotebookMetadata",
"v1.notebook_metadata_type" => "NotebookMetadataType",
"v1.notebook_relative_time" => "NotebookRelativeTime",
"v1.notebook_resource_type" => "NotebookResourceType",
"v1.notebook_response" => "NotebookResponse",
"v1.notebook_response_data" => "NotebookResponseData",
"v1.notebook_response_data_attributes" => "NotebookResponseDataAttributes",
"v1.notebook_split_by" => "NotebookSplitBy",
"v1.notebooks_response" => "NotebooksResponse",
"v1.notebooks_response_data" => "NotebooksResponseData",
"v1.notebooks_response_data_attributes" => "NotebooksResponseDataAttributes",
"v1.notebooks_response_meta" => "NotebooksResponseMeta",
"v1.notebooks_response_page" => "NotebooksResponsePage",
"v1.notebook_status" => "NotebookStatus",
"v1.notebook_timeseries_cell_attributes" => "NotebookTimeseriesCellAttributes",
"v1.notebook_toplist_cell_attributes" => "NotebookToplistCellAttributes",
"v1.notebook_update_cell" => "NotebookUpdateCell",
"v1.notebook_update_data" => "NotebookUpdateData",
"v1.notebook_update_data_attributes" => "NotebookUpdateDataAttributes",
"v1.notebook_update_request" => "NotebookUpdateRequest",
"v1.note_widget_definition" => "NoteWidgetDefinition",
"v1.note_widget_definition_type" => "NoteWidgetDefinitionType",
"v1.on_missing_data_option" => "OnMissingDataOption",
"v1.organization" => "Organization",
"v1.organization_billing" => "OrganizationBilling",
"v1.organization_create_body" => "OrganizationCreateBody",
"v1.organization_create_response" => "OrganizationCreateResponse",
"v1.organization_list_response" => "OrganizationListResponse",
"v1.organization_response" => "OrganizationResponse",
"v1.organization_settings" => "OrganizationSettings",
"v1.organization_settings_saml" => "OrganizationSettingsSaml",
"v1.organization_settings_saml_autocreate_users_domains" => "OrganizationSettingsSamlAutocreateUsersDomains",
"v1.organization_settings_saml_idp_initiated_login" => "OrganizationSettingsSamlIdpInitiatedLogin",
"v1.organization_settings_saml_strict_mode" => "OrganizationSettingsSamlStrictMode",
"v1.organization_subscription" => "OrganizationSubscription",
"v1.org_downgraded_response" => "OrgDowngradedResponse",
"v1.pager_duty_service" => "PagerDutyService",
"v1.pager_duty_service_key" => "PagerDutyServiceKey",
"v1.pager_duty_service_name" => "PagerDutyServiceName",
"v1.pagination" => "Pagination",
"v1.process_query_definition" => "ProcessQueryDefinition",
"v1.query_sort_order" => "QuerySortOrder",
"v1.query_value_widget_definition" => "QueryValueWidgetDefinition",
"v1.query_value_widget_definition_type" => "QueryValueWidgetDefinitionType",
"v1.query_value_widget_request" => "QueryValueWidgetRequest",
"v1.reference_table_logs_lookup_processor" => "ReferenceTableLogsLookupProcessor",
"v1.response_meta_attributes" => "ResponseMetaAttributes",
"v1.run_workflow_widget_definition" => "RunWorkflowWidgetDefinition",
"v1.run_workflow_widget_definition_type" => "RunWorkflowWidgetDefinitionType",
"v1.run_workflow_widget_input" => "RunWorkflowWidgetInput",
"v1.scatterplot_dimension" => "ScatterplotDimension",
"v1.scatter_plot_request" => "ScatterPlotRequest",
"v1.scatterplot_table_request" => "ScatterplotTableRequest",
"v1.scatterplot_widget_aggregator" => "ScatterplotWidgetAggregator",
"v1.scatter_plot_widget_definition" => "ScatterPlotWidgetDefinition",
"v1.scatter_plot_widget_definition_requests" => "ScatterPlotWidgetDefinitionRequests",
"v1.scatter_plot_widget_definition_type" => "ScatterPlotWidgetDefinitionType",
"v1.scatterplot_widget_formula" => "ScatterplotWidgetFormula",
"v1.search_service_level_objective" => "SearchServiceLevelObjective",
"v1.search_service_level_objective_attributes" => "SearchServiceLevelObjectiveAttributes",
"v1.search_service_level_objective_data" => "SearchServiceLevelObjectiveData",
"v1.search_slo_query" => "SearchSLOQuery",
"v1.search_slo_response" => "SearchSLOResponse",
"v1.search_slo_response_data" => "SearchSLOResponseData",
"v1.search_slo_response_data_attributes" => "SearchSLOResponseDataAttributes",
"v1.search_slo_response_data_attributes_facets" => "SearchSLOResponseDataAttributesFacets",
"v1.search_slo_response_data_attributes_facets_object_int" => "SearchSLOResponseDataAttributesFacetsObjectInt",
"v1.search_slo_response_data_attributes_facets_object_string" => "SearchSLOResponseDataAttributesFacetsObjectString",
"v1.search_slo_response_links" => "SearchSLOResponseLinks",
"v1.search_slo_response_meta" => "SearchSLOResponseMeta",
"v1.search_slo_response_meta_page" => "SearchSLOResponseMetaPage",
"v1.search_slo_threshold" => "SearchSLOThreshold",
"v1.search_slo_timeframe" => "SearchSLOTimeframe",
"v1.series" => "Series",
"v1.service_check" => "ServiceCheck",
"v1.service_check_status" => "ServiceCheckStatus",
"v1.service_level_objective" => "ServiceLevelObjective",
"v1.service_level_objective_query" => "ServiceLevelObjectiveQuery",
"v1.service_level_objective_request" => "ServiceLevelObjectiveRequest",
"v1.service_map_widget_definition" => "ServiceMapWidgetDefinition",
"v1.service_map_widget_definition_type" => "ServiceMapWidgetDefinitionType",
"v1.service_summary_widget_definition" => "ServiceSummaryWidgetDefinition",
"v1.service_summary_widget_definition_type" => "ServiceSummaryWidgetDefinitionType",
"v1.signal_archive_reason" => "SignalArchiveReason",
"v1.signal_assignee_update_request" => "SignalAssigneeUpdateRequest",
"v1.signal_state_update_request" => "SignalStateUpdateRequest",
"v1.signal_triage_state" => "SignalTriageState",
"v1.slack_integration_channel" => "SlackIntegrationChannel",
"v1.slack_integration_channel_display" => "SlackIntegrationChannelDisplay",
"v1.slo_bulk_delete_error" => "SLOBulkDeleteError",
"v1.slo_bulk_delete_response" => "SLOBulkDeleteResponse",
"v1.slo_bulk_delete_response_data" => "SLOBulkDeleteResponseData",
"v1.slo_correction" => "SLOCorrection",
"v1.slo_correction_category" => "SLOCorrectionCategory",
"v1.slo_correction_create_data" => "SLOCorrectionCreateData",
"v1.slo_correction_create_request" => "SLOCorrectionCreateRequest",
"v1.slo_correction_create_request_attributes" => "SLOCorrectionCreateRequestAttributes",
"v1.slo_correction_list_response" => "SLOCorrectionListResponse",
"v1.slo_correction_response" => "SLOCorrectionResponse",
"v1.slo_correction_response_attributes" => "SLOCorrectionResponseAttributes",
"v1.slo_correction_response_attributes_modifier" => "SLOCorrectionResponseAttributesModifier",
"v1.slo_correction_type" => "SLOCorrectionType",
"v1.slo_correction_update_data" => "SLOCorrectionUpdateData",
"v1.slo_correction_update_request" => "SLOCorrectionUpdateRequest",
"v1.slo_correction_update_request_attributes" => "SLOCorrectionUpdateRequestAttributes",
"v1.slo_creator" => "SLOCreator",
"v1.slo_delete_response" => "SLODeleteResponse",
"v1.slo_error_timeframe" => "SLOErrorTimeframe",
"v1.slo_history_metrics" => "SLOHistoryMetrics",
"v1.slo_history_metrics_series" => "SLOHistoryMetricsSeries",
"v1.slo_history_metrics_series_metadata" => "SLOHistoryMetricsSeriesMetadata",
"v1.slo_history_metrics_series_metadata_unit" => "SLOHistoryMetricsSeriesMetadataUnit",
"v1.slo_history_monitor" => "SLOHistoryMonitor",
"v1.slo_history_response" => "SLOHistoryResponse",
"v1.slo_history_response_data" => "SLOHistoryResponseData",
"v1.slo_history_response_error" => "SLOHistoryResponseError",
"v1.slo_history_response_error_with_type" => "SLOHistoryResponseErrorWithType",
"v1.slo_history_sli_data" => "SLOHistorySLIData",
"v1.slo_list_response" => "SLOListResponse",
"v1.slo_list_response_metadata" => "SLOListResponseMetadata",
"v1.slo_list_response_metadata_page" => "SLOListResponseMetadataPage",
"v1.slo_list_widget_definition" => "SLOListWidgetDefinition",
"v1.slo_list_widget_definition_type" => "SLOListWidgetDefinitionType",
"v1.slo_list_widget_query" => "SLOListWidgetQuery",
"v1.slo_list_widget_request" => "SLOListWidgetRequest",
"v1.slo_list_widget_request_type" => "SLOListWidgetRequestType",
"v1.slo_overall_statuses" => "SLOOverallStatuses",
"v1.slo_raw_error_budget_remaining" => "SLORawErrorBudgetRemaining",
"v1.slo_response" => "SLOResponse",
"v1.slo_response_data" => "SLOResponseData",
"v1.slo_state" => "SLOState",
"v1.slo_status" => "SLOStatus",
"v1.slo_threshold" => "SLOThreshold",
"v1.slo_timeframe" => "SLOTimeframe",
"v1.slo_type" => "SLOType",
"v1.slo_type_numeric" => "SLOTypeNumeric",
"v1.slo_widget_definition" => "SLOWidgetDefinition",
"v1.slo_widget_definition_type" => "SLOWidgetDefinitionType",
"v1.successful_signal_update_response" => "SuccessfulSignalUpdateResponse",
"v1.sunburst_widget_definition" => "SunburstWidgetDefinition",
"v1.sunburst_widget_definition_type" => "SunburstWidgetDefinitionType",
"v1.sunburst_widget_legend" => "SunburstWidgetLegend",
"v1.sunburst_widget_legend_inline_automatic" => "SunburstWidgetLegendInlineAutomatic",
"v1.sunburst_widget_legend_inline_automatic_type" => "SunburstWidgetLegendInlineAutomaticType",
"v1.sunburst_widget_legend_table" => "SunburstWidgetLegendTable",
"v1.sunburst_widget_legend_table_type" => "SunburstWidgetLegendTableType",
"v1.sunburst_widget_request" => "SunburstWidgetRequest",
"v1.synthetics_api_step" => "SyntheticsAPIStep",
"v1.synthetics_api_step_subtype" => "SyntheticsAPIStepSubtype",
"v1.synthetics_api_test" => "SyntheticsAPITest",
"v1.synthetics_api_test_config" => "SyntheticsAPITestConfig",
"v1.synthetics_api_test_failure_code" => "SyntheticsApiTestFailureCode",
"v1.synthetics_api_test_result_data" => "SyntheticsAPITestResultData",
"v1.synthetics_api_test_result_failure" => "SyntheticsApiTestResultFailure",
"v1.synthetics_api_test_result_full" => "SyntheticsAPITestResultFull",
"v1.synthetics_api_test_result_full_check" => "SyntheticsAPITestResultFullCheck",
"v1.synthetics_api_test_result_short" => "SyntheticsAPITestResultShort",
"v1.synthetics_api_test_result_short_result" => "SyntheticsAPITestResultShortResult",
"v1.synthetics_api_test_type" => "SyntheticsAPITestType",
"v1.synthetics_assertion" => "SyntheticsAssertion",
"v1.synthetics_assertion_json_path_operator" => "SyntheticsAssertionJSONPathOperator",
"v1.synthetics_assertion_json_path_target" => "SyntheticsAssertionJSONPathTarget",
"v1.synthetics_assertion_json_path_target_target" => "SyntheticsAssertionJSONPathTargetTarget",
"v1.synthetics_assertion_operator" => "SyntheticsAssertionOperator",
"v1.synthetics_assertion_target" => "SyntheticsAssertionTarget",
"v1.synthetics_assertion_type" => "SyntheticsAssertionType",
"v1.synthetics_assertion_x_path_operator" => "SyntheticsAssertionXPathOperator",
"v1.synthetics_assertion_x_path_target" => "SyntheticsAssertionXPathTarget",
"v1.synthetics_assertion_x_path_target_target" => "SyntheticsAssertionXPathTargetTarget",
"v1.synthetics_basic_auth" => "SyntheticsBasicAuth",
"v1.synthetics_basic_auth_digest" => "SyntheticsBasicAuthDigest",
"v1.synthetics_basic_auth_digest_type" => "SyntheticsBasicAuthDigestType",
"v1.synthetics_basic_auth_ntlm" => "SyntheticsBasicAuthNTLM",
"v1.synthetics_basic_auth_ntlm_type" => "SyntheticsBasicAuthNTLMType",
"v1.synthetics_basic_auth_oauth_client" => "SyntheticsBasicAuthOauthClient",
"v1.synthetics_basic_auth_oauth_client_type" => "SyntheticsBasicAuthOauthClientType",
"v1.synthetics_basic_auth_oauth_rop" => "SyntheticsBasicAuthOauthROP",
"v1.synthetics_basic_auth_oauth_rop_type" => "SyntheticsBasicAuthOauthROPType",
"v1.synthetics_basic_auth_oauth_token_api_authentication" => "SyntheticsBasicAuthOauthTokenApiAuthentication",
"v1.synthetics_basic_auth_sigv4" => "SyntheticsBasicAuthSigv4",
"v1.synthetics_basic_auth_sigv4_type" => "SyntheticsBasicAuthSigv4Type",
"v1.synthetics_basic_auth_web" => "SyntheticsBasicAuthWeb",
"v1.synthetics_basic_auth_web_type" => "SyntheticsBasicAuthWebType",
"v1.synthetics_batch_details" => "SyntheticsBatchDetails",
"v1.synthetics_batch_details_data" => "SyntheticsBatchDetailsData",
"v1.synthetics_batch_result" => "SyntheticsBatchResult",
"v1.synthetics_browser_error" => "SyntheticsBrowserError",
"v1.synthetics_browser_error_type" => "SyntheticsBrowserErrorType",
"v1.synthetics_browser_test" => "SyntheticsBrowserTest",
"v1.synthetics_browser_test_config" => "SyntheticsBrowserTestConfig",
"v1.synthetics_browser_test_failure_code" => "SyntheticsBrowserTestFailureCode",
"v1.synthetics_browser_test_result_data" => "SyntheticsBrowserTestResultData",
"v1.synthetics_browser_test_result_failure" => "SyntheticsBrowserTestResultFailure",
"v1.synthetics_browser_test_result_full" => "SyntheticsBrowserTestResultFull",
"v1.synthetics_browser_test_result_full_check" => "SyntheticsBrowserTestResultFullCheck",
"v1.synthetics_browser_test_result_short" => "SyntheticsBrowserTestResultShort",
"v1.synthetics_browser_test_result_short_result" => "SyntheticsBrowserTestResultShortResult",
"v1.synthetics_browser_test_rum_settings" => "SyntheticsBrowserTestRumSettings",
"v1.synthetics_browser_test_type" => "SyntheticsBrowserTestType",
"v1.synthetics_browser_variable" => "SyntheticsBrowserVariable",
"v1.synthetics_browser_variable_type" => "SyntheticsBrowserVariableType",
"v1.synthetics_check_type" => "SyntheticsCheckType",
"v1.synthetics_ci_batch_metadata" => "SyntheticsCIBatchMetadata",
"v1.synthetics_ci_batch_metadata_ci" => "SyntheticsCIBatchMetadataCI",
"v1.synthetics_ci_batch_metadata_git" => "SyntheticsCIBatchMetadataGit",
"v1.synthetics_ci_batch_metadata_pipeline" => "SyntheticsCIBatchMetadataPipeline",
"v1.synthetics_ci_batch_metadata_provider" => "SyntheticsCIBatchMetadataProvider",
"v1.synthetics_ci_test" => "SyntheticsCITest",
"v1.synthetics_ci_test_body" => "SyntheticsCITestBody",
"v1.synthetics_config_variable" => "SyntheticsConfigVariable",
"v1.synthetics_config_variable_type" => "SyntheticsConfigVariableType",
"v1.synthetics_core_web_vitals" => "SyntheticsCoreWebVitals",
"v1.synthetics_deleted_test" => "SyntheticsDeletedTest",
"v1.synthetics_delete_tests_payload" => "SyntheticsDeleteTestsPayload",
"v1.synthetics_delete_tests_response" => "SyntheticsDeleteTestsResponse",
"v1.synthetics_device" => "SyntheticsDevice",
"v1.synthetics_device_id" => "SyntheticsDeviceID",
"v1.synthetics_get_api_test_latest_results_response" => "SyntheticsGetAPITestLatestResultsResponse",
"v1.synthetics_get_browser_test_latest_results_response" => "SyntheticsGetBrowserTestLatestResultsResponse",
"v1.synthetics_global_variable" => "SyntheticsGlobalVariable",
"v1.synthetics_global_variable_attributes" => "SyntheticsGlobalVariableAttributes",
"v1.synthetics_global_variable_options" => "SyntheticsGlobalVariableOptions",
"v1.synthetics_global_variable_parser_type" => "SyntheticsGlobalVariableParserType",
"v1.synthetics_global_variable_parse_test_options" => "SyntheticsGlobalVariableParseTestOptions",
"v1.synthetics_global_variable_parse_test_options_type" => "SyntheticsGlobalVariableParseTestOptionsType",
"v1.synthetics_global_variable_totp_parameters" => "SyntheticsGlobalVariableTOTPParameters",
"v1.synthetics_global_variable_value" => "SyntheticsGlobalVariableValue",
"v1.synthetics_list_global_variables_response" => "SyntheticsListGlobalVariablesResponse",
"v1.synthetics_list_tests_response" => "SyntheticsListTestsResponse",
"v1.synthetics_location" => "SyntheticsLocation",
"v1.synthetics_locations" => "SyntheticsLocations",
"v1.synthetics_parsing_options" => "SyntheticsParsingOptions",
"v1.synthetics_playing_tab" => "SyntheticsPlayingTab",
"v1.synthetics_private_location" => "SyntheticsPrivateLocation",
"v1.synthetics_private_location_creation_response" => "SyntheticsPrivateLocationCreationResponse",
"v1.synthetics_private_location_creation_response_result_encryption" => "SyntheticsPrivateLocationCreationResponseResultEncryption",
"v1.synthetics_private_location_metadata" => "SyntheticsPrivateLocationMetadata",
"v1.synthetics_private_location_secrets" => "SyntheticsPrivateLocationSecrets",
"v1.synthetics_private_location_secrets_authentication" => "SyntheticsPrivateLocationSecretsAuthentication",
"v1.synthetics_private_location_secrets_config_decryption" => "SyntheticsPrivateLocationSecretsConfigDecryption",
"v1.synthetics_ssl_certificate" => "SyntheticsSSLCertificate",
"v1.synthetics_ssl_certificate_issuer" => "SyntheticsSSLCertificateIssuer",
"v1.synthetics_ssl_certificate_subject" => "SyntheticsSSLCertificateSubject",
"v1.synthetics_status" => "SyntheticsStatus",
"v1.synthetics_step" => "SyntheticsStep",
"v1.synthetics_step_detail" => "SyntheticsStepDetail",
"v1.synthetics_step_detail_warning" => "SyntheticsStepDetailWarning",
"v1.synthetics_step_type" => "SyntheticsStepType",
"v1.synthetics_test_call_type" => "SyntheticsTestCallType",
"v1.synthetics_test_ci_options" => "SyntheticsTestCiOptions",
"v1.synthetics_test_config" => "SyntheticsTestConfig",
"v1.synthetics_test_details" => "SyntheticsTestDetails",
"v1.synthetics_test_details_sub_type" => "SyntheticsTestDetailsSubType",
"v1.synthetics_test_details_type" => "SyntheticsTestDetailsType",
"v1.synthetics_test_execution_rule" => "SyntheticsTestExecutionRule",
"v1.synthetics_test_monitor_status" => "SyntheticsTestMonitorStatus",
"v1.synthetics_test_options" => "SyntheticsTestOptions",
"v1.synthetics_test_options_http_version" => "SyntheticsTestOptionsHTTPVersion",
"v1.synthetics_test_options_monitor_options" => "SyntheticsTestOptionsMonitorOptions",
"v1.synthetics_test_options_retry" => "SyntheticsTestOptionsRetry",
"v1.synthetics_test_options_scheduling" => "SyntheticsTestOptionsScheduling",
"v1.synthetics_test_options_scheduling_timeframe" => "SyntheticsTestOptionsSchedulingTimeframe",
"v1.synthetics_test_pause_status" => "SyntheticsTestPauseStatus",
"v1.synthetics_test_process_status" => "SyntheticsTestProcessStatus",
"v1.synthetics_test_request" => "SyntheticsTestRequest",
"v1.synthetics_test_request_body_type" => "SyntheticsTestRequestBodyType",
"v1.synthetics_test_request_certificate" => "SyntheticsTestRequestCertificate",
"v1.synthetics_test_request_certificate_item" => "SyntheticsTestRequestCertificateItem",
"v1.synthetics_test_request_proxy" => "SyntheticsTestRequestProxy",
"v1.synthetics_timing" => "SyntheticsTiming",
"v1.synthetics_trigger_body" => "SyntheticsTriggerBody",
"v1.synthetics_trigger_ci_test_location" => "SyntheticsTriggerCITestLocation",
"v1.synthetics_trigger_ci_test_run_result" => "SyntheticsTriggerCITestRunResult",
"v1.synthetics_trigger_ci_tests_response" => "SyntheticsTriggerCITestsResponse",
"v1.synthetics_trigger_test" => "SyntheticsTriggerTest",
"v1.synthetics_update_test_pause_status_payload" => "SyntheticsUpdateTestPauseStatusPayload",
"v1.synthetics_variable_parser" => "SyntheticsVariableParser",
"v1.synthetics_warning_type" => "SyntheticsWarningType",
"v1.table_widget_cell_display_mode" => "TableWidgetCellDisplayMode",
"v1.table_widget_definition" => "TableWidgetDefinition",
"v1.table_widget_definition_type" => "TableWidgetDefinitionType",
"v1.table_widget_has_search_bar" => "TableWidgetHasSearchBar",
"v1.table_widget_request" => "TableWidgetRequest",
"v1.tag_to_hosts" => "TagToHosts",
"v1.target_format_type" => "TargetFormatType",
"v1.timeseries_background" => "TimeseriesBackground",
"v1.timeseries_background_type" => "TimeseriesBackgroundType",
"v1.timeseries_widget_definition" => "TimeseriesWidgetDefinition",
"v1.timeseries_widget_definition_type" => "TimeseriesWidgetDefinitionType",
"v1.timeseries_widget_expression_alias" => "TimeseriesWidgetExpressionAlias",
"v1.timeseries_widget_legend_column" => "TimeseriesWidgetLegendColumn",
"v1.timeseries_widget_legend_layout" => "TimeseriesWidgetLegendLayout",
"v1.timeseries_widget_request" => "TimeseriesWidgetRequest",
"v1.toplist_widget_definition" => "ToplistWidgetDefinition",
"v1.toplist_widget_definition_type" => "ToplistWidgetDefinitionType",
"v1.toplist_widget_request" => "ToplistWidgetRequest",
"v1.topology_map_widget_definition" => "TopologyMapWidgetDefinition",
"v1.topology_map_widget_definition_type" => "TopologyMapWidgetDefinitionType",
"v1.topology_query" => "TopologyQuery",
"v1.topology_query_data_source" => "TopologyQueryDataSource",
"v1.topology_request" => "TopologyRequest",
"v1.topology_request_type" => "TopologyRequestType",
"v1.tree_map_color_by" => "TreeMapColorBy",
"v1.tree_map_group_by" => "TreeMapGroupBy",
"v1.tree_map_size_by" => "TreeMapSizeBy",
"v1.tree_map_widget_definition" => "TreeMapWidgetDefinition",
"v1.tree_map_widget_definition_type" => "TreeMapWidgetDefinitionType",
"v1.tree_map_widget_request" => "TreeMapWidgetRequest",
"v1.usage_analyzed_logs_hour" => "UsageAnalyzedLogsHour",
"v1.usage_analyzed_logs_response" => "UsageAnalyzedLogsResponse",
"v1.usage_attribution_aggregates_body" => "UsageAttributionAggregatesBody",
"v1.usage_attribution_body" => "UsageAttributionBody",
"v1.usage_attribution_metadata" => "UsageAttributionMetadata",
"v1.usage_attribution_pagination" => "UsageAttributionPagination",
"v1.usage_attribution_response" => "UsageAttributionResponse",
"v1.usage_attribution_sort" => "UsageAttributionSort",
"v1.usage_attribution_supported_metrics" => "UsageAttributionSupportedMetrics",
"v1.usage_attribution_values" => "UsageAttributionValues",
"v1.usage_audit_logs_hour" => "UsageAuditLogsHour",
"v1.usage_audit_logs_response" => "UsageAuditLogsResponse",
"v1.usage_billable_summary_body" => "UsageBillableSummaryBody",
"v1.usage_billable_summary_hour" => "UsageBillableSummaryHour",
"v1.usage_billable_summary_keys" => "UsageBillableSummaryKeys",
"v1.usage_billable_summary_response" => "UsageBillableSummaryResponse",
"v1.usage_ci_visibility_hour" => "UsageCIVisibilityHour",
"v1.usage_ci_visibility_response" => "UsageCIVisibilityResponse",
"v1.usage_cloud_security_posture_management_hour" => "UsageCloudSecurityPostureManagementHour",
"v1.usage_cloud_security_posture_management_response" => "UsageCloudSecurityPostureManagementResponse",
"v1.usage_custom_reports_attributes" => "UsageCustomReportsAttributes",
"v1.usage_custom_reports_data" => "UsageCustomReportsData",
"v1.usage_custom_reports_meta" => "UsageCustomReportsMeta",
"v1.usage_custom_reports_page" => "UsageCustomReportsPage",
"v1.usage_custom_reports_response" => "UsageCustomReportsResponse",
"v1.usage_cws_hour" => "UsageCWSHour",
"v1.usage_cws_response" => "UsageCWSResponse",
"v1.usage_dbm_hour" => "UsageDBMHour",
"v1.usage_dbm_response" => "UsageDBMResponse",
"v1.usage_fargate_hour" => "UsageFargateHour",
"v1.usage_fargate_response" => "UsageFargateResponse",
"v1.usage_host_hour" => "UsageHostHour",
"v1.usage_hosts_response" => "UsageHostsResponse",
"v1.usage_incident_management_hour" => "UsageIncidentManagementHour",
"v1.usage_incident_management_response" => "UsageIncidentManagementResponse",
"v1.usage_indexed_spans_hour" => "UsageIndexedSpansHour",
"v1.usage_indexed_spans_response" => "UsageIndexedSpansResponse",
"v1.usage_ingested_spans_hour" => "UsageIngestedSpansHour",
"v1.usage_ingested_spans_response" => "UsageIngestedSpansResponse",
"v1.usage_iot_hour" => "UsageIoTHour",
"v1.usage_iot_response" => "UsageIoTResponse",
"v1.usage_lambda_hour" => "UsageLambdaHour",
"v1.usage_lambda_response" => "UsageLambdaResponse",
"v1.usage_logs_by_index_hour" => "UsageLogsByIndexHour",
"v1.usage_logs_by_index_response" => "UsageLogsByIndexResponse",
"v1.usage_logs_by_retention_hour" => "UsageLogsByRetentionHour",
"v1.usage_logs_by_retention_response" => "UsageLogsByRetentionResponse",
"v1.usage_logs_hour" => "UsageLogsHour",
"v1.usage_logs_response" => "UsageLogsResponse",
"v1.usage_metric_category" => "UsageMetricCategory",
"v1.usage_network_flows_hour" => "UsageNetworkFlowsHour",
"v1.usage_network_flows_response" => "UsageNetworkFlowsResponse",
"v1.usage_network_hosts_hour" => "UsageNetworkHostsHour",
"v1.usage_network_hosts_response" => "UsageNetworkHostsResponse",
"v1.usage_online_archive_hour" => "UsageOnlineArchiveHour",
"v1.usage_online_archive_response" => "UsageOnlineArchiveResponse",
"v1.usage_profiling_hour" => "UsageProfilingHour",
"v1.usage_profiling_response" => "UsageProfilingResponse",
"v1.usage_reports_type" => "UsageReportsType",
"v1.usage_rum_sessions_hour" => "UsageRumSessionsHour",
"v1.usage_rum_sessions_response" => "UsageRumSessionsResponse",
"v1.usage_rum_units_hour" => "UsageRumUnitsHour",
"v1.usage_rum_units_response" => "UsageRumUnitsResponse",
"v1.usage_sds_hour" => "UsageSDSHour",
"v1.usage_sds_response" => "UsageSDSResponse",
"v1.usage_snmp_hour" => "UsageSNMPHour",
"v1.usage_snmp_response" => "UsageSNMPResponse",
"v1.usage_sort" => "UsageSort",
"v1.usage_sort_direction" => "UsageSortDirection",
"v1.usage_specified_custom_reports_attributes" => "UsageSpecifiedCustomReportsAttributes",
"v1.usage_specified_custom_reports_data" => "UsageSpecifiedCustomReportsData",
"v1.usage_specified_custom_reports_meta" => "UsageSpecifiedCustomReportsMeta",
"v1.usage_specified_custom_reports_page" => "UsageSpecifiedCustomReportsPage",
"v1.usage_specified_custom_reports_response" => "UsageSpecifiedCustomReportsResponse",
"v1.usage_summary_date" => "UsageSummaryDate",
"v1.usage_summary_date_org" => "UsageSummaryDateOrg",
"v1.usage_summary_response" => "UsageSummaryResponse",
"v1.usage_synthetics_api_hour" => "UsageSyntheticsAPIHour",
"v1.usage_synthetics_api_response" => "UsageSyntheticsAPIResponse",
"v1.usage_synthetics_browser_hour" => "UsageSyntheticsBrowserHour",
"v1.usage_synthetics_browser_response" => "UsageSyntheticsBrowserResponse",
"v1.usage_synthetics_hour" => "UsageSyntheticsHour",
"v1.usage_synthetics_response" => "UsageSyntheticsResponse",
"v1.usage_timeseries_hour" => "UsageTimeseriesHour",
"v1.usage_timeseries_response" => "UsageTimeseriesResponse",
"v1.usage_top_avg_metrics_hour" => "UsageTopAvgMetricsHour",
"v1.usage_top_avg_metrics_metadata" => "UsageTopAvgMetricsMetadata",
"v1.usage_top_avg_metrics_pagination" => "UsageTopAvgMetricsPagination",
"v1.usage_top_avg_metrics_response" => "UsageTopAvgMetricsResponse",
"v1.user" => "User",
"v1.user_disable_response" => "UserDisableResponse",
"v1.user_list_response" => "UserListResponse",
"v1.user_response" => "UserResponse",
"v1.webhooks_integration" => "WebhooksIntegration",
"v1.webhooks_integration_custom_variable" => "WebhooksIntegrationCustomVariable",
"v1.webhooks_integration_custom_variable_response" => "WebhooksIntegrationCustomVariableResponse",
"v1.webhooks_integration_custom_variable_update_request" => "WebhooksIntegrationCustomVariableUpdateRequest",
"v1.webhooks_integration_encoding" => "WebhooksIntegrationEncoding",
"v1.webhooks_integration_update_request" => "WebhooksIntegrationUpdateRequest",
"v1.widget" => "Widget",
"v1.widget_aggregator" => "WidgetAggregator",
"v1.widget_axis" => "WidgetAxis",
"v1.widget_change_type" => "WidgetChangeType",
"v1.widget_color_preference" => "WidgetColorPreference",
"v1.widget_comparator" => "WidgetComparator",
"v1.widget_compare_to" => "WidgetCompareTo",
"v1.widget_conditional_format" => "WidgetConditionalFormat",
"v1.widget_custom_link" => "WidgetCustomLink",
"v1.widget_definition" => "WidgetDefinition",
"v1.widget_display_type" => "WidgetDisplayType",
"v1.widget_event" => "WidgetEvent",
"v1.widget_event_size" => "WidgetEventSize",
"v1.widget_field_sort" => "WidgetFieldSort",
"v1.widget_formula" => "WidgetFormula",
"v1.widget_formula_limit" => "WidgetFormulaLimit",
"v1.widget_formula_style" => "WidgetFormulaStyle",
"v1.widget_grouping" => "WidgetGrouping",
"v1.widget_horizontal_align" => "WidgetHorizontalAlign",
"v1.widget_image_sizing" => "WidgetImageSizing",
"v1.widget_layout" => "WidgetLayout",
"v1.widget_layout_type" => "WidgetLayoutType",
"v1.widget_line_type" => "WidgetLineType",
"v1.widget_line_width" => "WidgetLineWidth",
"v1.widget_live_span" => "WidgetLiveSpan",
"v1.widget_margin" => "WidgetMargin",
"v1.widget_marker" => "WidgetMarker",
"v1.widget_message_display" => "WidgetMessageDisplay",
"v1.widget_monitor_summary_display_format" => "WidgetMonitorSummaryDisplayFormat",
"v1.widget_monitor_summary_sort" => "WidgetMonitorSummarySort",
"v1.widget_node_type" => "WidgetNodeType",
"v1.widget_order_by" => "WidgetOrderBy",
"v1.widget_palette" => "WidgetPalette",
"v1.widget_request_style" => "WidgetRequestStyle",
"v1.widget_service_summary_display_format" => "WidgetServiceSummaryDisplayFormat",
"v1.widget_size_format" => "WidgetSizeFormat",
"v1.widget_sort" => "WidgetSort",
"v1.widget_style" => "WidgetStyle",
"v1.widget_summary_type" => "WidgetSummaryType",
"v1.widget_text_align" => "WidgetTextAlign",
"v1.widget_tick_edge" => "WidgetTickEdge",
"v1.widget_time" => "WidgetTime",
"v1.widget_time_windows" => "WidgetTimeWindows",
"v1.widget_vertical_align" => "WidgetVerticalAlign",
"v1.widget_view_mode" => "WidgetViewMode",
"v1.widget_viz_type" => "WidgetVizType",
"v2.api_error_response" => "APIErrorResponse",
"v2.api_key_create_attributes" => "APIKeyCreateAttributes",
"v2.api_key_create_data" => "APIKeyCreateData",
"v2.api_key_create_request" => "APIKeyCreateRequest",
"v2.api_key_relationships" => "APIKeyRelationships",
"v2.api_key_response" => "APIKeyResponse",
"v2.api_key_response_included_item" => "APIKeyResponseIncludedItem",
"v2.api_keys_response" => "APIKeysResponse",
"v2.api_keys_sort" => "APIKeysSort",
"v2.api_keys_type" => "APIKeysType",
"v2.api_key_update_attributes" => "APIKeyUpdateAttributes",
"v2.api_key_update_data" => "APIKeyUpdateData",
"v2.api_key_update_request" => "APIKeyUpdateRequest",
"v2.application_key_create_attributes" => "ApplicationKeyCreateAttributes",
"v2.application_key_create_data" => "ApplicationKeyCreateData",
"v2.application_key_create_request" => "ApplicationKeyCreateRequest",
"v2.application_key_relationships" => "ApplicationKeyRelationships",
"v2.application_key_response" => "ApplicationKeyResponse",
"v2.application_key_response_included_item" => "ApplicationKeyResponseIncludedItem",
"v2.application_keys_sort" => "ApplicationKeysSort",
"v2.application_keys_type" => "ApplicationKeysType",
"v2.application_key_update_attributes" => "ApplicationKeyUpdateAttributes",
"v2.application_key_update_data" => "ApplicationKeyUpdateData",
"v2.application_key_update_request" => "ApplicationKeyUpdateRequest",
"v2.audit_logs_event" => "AuditLogsEvent",
"v2.audit_logs_event_attributes" => "AuditLogsEventAttributes",
"v2.audit_logs_events_response" => "AuditLogsEventsResponse",
"v2.audit_logs_event_type" => "AuditLogsEventType",
"v2.audit_logs_query_filter" => "AuditLogsQueryFilter",
"v2.audit_logs_query_options" => "AuditLogsQueryOptions",
"v2.audit_logs_query_page_options" => "AuditLogsQueryPageOptions",
"v2.audit_logs_response_links" => "AuditLogsResponseLinks",
"v2.audit_logs_response_metadata" => "AuditLogsResponseMetadata",
"v2.audit_logs_response_page" => "AuditLogsResponsePage",
"v2.audit_logs_response_status" => "AuditLogsResponseStatus",
"v2.audit_logs_search_events_request" => "AuditLogsSearchEventsRequest",
"v2.audit_logs_sort" => "AuditLogsSort",
"v2.audit_logs_warning" => "AuditLogsWarning",
"v2.authn_mapping" => "AuthNMapping",
"v2.authn_mapping_attributes" => "AuthNMappingAttributes",
"v2.authn_mapping_create_attributes" => "AuthNMappingCreateAttributes",
"v2.authn_mapping_create_data" => "AuthNMappingCreateData",
"v2.authn_mapping_create_relationships" => "AuthNMappingCreateRelationships",
"v2.authn_mapping_create_request" => "AuthNMappingCreateRequest",
"v2.authn_mapping_included" => "AuthNMappingIncluded",
"v2.authn_mapping_relationships" => "AuthNMappingRelationships",
"v2.authn_mapping_response" => "AuthNMappingResponse",
"v2.authn_mappings_response" => "AuthNMappingsResponse",
"v2.authn_mappings_sort" => "AuthNMappingsSort",
"v2.authn_mappings_type" => "AuthNMappingsType",
"v2.authn_mapping_update_attributes" => "AuthNMappingUpdateAttributes",
"v2.authn_mapping_update_data" => "AuthNMappingUpdateData",
"v2.authn_mapping_update_relationships" => "AuthNMappingUpdateRelationships",
"v2.authn_mapping_update_request" => "AuthNMappingUpdateRequest",
"v2.chargeback_breakdown" => "ChargebackBreakdown",
"v2.ci_app_aggregate_bucket_value" => "CIAppAggregateBucketValue",
"v2.ci_app_aggregate_bucket_value_timeseries_point" => "CIAppAggregateBucketValueTimeseriesPoint",
"v2.ci_app_aggregate_sort" => "CIAppAggregateSort",
"v2.ci_app_aggregate_sort_type" => "CIAppAggregateSortType",
"v2.ci_app_aggregation_function" => "CIAppAggregationFunction",
"v2.ci_app_compute" => "CIAppCompute",
"v2.ci_app_compute_type" => "CIAppComputeType",
"v2.ci_app_event_attributes" => "CIAppEventAttributes",
"v2.ci_app_group_by_histogram" => "CIAppGroupByHistogram",
"v2.ci_app_group_by_missing" => "CIAppGroupByMissing",
"v2.ci_app_group_by_total" => "CIAppGroupByTotal",
"v2.ci_app_pipeline_event" => "CIAppPipelineEvent",
"v2.ci_app_pipeline_events_request" => "CIAppPipelineEventsRequest",
"v2.ci_app_pipeline_events_response" => "CIAppPipelineEventsResponse",
"v2.ci_app_pipeline_event_type_name" => "CIAppPipelineEventTypeName",
"v2.ci_app_pipelines_aggregate_request" => "CIAppPipelinesAggregateRequest",
"v2.ci_app_pipelines_aggregation_buckets_response" => "CIAppPipelinesAggregationBucketsResponse",
"v2.ci_app_pipelines_analytics_aggregate_response" => "CIAppPipelinesAnalyticsAggregateResponse",
"v2.ci_app_pipelines_bucket_response" => "CIAppPipelinesBucketResponse",
"v2.ci_app_pipelines_group_by" => "CIAppPipelinesGroupBy",
"v2.ci_app_pipelines_query_filter" => "CIAppPipelinesQueryFilter",
"v2.ci_app_query_options" => "CIAppQueryOptions",
"v2.ci_app_query_page_options" => "CIAppQueryPageOptions",
"v2.ci_app_response_links" => "CIAppResponseLinks",
"v2.ci_app_response_metadata" => "CIAppResponseMetadata",
"v2.ci_app_response_metadata_with_pagination" => "CIAppResponseMetadataWithPagination",
"v2.ci_app_response_page" => "CIAppResponsePage",
"v2.ci_app_response_status" => "CIAppResponseStatus",
"v2.ci_app_sort" => "CIAppSort",
"v2.ci_app_sort_order" => "CIAppSortOrder",
"v2.ci_app_test_event" => "CIAppTestEvent",
"v2.ci_app_test_events_request" => "CIAppTestEventsRequest",
"v2.ci_app_test_events_response" => "CIAppTestEventsResponse",
"v2.ci_app_test_event_type_name" => "CIAppTestEventTypeName",
"v2.ci_app_tests_aggregate_request" => "CIAppTestsAggregateRequest",
"v2.ci_app_tests_aggregation_buckets_response" => "CIAppTestsAggregationBucketsResponse",
"v2.ci_app_tests_analytics_aggregate_response" => "CIAppTestsAnalyticsAggregateResponse",
"v2.ci_app_tests_bucket_response" => "CIAppTestsBucketResponse",
"v2.ci_app_tests_group_by" => "CIAppTestsGroupBy",
"v2.ci_app_tests_query_filter" => "CIAppTestsQueryFilter",
"v2.ci_app_warning" => "CIAppWarning",
"v2.cloud_configuration_compliance_rule_options" => "CloudConfigurationComplianceRuleOptions",
"v2.cloud_configuration_rego_rule" => "CloudConfigurationRegoRule",
"v2.cloud_configuration_rule_case_create" => "CloudConfigurationRuleCaseCreate",
"v2.cloud_configuration_rule_compliance_signal_options" => "CloudConfigurationRuleComplianceSignalOptions",
"v2.cloud_configuration_rule_create_payload" => "CloudConfigurationRuleCreatePayload",
"v2.cloud_configuration_rule_options" => "CloudConfigurationRuleOptions",
"v2.cloud_configuration_rule_type" => "CloudConfigurationRuleType",
"v2.cloudflare_account_create_request" => "CloudflareAccountCreateRequest",
"v2.cloudflare_account_create_request_attributes" => "CloudflareAccountCreateRequestAttributes",
"v2.cloudflare_account_create_request_data" => "CloudflareAccountCreateRequestData",
"v2.cloudflare_account_response" => "CloudflareAccountResponse",
"v2.cloudflare_account_response_attributes" => "CloudflareAccountResponseAttributes",
"v2.cloudflare_account_response_data" => "CloudflareAccountResponseData",
"v2.cloudflare_accounts_response" => "CloudflareAccountsResponse",
"v2.cloudflare_account_type" => "CloudflareAccountType",
"v2.cloudflare_account_update_request" => "CloudflareAccountUpdateRequest",
"v2.cloudflare_account_update_request_attributes" => "CloudflareAccountUpdateRequestAttributes",
"v2.cloudflare_account_update_request_data" => "CloudflareAccountUpdateRequestData",
"v2.cloud_workload_security_agent_rule_attributes" => "CloudWorkloadSecurityAgentRuleAttributes",
"v2.cloud_workload_security_agent_rule_create_attributes" => "CloudWorkloadSecurityAgentRuleCreateAttributes",
"v2.cloud_workload_security_agent_rule_create_data" => "CloudWorkloadSecurityAgentRuleCreateData",
"v2.cloud_workload_security_agent_rule_create_request" => "CloudWorkloadSecurityAgentRuleCreateRequest",
"v2.cloud_workload_security_agent_rule_creator_attributes" => "CloudWorkloadSecurityAgentRuleCreatorAttributes",
"v2.cloud_workload_security_agent_rule_data" => "CloudWorkloadSecurityAgentRuleData",
"v2.cloud_workload_security_agent_rule_response" => "CloudWorkloadSecurityAgentRuleResponse",
"v2.cloud_workload_security_agent_rules_list_response" => "CloudWorkloadSecurityAgentRulesListResponse",
"v2.cloud_workload_security_agent_rule_type" => "CloudWorkloadSecurityAgentRuleType",
"v2.cloud_workload_security_agent_rule_update_attributes" => "CloudWorkloadSecurityAgentRuleUpdateAttributes",
"v2.cloud_workload_security_agent_rule_update_data" => "CloudWorkloadSecurityAgentRuleUpdateData",
"v2.cloud_workload_security_agent_rule_updater_attributes" => "CloudWorkloadSecurityAgentRuleUpdaterAttributes",
"v2.cloud_workload_security_agent_rule_update_request" => "CloudWorkloadSecurityAgentRuleUpdateRequest",
"v2.confluent_account_create_request" => "ConfluentAccountCreateRequest",
"v2.confluent_account_create_request_attributes" => "ConfluentAccountCreateRequestAttributes",
"v2.confluent_account_create_request_data" => "ConfluentAccountCreateRequestData",
"v2.confluent_account_resource_attributes" => "ConfluentAccountResourceAttributes",
"v2.confluent_account_response" => "ConfluentAccountResponse",
"v2.confluent_account_response_attributes" => "ConfluentAccountResponseAttributes",
"v2.confluent_account_response_data" => "ConfluentAccountResponseData",
"v2.confluent_accounts_response" => "ConfluentAccountsResponse",
"v2.confluent_account_type" => "ConfluentAccountType",
"v2.confluent_account_update_request" => "ConfluentAccountUpdateRequest",
"v2.confluent_account_update_request_attributes" => "ConfluentAccountUpdateRequestAttributes",
"v2.confluent_account_update_request_data" => "ConfluentAccountUpdateRequestData",
"v2.confluent_resource_request" => "ConfluentResourceRequest",
"v2.confluent_resource_request_attributes" => "ConfluentResourceRequestAttributes",
"v2.confluent_resource_request_data" => "ConfluentResourceRequestData",
"v2.confluent_resource_response" => "ConfluentResourceResponse",
"v2.confluent_resource_response_attributes" => "ConfluentResourceResponseAttributes",
"v2.confluent_resource_response_data" => "ConfluentResourceResponseData",
"v2.confluent_resources_response" => "ConfluentResourcesResponse",
"v2.confluent_resource_type" => "ConfluentResourceType",
"v2.content_encoding" => "ContentEncoding",
"v2.cost_by_org" => "CostByOrg",
"v2.cost_by_org_attributes" => "CostByOrgAttributes",
"v2.cost_by_org_response" => "CostByOrgResponse",
"v2.cost_by_org_type" => "CostByOrgType",
"v2.creator" => "Creator",
"v2.dashboard_list_add_items_request" => "DashboardListAddItemsRequest",
"v2.dashboard_list_add_items_response" => "DashboardListAddItemsResponse",
"v2.dashboard_list_delete_items_request" => "DashboardListDeleteItemsRequest",
"v2.dashboard_list_delete_items_response" => "DashboardListDeleteItemsResponse",
"v2.dashboard_list_item" => "DashboardListItem",
"v2.dashboard_list_item_request" => "DashboardListItemRequest",
"v2.dashboard_list_item_response" => "DashboardListItemResponse",
"v2.dashboard_list_items" => "DashboardListItems",
"v2.dashboard_list_update_items_request" => "DashboardListUpdateItemsRequest",
"v2.dashboard_list_update_items_response" => "DashboardListUpdateItemsResponse",
"v2.dashboard_type" => "DashboardType",
"v2.data_scalar_column" => "DataScalarColumn",
"v2.event" => "Event",
"v2.event_attributes" => "EventAttributes",
"v2.event_priority" => "EventPriority",
"v2.event_response" => "EventResponse",
"v2.event_response_attributes" => "EventResponseAttributes",
"v2.events_aggregation" => "EventsAggregation",
"v2.events_compute" => "EventsCompute",
"v2.events_data_source" => "EventsDataSource",
"v2.events_group_by" => "EventsGroupBy",
"v2.events_group_by_sort" => "EventsGroupBySort",
"v2.events_list_request" => "EventsListRequest",
"v2.events_list_response" => "EventsListResponse",
"v2.events_list_response_links" => "EventsListResponseLinks",
"v2.events_query_filter" => "EventsQueryFilter",
"v2.events_query_options" => "EventsQueryOptions",
"v2.events_request_page" => "EventsRequestPage",
"v2.events_response_metadata" => "EventsResponseMetadata",
"v2.events_response_metadata_page" => "EventsResponseMetadataPage",
"v2.events_scalar_query" => "EventsScalarQuery",
"v2.events_search" => "EventsSearch",
"v2.events_sort" => "EventsSort",
"v2.events_sort_type" => "EventsSortType",
"v2.event_status_type" => "EventStatusType",
"v2.events_timeseries_query" => "EventsTimeseriesQuery",
"v2.events_warning" => "EventsWarning",
"v2.event_type" => "EventType",
"v2.fastly_accoun_response_attributes" => "FastlyAccounResponseAttributes",
"v2.fastly_account_create_request" => "FastlyAccountCreateRequest",
"v2.fastly_account_create_request_attributes" => "FastlyAccountCreateRequestAttributes",
"v2.fastly_account_create_request_data" => "FastlyAccountCreateRequestData",
"v2.fastly_account_response" => "FastlyAccountResponse",
"v2.fastly_account_response_data" => "FastlyAccountResponseData",
"v2.fastly_accounts_response" => "FastlyAccountsResponse",
"v2.fastly_account_type" => "FastlyAccountType",
"v2.fastly_account_update_request" => "FastlyAccountUpdateRequest",
"v2.fastly_account_update_request_attributes" => "FastlyAccountUpdateRequestAttributes",
"v2.fastly_account_update_request_data" => "FastlyAccountUpdateRequestData",
"v2.fastly_service" => "FastlyService",
"v2.fastly_service_attributes" => "FastlyServiceAttributes",
"v2.fastly_service_data" => "FastlyServiceData",
"v2.fastly_service_request" => "FastlyServiceRequest",
"v2.fastly_service_response" => "FastlyServiceResponse",
"v2.fastly_services_response" => "FastlyServicesResponse",
"v2.fastly_service_type" => "FastlyServiceType",
"v2.formula_limit" => "FormulaLimit",
"v2.full_api_key" => "FullAPIKey",
"v2.full_api_key_attributes" => "FullAPIKeyAttributes",
"v2.full_application_key" => "FullApplicationKey",
"v2.full_application_key_attributes" => "FullApplicationKeyAttributes",
"v2.group_scalar_column" => "GroupScalarColumn",
"v2.hourly_usage" => "HourlyUsage",
"v2.hourly_usage_attributes" => "HourlyUsageAttributes",
"v2.hourly_usage_measurement" => "HourlyUsageMeasurement",
"v2.hourly_usage_metadata" => "HourlyUsageMetadata",
"v2.hourly_usage_pagination" => "HourlyUsagePagination",
"v2.hourly_usage_response" => "HourlyUsageResponse",
"v2.hourly_usage_type" => "HourlyUsageType",
"v2.http_log_error" => "HTTPLogError",
"v2.http_log_errors" => "HTTPLogErrors",
"v2.http_log_item" => "HTTPLogItem",
"v2.idp_metadata_form_data" => "IdPMetadataFormData",
"v2.incident_attachment_attachment_type" => "IncidentAttachmentAttachmentType",
"v2.incident_attachment_attributes" => "IncidentAttachmentAttributes",
"v2.incident_attachment_data" => "IncidentAttachmentData",
"v2.incident_attachment_link_attachment_type" => "IncidentAttachmentLinkAttachmentType",
"v2.incident_attachment_link_attributes" => "IncidentAttachmentLinkAttributes",
"v2.incident_attachment_link_attributes_attachment_object" => "IncidentAttachmentLinkAttributesAttachmentObject",
"v2.incident_attachment_postmortem_attachment_type" => "IncidentAttachmentPostmortemAttachmentType",
"v2.incident_attachment_postmortem_attributes" => "IncidentAttachmentPostmortemAttributes",
"v2.incident_attachment_related_object" => "IncidentAttachmentRelatedObject",
"v2.incident_attachment_relationships" => "IncidentAttachmentRelationships",
"v2.incident_attachments_postmortem_attributes_attachment_object" => "IncidentAttachmentsPostmortemAttributesAttachmentObject",
"v2.incident_attachments_response" => "IncidentAttachmentsResponse",
"v2.incident_attachments_response_included_item" => "IncidentAttachmentsResponseIncludedItem",
"v2.incident_attachment_type" => "IncidentAttachmentType",
"v2.incident_attachment_update_attributes" => "IncidentAttachmentUpdateAttributes",
"v2.incident_attachment_update_data" => "IncidentAttachmentUpdateData",
"v2.incident_attachment_update_request" => "IncidentAttachmentUpdateRequest",
"v2.incident_attachment_update_response" => "IncidentAttachmentUpdateResponse",
"v2.incident_create_attributes" => "IncidentCreateAttributes",
"v2.incident_create_data" => "IncidentCreateData",
"v2.incident_create_relationships" => "IncidentCreateRelationships",
"v2.incident_create_request" => "IncidentCreateRequest",
"v2.incident_field_attributes" => "IncidentFieldAttributes",
"v2.incident_field_attributes_multiple_value" => "IncidentFieldAttributesMultipleValue",
"v2.incident_field_attributes_single_value" => "IncidentFieldAttributesSingleValue",
"v2.incident_field_attributes_single_value_type" => "IncidentFieldAttributesSingleValueType",
"v2.incident_field_attributes_value_type" => "IncidentFieldAttributesValueType",
"v2.incident_integration_metadata_type" => "IncidentIntegrationMetadataType",
"v2.incident_notification_handle" => "IncidentNotificationHandle",
"v2.incident_postmortem_type" => "IncidentPostmortemType",
"v2.incident_related_object" => "IncidentRelatedObject",
"v2.incident_response" => "IncidentResponse",
"v2.incident_response_attributes" => "IncidentResponseAttributes",
"v2.incident_response_data" => "IncidentResponseData",
"v2.incident_response_included_item" => "IncidentResponseIncludedItem",
"v2.incident_response_meta" => "IncidentResponseMeta",
"v2.incident_response_meta_pagination" => "IncidentResponseMetaPagination",
"v2.incident_response_relationships" => "IncidentResponseRelationships",
"v2.incident_search_response" => "IncidentSearchResponse",
"v2.incident_search_response_attributes" => "IncidentSearchResponseAttributes",
"v2.incident_search_response_data" => "IncidentSearchResponseData",
"v2.incident_search_response_facets_data" => "IncidentSearchResponseFacetsData",
"v2.incident_search_response_field_facet_data" => "IncidentSearchResponseFieldFacetData",
"v2.incident_search_response_incidents_data" => "IncidentSearchResponseIncidentsData",
"v2.incident_search_response_numeric_facet_data" => "IncidentSearchResponseNumericFacetData",
"v2.incident_search_response_numeric_facet_data_aggregates" => "IncidentSearchResponseNumericFacetDataAggregates",
"v2.incident_search_response_property_field_facet_data" => "IncidentSearchResponsePropertyFieldFacetData",
"v2.incident_search_response_user_facet_data" => "IncidentSearchResponseUserFacetData",
"v2.incident_search_results_type" => "IncidentSearchResultsType",
"v2.incident_search_sort_order" => "IncidentSearchSortOrder",
"v2.incident_service_create_attributes" => "IncidentServiceCreateAttributes",
"v2.incident_service_create_data" => "IncidentServiceCreateData",
"v2.incident_service_create_request" => "IncidentServiceCreateRequest",
"v2.incident_service_included_items" => "IncidentServiceIncludedItems",
"v2.incident_service_relationships" => "IncidentServiceRelationships",
"v2.incident_service_response" => "IncidentServiceResponse",
"v2.incident_service_response_attributes" => "IncidentServiceResponseAttributes",
"v2.incident_service_response_data" => "IncidentServiceResponseData",
"v2.incident_services_response" => "IncidentServicesResponse",
"v2.incident_service_type" => "IncidentServiceType",
"v2.incident_service_update_attributes" => "IncidentServiceUpdateAttributes",
"v2.incident_service_update_data" => "IncidentServiceUpdateData",
"v2.incident_service_update_request" => "IncidentServiceUpdateRequest",
"v2.incidents_response" => "IncidentsResponse",
"v2.incident_team_create_attributes" => "IncidentTeamCreateAttributes",
"v2.incident_team_create_data" => "IncidentTeamCreateData",
"v2.incident_team_create_request" => "IncidentTeamCreateRequest",
"v2.incident_team_included_items" => "IncidentTeamIncludedItems",
"v2.incident_team_relationships" => "IncidentTeamRelationships",
"v2.incident_team_response" => "IncidentTeamResponse",
"v2.incident_team_response_attributes" => "IncidentTeamResponseAttributes",
"v2.incident_team_response_data" => "IncidentTeamResponseData",
"v2.incident_teams_response" => "IncidentTeamsResponse",
"v2.incident_team_type" => "IncidentTeamType",
"v2.incident_team_update_attributes" => "IncidentTeamUpdateAttributes",
"v2.incident_team_update_data" => "IncidentTeamUpdateData",
"v2.incident_team_update_request" => "IncidentTeamUpdateRequest",
"v2.incident_timeline_cell_create_attributes" => "IncidentTimelineCellCreateAttributes",
"v2.incident_timeline_cell_markdown_content_type" => "IncidentTimelineCellMarkdownContentType",
"v2.incident_timeline_cell_markdown_create_attributes" => "IncidentTimelineCellMarkdownCreateAttributes",
"v2.incident_timeline_cell_markdown_create_attributes_content" => "IncidentTimelineCellMarkdownCreateAttributesContent",
"v2.incident_type" => "IncidentType",
"v2.incident_update_attributes" => "IncidentUpdateAttributes",
"v2.incident_update_data" => "IncidentUpdateData",
"v2.incident_update_relationships" => "IncidentUpdateRelationships",
"v2.incident_update_request" => "IncidentUpdateRequest",
"v2.intake_payload_accepted" => "IntakePayloadAccepted",
"v2.list_application_keys_response" => "ListApplicationKeysResponse",
"v2.log" => "Log",
"v2.log_attributes" => "LogAttributes",
"v2.logs_aggregate_bucket" => "LogsAggregateBucket",
"v2.logs_aggregate_bucket_value" => "LogsAggregateBucketValue",
"v2.logs_aggregate_bucket_value_timeseries_point" => "LogsAggregateBucketValueTimeseriesPoint",
"v2.logs_aggregate_request" => "LogsAggregateRequest",
"v2.logs_aggregate_request_page" => "LogsAggregateRequestPage",
"v2.logs_aggregate_response" => "LogsAggregateResponse",
"v2.logs_aggregate_response_data" => "LogsAggregateResponseData",
"v2.logs_aggregate_response_status" => "LogsAggregateResponseStatus",
"v2.logs_aggregate_sort" => "LogsAggregateSort",
"v2.logs_aggregate_sort_type" => "LogsAggregateSortType",
"v2.logs_aggregation_function" => "LogsAggregationFunction",
"v2.logs_archive" => "LogsArchive",
"v2.logs_archive_attributes" => "LogsArchiveAttributes",
"v2.logs_archive_create_request" => "LogsArchiveCreateRequest",
"v2.logs_archive_create_request_attributes" => "LogsArchiveCreateRequestAttributes",
"v2.logs_archive_create_request_definition" => "LogsArchiveCreateRequestDefinition",
"v2.logs_archive_create_request_destination" => "LogsArchiveCreateRequestDestination",
"v2.logs_archive_definition" => "LogsArchiveDefinition",
"v2.logs_archive_destination" => "LogsArchiveDestination",
"v2.logs_archive_destination_azure" => "LogsArchiveDestinationAzure",
"v2.logs_archive_destination_azure_type" => "LogsArchiveDestinationAzureType",
"v2.logs_archive_destination_gcs" => "LogsArchiveDestinationGCS",
"v2.logs_archive_destination_gcs_type" => "LogsArchiveDestinationGCSType",
"v2.logs_archive_destination_s3" => "LogsArchiveDestinationS3",
"v2.logs_archive_destination_s3_type" => "LogsArchiveDestinationS3Type",
"v2.logs_archive_integration_azure" => "LogsArchiveIntegrationAzure",
"v2.logs_archive_integration_gcs" => "LogsArchiveIntegrationGCS",
"v2.logs_archive_integration_s3" => "LogsArchiveIntegrationS3",
"v2.logs_archive_order" => "LogsArchiveOrder",
"v2.logs_archive_order_attributes" => "LogsArchiveOrderAttributes",
"v2.logs_archive_order_definition" => "LogsArchiveOrderDefinition",
"v2.logs_archive_order_definition_type" => "LogsArchiveOrderDefinitionType",
"v2.logs_archives" => "LogsArchives",
"v2.logs_archive_state" => "LogsArchiveState",
"v2.logs_compute" => "LogsCompute",
"v2.logs_compute_type" => "LogsComputeType",
"v2.logs_group_by" => "LogsGroupBy",
"v2.logs_group_by_histogram" => "LogsGroupByHistogram",
"v2.logs_group_by_missing" => "LogsGroupByMissing",
"v2.logs_group_by_total" => "LogsGroupByTotal",
"v2.logs_list_request" => "LogsListRequest",
"v2.logs_list_request_page" => "LogsListRequestPage",
"v2.logs_list_response" => "LogsListResponse",
"v2.logs_list_response_links" => "LogsListResponseLinks",
"v2.logs_metric_compute" => "LogsMetricCompute",
"v2.logs_metric_compute_aggregation_type" => "LogsMetricComputeAggregationType",
"v2.logs_metric_create_attributes" => "LogsMetricCreateAttributes",
"v2.logs_metric_create_data" => "LogsMetricCreateData",
"v2.logs_metric_create_request" => "LogsMetricCreateRequest",
"v2.logs_metric_filter" => "LogsMetricFilter",
"v2.logs_metric_group_by" => "LogsMetricGroupBy",
"v2.logs_metric_response" => "LogsMetricResponse",
"v2.logs_metric_response_attributes" => "LogsMetricResponseAttributes",
"v2.logs_metric_response_compute" => "LogsMetricResponseCompute",
"v2.logs_metric_response_compute_aggregation_type" => "LogsMetricResponseComputeAggregationType",
"v2.logs_metric_response_data" => "LogsMetricResponseData",
"v2.logs_metric_response_filter" => "LogsMetricResponseFilter",
"v2.logs_metric_response_group_by" => "LogsMetricResponseGroupBy",
"v2.logs_metrics_response" => "LogsMetricsResponse",
"v2.logs_metric_type" => "LogsMetricType",
"v2.logs_metric_update_attributes" => "LogsMetricUpdateAttributes",
"v2.logs_metric_update_compute" => "LogsMetricUpdateCompute",
"v2.logs_metric_update_data" => "LogsMetricUpdateData",
"v2.logs_metric_update_request" => "LogsMetricUpdateRequest",
"v2.logs_query_filter" => "LogsQueryFilter",
"v2.logs_query_options" => "LogsQueryOptions",
"v2.logs_response_metadata" => "LogsResponseMetadata",
"v2.logs_response_metadata_page" => "LogsResponseMetadataPage",
"v2.logs_sort" => "LogsSort",
"v2.logs_sort_order" => "LogsSortOrder",
"v2.logs_storage_tier" => "LogsStorageTier",
"v2.logs_warning" => "LogsWarning",
"v2.log_type" => "LogType",
"v2.metric" => "Metric",
"v2.metric_active_configuration_type" => "MetricActiveConfigurationType",
"v2.metric_all_tags" => "MetricAllTags",
"v2.metric_all_tags_attributes" => "MetricAllTagsAttributes",
"v2.metric_all_tags_response" => "MetricAllTagsResponse",
"v2.metric_bulk_configure_tags_type" => "MetricBulkConfigureTagsType",
"v2.metric_bulk_tag_config_create" => "MetricBulkTagConfigCreate",
"v2.metric_bulk_tag_config_create_attributes" => "MetricBulkTagConfigCreateAttributes",
"v2.metric_bulk_tag_config_create_request" => "MetricBulkTagConfigCreateRequest",
"v2.metric_bulk_tag_config_delete" => "MetricBulkTagConfigDelete",
"v2.metric_bulk_tag_config_delete_attributes" => "MetricBulkTagConfigDeleteAttributes",
"v2.metric_bulk_tag_config_delete_request" => "MetricBulkTagConfigDeleteRequest",
"v2.metric_bulk_tag_config_response" => "MetricBulkTagConfigResponse",
"v2.metric_bulk_tag_config_status" => "MetricBulkTagConfigStatus",
"v2.metric_bulk_tag_config_status_attributes" => "MetricBulkTagConfigStatusAttributes",
"v2.metric_content_encoding" => "MetricContentEncoding",
"v2.metric_custom_aggregation" => "MetricCustomAggregation",
"v2.metric_custom_space_aggregation" => "MetricCustomSpaceAggregation",
"v2.metric_custom_time_aggregation" => "MetricCustomTimeAggregation",
"v2.metric_distinct_volume" => "MetricDistinctVolume",
"v2.metric_distinct_volume_attributes" => "MetricDistinctVolumeAttributes",
"v2.metric_distinct_volume_type" => "MetricDistinctVolumeType",
"v2.metric_estimate" => "MetricEstimate",
"v2.metric_estimate_attributes" => "MetricEstimateAttributes",
"v2.metric_estimate_resource_type" => "MetricEstimateResourceType",
"v2.metric_estimate_response" => "MetricEstimateResponse",
"v2.metric_estimate_type" => "MetricEstimateType",
"v2.metric_ingested_indexed_volume" => "MetricIngestedIndexedVolume",
"v2.metric_ingested_indexed_volume_attributes" => "MetricIngestedIndexedVolumeAttributes",
"v2.metric_ingested_indexed_volume_type" => "MetricIngestedIndexedVolumeType",
"v2.metric_intake_type" => "MetricIntakeType",
"v2.metric_metadata" => "MetricMetadata",
"v2.metric_origin" => "MetricOrigin",
"v2.metric_payload" => "MetricPayload",
"v2.metric_point" => "MetricPoint",
"v2.metric_resource" => "MetricResource",
"v2.metrics_aggregator" => "MetricsAggregator",
"v2.metrics_and_metric_tag_configurations" => "MetricsAndMetricTagConfigurations",
"v2.metrics_and_metric_tag_configurations_response" => "MetricsAndMetricTagConfigurationsResponse",
"v2.metrics_data_source" => "MetricsDataSource",
"v2.metric_series" => "MetricSeries",
"v2.metrics_scalar_query" => "MetricsScalarQuery",
"v2.metrics_timeseries_query" => "MetricsTimeseriesQuery",
"v2.metric_suggested_tags_and_aggregations" => "MetricSuggestedTagsAndAggregations",
"v2.metric_suggested_tags_and_aggregations_response" => "MetricSuggestedTagsAndAggregationsResponse",
"v2.metric_suggested_tags_attributes" => "MetricSuggestedTagsAttributes",
"v2.metric_tag_configuration" => "MetricTagConfiguration",
"v2.metric_tag_configuration_attributes" => "MetricTagConfigurationAttributes",
"v2.metric_tag_configuration_create_attributes" => "MetricTagConfigurationCreateAttributes",
"v2.metric_tag_configuration_create_data" => "MetricTagConfigurationCreateData",
"v2.metric_tag_configuration_create_request" => "MetricTagConfigurationCreateRequest",
"v2.metric_tag_configuration_metric_types" => "MetricTagConfigurationMetricTypes",
"v2.metric_tag_configuration_response" => "MetricTagConfigurationResponse",
"v2.metric_tag_configuration_type" => "MetricTagConfigurationType",
"v2.metric_tag_configuration_update_attributes" => "MetricTagConfigurationUpdateAttributes",
"v2.metric_tag_configuration_update_data" => "MetricTagConfigurationUpdateData",
"v2.metric_tag_configuration_update_request" => "MetricTagConfigurationUpdateRequest",
"v2.metric_type" => "MetricType",
"v2.metric_volumes" => "MetricVolumes",
"v2.metric_volumes_response" => "MetricVolumesResponse",
"v2.monitor_config_policy_attribute_create_request" => "MonitorConfigPolicyAttributeCreateRequest",
"v2.monitor_config_policy_attribute_edit_request" => "MonitorConfigPolicyAttributeEditRequest",
"v2.monitor_config_policy_attribute_response" => "MonitorConfigPolicyAttributeResponse",
"v2.monitor_config_policy_create_data" => "MonitorConfigPolicyCreateData",
"v2.monitor_config_policy_create_request" => "MonitorConfigPolicyCreateRequest",
"v2.monitor_config_policy_edit_data" => "MonitorConfigPolicyEditData",
"v2.monitor_config_policy_edit_request" => "MonitorConfigPolicyEditRequest",
"v2.monitor_config_policy_list_response" => "MonitorConfigPolicyListResponse",
"v2.monitor_config_policy_policy" => "MonitorConfigPolicyPolicy",
"v2.monitor_config_policy_policy_create_request" => "MonitorConfigPolicyPolicyCreateRequest",
"v2.monitor_config_policy_resource_type" => "MonitorConfigPolicyResourceType",
"v2.monitor_config_policy_response" => "MonitorConfigPolicyResponse",
"v2.monitor_config_policy_response_data" => "MonitorConfigPolicyResponseData",
"v2.monitor_config_policy_tag_policy" => "MonitorConfigPolicyTagPolicy",
"v2.monitor_config_policy_tag_policy_create_request" => "MonitorConfigPolicyTagPolicyCreateRequest",
"v2.monitor_config_policy_type" => "MonitorConfigPolicyType",
"v2.monitor_type" => "MonitorType",
"v2.nullable_relationship_to_user" => "NullableRelationshipToUser",
"v2.nullable_relationship_to_user_data" => "NullableRelationshipToUserData",
"v2.opsgenie_service_create_attributes" => "OpsgenieServiceCreateAttributes",
"v2.opsgenie_service_create_data" => "OpsgenieServiceCreateData",
"v2.opsgenie_service_create_request" => "OpsgenieServiceCreateRequest",
"v2.opsgenie_service_region_type" => "OpsgenieServiceRegionType",
"v2.opsgenie_service_response" => "OpsgenieServiceResponse",
"v2.opsgenie_service_response_attributes" => "OpsgenieServiceResponseAttributes",
"v2.opsgenie_service_response_data" => "OpsgenieServiceResponseData",
"v2.opsgenie_services_response" => "OpsgenieServicesResponse",
"v2.opsgenie_service_type" => "OpsgenieServiceType",
"v2.opsgenie_service_update_attributes" => "OpsgenieServiceUpdateAttributes",
"v2.opsgenie_service_update_data" => "OpsgenieServiceUpdateData",
"v2.opsgenie_service_update_request" => "OpsgenieServiceUpdateRequest",
"v2.organization" => "Organization",
"v2.organization_attributes" => "OrganizationAttributes",
"v2.organizations_type" => "OrganizationsType",
"v2.pagination" => "Pagination",
"v2.partial_api_key" => "PartialAPIKey",
"v2.partial_api_key_attributes" => "PartialAPIKeyAttributes",
"v2.partial_application_key" => "PartialApplicationKey",
"v2.partial_application_key_attributes" => "PartialApplicationKeyAttributes",
"v2.partial_application_key_response" => "PartialApplicationKeyResponse",
"v2.permission" => "Permission",
"v2.permission_attributes" => "PermissionAttributes",
"v2.permissions_response" => "PermissionsResponse",
"v2.permissions_type" => "PermissionsType",
"v2.process_summaries_meta" => "ProcessSummariesMeta",
"v2.process_summaries_meta_page" => "ProcessSummariesMetaPage",
"v2.process_summaries_response" => "ProcessSummariesResponse",
"v2.process_summary" => "ProcessSummary",
"v2.process_summary_attributes" => "ProcessSummaryAttributes",
"v2.process_summary_type" => "ProcessSummaryType",
"v2.query_formula" => "QueryFormula",
"v2.query_sort_order" => "QuerySortOrder",
"v2.relationship_to_incident_attachment" => "RelationshipToIncidentAttachment",
"v2.relationship_to_incident_attachment_data" => "RelationshipToIncidentAttachmentData",
"v2.relationship_to_incident_integration_metadata_data" => "RelationshipToIncidentIntegrationMetadataData",
"v2.relationship_to_incident_integration_metadatas" => "RelationshipToIncidentIntegrationMetadatas",
"v2.relationship_to_incident_postmortem" => "RelationshipToIncidentPostmortem",
"v2.relationship_to_incident_postmortem_data" => "RelationshipToIncidentPostmortemData",
"v2.relationship_to_organization" => "RelationshipToOrganization",
"v2.relationship_to_organization_data" => "RelationshipToOrganizationData",
"v2.relationship_to_organizations" => "RelationshipToOrganizations",
"v2.relationship_to_permission" => "RelationshipToPermission",
"v2.relationship_to_permission_data" => "RelationshipToPermissionData",
"v2.relationship_to_permissions" => "RelationshipToPermissions",
"v2.relationship_to_role" => "RelationshipToRole",
"v2.relationship_to_role_data" => "RelationshipToRoleData",
"v2.relationship_to_roles" => "RelationshipToRoles",
"v2.relationship_to_saml_assertion_attribute" => "RelationshipToSAMLAssertionAttribute",
"v2.relationship_to_saml_assertion_attribute_data" => "RelationshipToSAMLAssertionAttributeData",
"v2.relationship_to_user" => "RelationshipToUser",
"v2.relationship_to_user_data" => "RelationshipToUserData",
"v2.relationship_to_users" => "RelationshipToUsers",
"v2.response_meta_attributes" => "ResponseMetaAttributes",
"v2.role" => "Role",
"v2.role_attributes" => "RoleAttributes",
"v2.role_clone" => "RoleClone",
"v2.role_clone_attributes" => "RoleCloneAttributes",
"v2.role_clone_request" => "RoleCloneRequest",
"v2.role_create_attributes" => "RoleCreateAttributes",
"v2.role_create_data" => "RoleCreateData",
"v2.role_create_request" => "RoleCreateRequest",
"v2.role_create_response" => "RoleCreateResponse",
"v2.role_create_response_data" => "RoleCreateResponseData",
"v2.role_relationships" => "RoleRelationships",
"v2.role_response" => "RoleResponse",
"v2.role_response_relationships" => "RoleResponseRelationships",
"v2.roles_response" => "RolesResponse",
"v2.roles_sort" => "RolesSort",
"v2.roles_type" => "RolesType",
"v2.role_update_attributes" => "RoleUpdateAttributes",
"v2.role_update_data" => "RoleUpdateData",
"v2.role_update_request" => "RoleUpdateRequest",
"v2.role_update_response" => "RoleUpdateResponse",
"v2.role_update_response_data" => "RoleUpdateResponseData",
"v2.rum_aggregate_bucket_value" => "RUMAggregateBucketValue",
"v2.rum_aggregate_bucket_value_timeseries_point" => "RUMAggregateBucketValueTimeseriesPoint",
"v2.rum_aggregate_request" => "RUMAggregateRequest",
"v2.rum_aggregate_sort" => "RUMAggregateSort",
"v2.rum_aggregate_sort_type" => "RUMAggregateSortType",
"v2.rum_aggregation_buckets_response" => "RUMAggregationBucketsResponse",
"v2.rum_aggregation_function" => "RUMAggregationFunction",
"v2.rum_analytics_aggregate_response" => "RUMAnalyticsAggregateResponse",
"v2.rum_application" => "RUMApplication",
"v2.rum_application_attributes" => "RUMApplicationAttributes",
"v2.rum_application_create" => "RUMApplicationCreate",
"v2.rum_application_create_attributes" => "RUMApplicationCreateAttributes",
"v2.rum_application_create_request" => "RUMApplicationCreateRequest",
"v2.rum_application_create_type" => "RUMApplicationCreateType",
"v2.rum_application_list" => "RUMApplicationList",
"v2.rum_application_list_attributes" => "RUMApplicationListAttributes",
"v2.rum_application_list_type" => "RUMApplicationListType",
"v2.rum_application_response" => "RUMApplicationResponse",
"v2.rum_applications_response" => "RUMApplicationsResponse",
"v2.rum_application_type" => "RUMApplicationType",
"v2.rum_application_update" => "RUMApplicationUpdate",
"v2.rum_application_update_attributes" => "RUMApplicationUpdateAttributes",
"v2.rum_application_update_request" => "RUMApplicationUpdateRequest",
"v2.rum_application_update_type" => "RUMApplicationUpdateType",
"v2.rum_bucket_response" => "RUMBucketResponse",
"v2.rum_compute" => "RUMCompute",
"v2.rum_compute_type" => "RUMComputeType",
"v2.rum_event" => "RUMEvent",
"v2.rum_event_attributes" => "RUMEventAttributes",
"v2.rum_events_response" => "RUMEventsResponse",
"v2.rum_event_type" => "RUMEventType",
"v2.rum_group_by" => "RUMGroupBy",
"v2.rum_group_by_histogram" => "RUMGroupByHistogram",
"v2.rum_group_by_missing" => "RUMGroupByMissing",
"v2.rum_group_by_total" => "RUMGroupByTotal",
"v2.rum_query_filter" => "RUMQueryFilter",
"v2.rum_query_options" => "RUMQueryOptions",
"v2.rum_query_page_options" => "RUMQueryPageOptions",
"v2.rum_response_links" => "RUMResponseLinks",
"v2.rum_response_metadata" => "RUMResponseMetadata",
"v2.rum_response_page" => "RUMResponsePage",
"v2.rum_response_status" => "RUMResponseStatus",
"v2.rum_search_events_request" => "RUMSearchEventsRequest",
"v2.rum_sort" => "RUMSort",
"v2.rum_sort_order" => "RUMSortOrder",
"v2.rum_warning" => "RUMWarning",
"v2.saml_assertion_attribute" => "SAMLAssertionAttribute",
"v2.saml_assertion_attribute_attributes" => "SAMLAssertionAttributeAttributes",
"v2.saml_assertion_attributes_type" => "SAMLAssertionAttributesType",
"v2.scalar_column" => "ScalarColumn",
"v2.scalar_formula_query_request" => "ScalarFormulaQueryRequest",
"v2.scalar_formula_query_response" => "ScalarFormulaQueryResponse",
"v2.scalar_formula_request" => "ScalarFormulaRequest",
"v2.scalar_formula_request_attributes" => "ScalarFormulaRequestAttributes",
"v2.scalar_formula_request_type" => "ScalarFormulaRequestType",
"v2.scalar_formula_response_atrributes" => "ScalarFormulaResponseAtrributes",
"v2.scalar_formula_response_type" => "ScalarFormulaResponseType",
"v2.scalar_meta" => "ScalarMeta",
"v2.scalar_query" => "ScalarQuery",
"v2.scalar_response" => "ScalarResponse",
"v2.security_filter" => "SecurityFilter",
"v2.security_filter_attributes" => "SecurityFilterAttributes",
"v2.security_filter_create_attributes" => "SecurityFilterCreateAttributes",
"v2.security_filter_create_data" => "SecurityFilterCreateData",
"v2.security_filter_create_request" => "SecurityFilterCreateRequest",
"v2.security_filter_exclusion_filter" => "SecurityFilterExclusionFilter",
"v2.security_filter_exclusion_filter_response" => "SecurityFilterExclusionFilterResponse",
"v2.security_filter_filtered_data_type" => "SecurityFilterFilteredDataType",
"v2.security_filter_meta" => "SecurityFilterMeta",
"v2.security_filter_response" => "SecurityFilterResponse",
"v2.security_filters_response" => "SecurityFiltersResponse",
"v2.security_filter_type" => "SecurityFilterType",
"v2.security_filter_update_attributes" => "SecurityFilterUpdateAttributes",
"v2.security_filter_update_data" => "SecurityFilterUpdateData",
"v2.security_filter_update_request" => "SecurityFilterUpdateRequest",
"v2.security_monitoring_filter" => "SecurityMonitoringFilter",
"v2.security_monitoring_filter_action" => "SecurityMonitoringFilterAction",
"v2.security_monitoring_list_rules_response" => "SecurityMonitoringListRulesResponse",
"v2.security_monitoring_rule_case" => "SecurityMonitoringRuleCase",
"v2.security_monitoring_rule_case_create" => "SecurityMonitoringRuleCaseCreate",
"v2.security_monitoring_rule_create_payload" => "SecurityMonitoringRuleCreatePayload",
"v2.security_monitoring_rule_detection_method" => "SecurityMonitoringRuleDetectionMethod",
"v2.security_monitoring_rule_evaluation_window" => "SecurityMonitoringRuleEvaluationWindow",
"v2.security_monitoring_rule_hardcoded_evaluator_type" => "SecurityMonitoringRuleHardcodedEvaluatorType",
"v2.security_monitoring_rule_impossible_travel_options" => "SecurityMonitoringRuleImpossibleTravelOptions",
"v2.security_monitoring_rule_keep_alive" => "SecurityMonitoringRuleKeepAlive",
"v2.security_monitoring_rule_max_signal_duration" => "SecurityMonitoringRuleMaxSignalDuration",
"v2.security_monitoring_rule_new_value_options" => "SecurityMonitoringRuleNewValueOptions",
"v2.security_monitoring_rule_new_value_options_forget_after" => "SecurityMonitoringRuleNewValueOptionsForgetAfter",
"v2.security_monitoring_rule_new_value_options_learning_duration" => "SecurityMonitoringRuleNewValueOptionsLearningDuration",
"v2.security_monitoring_rule_new_value_options_learning_method" => "SecurityMonitoringRuleNewValueOptionsLearningMethod",
"v2.security_monitoring_rule_new_value_options_learning_threshold" => "SecurityMonitoringRuleNewValueOptionsLearningThreshold",
"v2.security_monitoring_rule_options" => "SecurityMonitoringRuleOptions",
"v2.security_monitoring_rule_query" => "SecurityMonitoringRuleQuery",
"v2.security_monitoring_rule_query_aggregation" => "SecurityMonitoringRuleQueryAggregation",
"v2.security_monitoring_rule_response" => "SecurityMonitoringRuleResponse",
"v2.security_monitoring_rule_severity" => "SecurityMonitoringRuleSeverity",
"v2.security_monitoring_rule_type_create" => "SecurityMonitoringRuleTypeCreate",
"v2.security_monitoring_rule_type_read" => "SecurityMonitoringRuleTypeRead",
"v2.security_monitoring_rule_update_payload" => "SecurityMonitoringRuleUpdatePayload",
"v2.security_monitoring_signal" => "SecurityMonitoringSignal",
"v2.security_monitoring_signal_archive_reason" => "SecurityMonitoringSignalArchiveReason",
"v2.security_monitoring_signal_assignee_update_attributes" => "SecurityMonitoringSignalAssigneeUpdateAttributes",
"v2.security_monitoring_signal_assignee_update_data" => "SecurityMonitoringSignalAssigneeUpdateData",
"v2.security_monitoring_signal_assignee_update_request" => "SecurityMonitoringSignalAssigneeUpdateRequest",
"v2.security_monitoring_signal_attributes" => "SecurityMonitoringSignalAttributes",
"v2.security_monitoring_signal_incidents_update_attributes" => "SecurityMonitoringSignalIncidentsUpdateAttributes",
"v2.security_monitoring_signal_incidents_update_data" => "SecurityMonitoringSignalIncidentsUpdateData",
"v2.security_monitoring_signal_incidents_update_request" => "SecurityMonitoringSignalIncidentsUpdateRequest",
"v2.security_monitoring_signal_list_request" => "SecurityMonitoringSignalListRequest",
"v2.security_monitoring_signal_list_request_filter" => "SecurityMonitoringSignalListRequestFilter",
"v2.security_monitoring_signal_list_request_page" => "SecurityMonitoringSignalListRequestPage",
"v2.security_monitoring_signal_rule_create_payload" => "SecurityMonitoringSignalRuleCreatePayload",
"v2.security_monitoring_signal_rule_query" => "SecurityMonitoringSignalRuleQuery",
"v2.security_monitoring_signal_rule_response" => "SecurityMonitoringSignalRuleResponse",
"v2.security_monitoring_signal_rule_response_query" => "SecurityMonitoringSignalRuleResponseQuery",
"v2.security_monitoring_signal_rule_type" => "SecurityMonitoringSignalRuleType",
"v2.security_monitoring_signals_list_response" => "SecurityMonitoringSignalsListResponse",
"v2.security_monitoring_signals_list_response_links" => "SecurityMonitoringSignalsListResponseLinks",
"v2.security_monitoring_signals_list_response_meta" => "SecurityMonitoringSignalsListResponseMeta",
"v2.security_monitoring_signals_list_response_meta_page" => "SecurityMonitoringSignalsListResponseMetaPage",
"v2.security_monitoring_signals_sort" => "SecurityMonitoringSignalsSort",
"v2.security_monitoring_signal_state" => "SecurityMonitoringSignalState",
"v2.security_monitoring_signal_state_update_attributes" => "SecurityMonitoringSignalStateUpdateAttributes",
"v2.security_monitoring_signal_state_update_data" => "SecurityMonitoringSignalStateUpdateData",
"v2.security_monitoring_signal_state_update_request" => "SecurityMonitoringSignalStateUpdateRequest",
"v2.security_monitoring_signal_triage_attributes" => "SecurityMonitoringSignalTriageAttributes",
"v2.security_monitoring_signal_triage_update_data" => "SecurityMonitoringSignalTriageUpdateData",
"v2.security_monitoring_signal_triage_update_response" => "SecurityMonitoringSignalTriageUpdateResponse",
"v2.security_monitoring_signal_type" => "SecurityMonitoringSignalType",
"v2.security_monitoring_standard_rule_create_payload" => "SecurityMonitoringStandardRuleCreatePayload",
"v2.security_monitoring_standard_rule_query" => "SecurityMonitoringStandardRuleQuery",
"v2.security_monitoring_standard_rule_response" => "SecurityMonitoringStandardRuleResponse",
"v2.security_monitoring_triage_user" => "SecurityMonitoringTriageUser",
"v2.sensitive_data_scanner_config_request" => "SensitiveDataScannerConfigRequest",
"v2.sensitive_data_scanner_configuration" => "SensitiveDataScannerConfiguration",
"v2.sensitive_data_scanner_configuration_data" => "SensitiveDataScannerConfigurationData",
"v2.sensitive_data_scanner_configuration_relationships" => "SensitiveDataScannerConfigurationRelationships",
"v2.sensitive_data_scanner_configuration_type" => "SensitiveDataScannerConfigurationType",
"v2.sensitive_data_scanner_create_group_response" => "SensitiveDataScannerCreateGroupResponse",
"v2.sensitive_data_scanner_create_rule_response" => "SensitiveDataScannerCreateRuleResponse",
"v2.sensitive_data_scanner_filter" => "SensitiveDataScannerFilter",
"v2.sensitive_data_scanner_get_config_included_item" => "SensitiveDataScannerGetConfigIncludedItem",
"v2.sensitive_data_scanner_get_config_response" => "SensitiveDataScannerGetConfigResponse",
"v2.sensitive_data_scanner_get_config_response_data" => "SensitiveDataScannerGetConfigResponseData",
"v2.sensitive_data_scanner_group" => "SensitiveDataScannerGroup",
"v2.sensitive_data_scanner_group_attributes" => "SensitiveDataScannerGroupAttributes",
"v2.sensitive_data_scanner_group_create" => "SensitiveDataScannerGroupCreate",
"v2.sensitive_data_scanner_group_create_request" => "SensitiveDataScannerGroupCreateRequest",
"v2.sensitive_data_scanner_group_data" => "SensitiveDataScannerGroupData",
"v2.sensitive_data_scanner_group_delete_request" => "SensitiveDataScannerGroupDeleteRequest",
"v2.sensitive_data_scanner_group_delete_response" => "SensitiveDataScannerGroupDeleteResponse",
"v2.sensitive_data_scanner_group_included_item" => "SensitiveDataScannerGroupIncludedItem",
"v2.sensitive_data_scanner_group_item" => "SensitiveDataScannerGroupItem",
"v2.sensitive_data_scanner_group_list" => "SensitiveDataScannerGroupList",
"v2.sensitive_data_scanner_group_relationships" => "SensitiveDataScannerGroupRelationships",
"v2.sensitive_data_scanner_group_response" => "SensitiveDataScannerGroupResponse",
"v2.sensitive_data_scanner_group_type" => "SensitiveDataScannerGroupType",
"v2.sensitive_data_scanner_group_update" => "SensitiveDataScannerGroupUpdate",
"v2.sensitive_data_scanner_group_update_request" => "SensitiveDataScannerGroupUpdateRequest",
"v2.sensitive_data_scanner_group_update_response" => "SensitiveDataScannerGroupUpdateResponse",
"v2.sensitive_data_scanner_meta" => "SensitiveDataScannerMeta",
"v2.sensitive_data_scanner_meta_version_only" => "SensitiveDataScannerMetaVersionOnly",
"v2.sensitive_data_scanner_product" => "SensitiveDataScannerProduct",
"v2.sensitive_data_scanner_reorder_config" => "SensitiveDataScannerReorderConfig",
"v2.sensitive_data_scanner_reorder_groups_response" => "SensitiveDataScannerReorderGroupsResponse",
"v2.sensitive_data_scanner_rule" => "SensitiveDataScannerRule",
"v2.sensitive_data_scanner_rule_attributes" => "SensitiveDataScannerRuleAttributes",
"v2.sensitive_data_scanner_rule_create" => "SensitiveDataScannerRuleCreate",
"v2.sensitive_data_scanner_rule_create_request" => "SensitiveDataScannerRuleCreateRequest",
"v2.sensitive_data_scanner_rule_data" => "SensitiveDataScannerRuleData",
"v2.sensitive_data_scanner_rule_delete_request" => "SensitiveDataScannerRuleDeleteRequest",
"v2.sensitive_data_scanner_rule_delete_response" => "SensitiveDataScannerRuleDeleteResponse",
"v2.sensitive_data_scanner_rule_included_item" => "SensitiveDataScannerRuleIncludedItem",
"v2.sensitive_data_scanner_rule_relationships" => "SensitiveDataScannerRuleRelationships",
"v2.sensitive_data_scanner_rule_response" => "SensitiveDataScannerRuleResponse",
"v2.sensitive_data_scanner_rule_type" => "SensitiveDataScannerRuleType",
"v2.sensitive_data_scanner_rule_update" => "SensitiveDataScannerRuleUpdate",
"v2.sensitive_data_scanner_rule_update_request" => "SensitiveDataScannerRuleUpdateRequest",
"v2.sensitive_data_scanner_rule_update_response" => "SensitiveDataScannerRuleUpdateResponse",
"v2.sensitive_data_scanner_standard_pattern" => "SensitiveDataScannerStandardPattern",
"v2.sensitive_data_scanner_standard_pattern_attributes" => "SensitiveDataScannerStandardPatternAttributes",
"v2.sensitive_data_scanner_standard_pattern_data" => "SensitiveDataScannerStandardPatternData",
"v2.sensitive_data_scanner_standard_patterns_response_data" => "SensitiveDataScannerStandardPatternsResponseData",
"v2.sensitive_data_scanner_standard_patterns_response_item" => "SensitiveDataScannerStandardPatternsResponseItem",
"v2.sensitive_data_scanner_standard_pattern_type" => "SensitiveDataScannerStandardPatternType",
"v2.sensitive_data_scanner_text_replacement" => "SensitiveDataScannerTextReplacement",
"v2.sensitive_data_scanner_text_replacement_type" => "SensitiveDataScannerTextReplacementType",
"v2.service_account_create_attributes" => "ServiceAccountCreateAttributes",
"v2.service_account_create_data" => "ServiceAccountCreateData",
"v2.service_account_create_request" => "ServiceAccountCreateRequest",
"v2.service_definition_create_response" => "ServiceDefinitionCreateResponse",
"v2.service_definition_data" => "ServiceDefinitionData",
"v2.service_definition_data_attributes" => "ServiceDefinitionDataAttributes",
"v2.service_definition_get_response" => "ServiceDefinitionGetResponse",
"v2.service_definition_meta" => "ServiceDefinitionMeta",
"v2.service_definition_schema" => "ServiceDefinitionSchema",
"v2.service_definitions_create_request" => "ServiceDefinitionsCreateRequest",
"v2.service_definitions_list_response" => "ServiceDefinitionsListResponse",
"v2.service_definition_v1" => "ServiceDefinitionV1",
"v2.service_definition_v1_contact" => "ServiceDefinitionV1Contact",
"v2.service_definition_v1_info" => "ServiceDefinitionV1Info",
"v2.service_definition_v1_integrations" => "ServiceDefinitionV1Integrations",
"v2.service_definition_v1_org" => "ServiceDefinitionV1Org",
"v2.service_definition_v1_resource" => "ServiceDefinitionV1Resource",
"v2.service_definition_v1_resource_type" => "ServiceDefinitionV1ResourceType",
"v2.service_definition_v1_version" => "ServiceDefinitionV1Version",
"v2.service_definition_v2" => "ServiceDefinitionV2",
"v2.service_definition_v2_contact" => "ServiceDefinitionV2Contact",
"v2.service_definition_v2_doc" => "ServiceDefinitionV2Doc",
"v2.service_definition_v2_email" => "ServiceDefinitionV2Email",
"v2.service_definition_v2_email_type" => "ServiceDefinitionV2EmailType",
"v2.service_definition_v2_integrations" => "ServiceDefinitionV2Integrations",
"v2.service_definition_v2_link" => "ServiceDefinitionV2Link",
"v2.service_definition_v2_link_type" => "ServiceDefinitionV2LinkType",
"v2.service_definition_v2_opsgenie" => "ServiceDefinitionV2Opsgenie",
"v2.service_definition_v2_opsgenie_region" => "ServiceDefinitionV2OpsgenieRegion",
"v2.service_definition_v2_repo" => "ServiceDefinitionV2Repo",
"v2.service_definition_v2_slack" => "ServiceDefinitionV2Slack",
"v2.service_definition_v2_slack_type" => "ServiceDefinitionV2SlackType",
"v2.service_definition_v2_version" => "ServiceDefinitionV2Version",
"v2.timeseries_formula_query_request" => "TimeseriesFormulaQueryRequest",
"v2.timeseries_formula_query_response" => "TimeseriesFormulaQueryResponse",
"v2.timeseries_formula_request" => "TimeseriesFormulaRequest",
"v2.timeseries_formula_request_attributes" => "TimeseriesFormulaRequestAttributes",
"v2.timeseries_formula_request_type" => "TimeseriesFormulaRequestType",
"v2.timeseries_formula_response_type" => "TimeseriesFormulaResponseType",
"v2.timeseries_query" => "TimeseriesQuery",
"v2.timeseries_response" => "TimeseriesResponse",
"v2.timeseries_response_attributes" => "TimeseriesResponseAttributes",
"v2.timeseries_response_series" => "TimeseriesResponseSeries",
"v2.unit" => "Unit",
"v2.usage_application_security_monitoring_response" => "UsageApplicationSecurityMonitoringResponse",
"v2.usage_attributes_object" => "UsageAttributesObject",
"v2.usage_data_object" => "UsageDataObject",
"v2.usage_lambda_traced_invocations_response" => "UsageLambdaTracedInvocationsResponse",
"v2.usage_observability_pipelines_response" => "UsageObservabilityPipelinesResponse",
"v2.usage_time_series_object" => "UsageTimeSeriesObject",
"v2.usage_time_series_type" => "UsageTimeSeriesType",
"v2.user" => "User",
"v2.user_attributes" => "UserAttributes",
"v2.user_create_attributes" => "UserCreateAttributes",
"v2.user_create_data" => "UserCreateData",
"v2.user_create_request" => "UserCreateRequest",
"v2.user_invitation_data" => "UserInvitationData",
"v2.user_invitation_data_attributes" => "UserInvitationDataAttributes",
"v2.user_invitation_relationships" => "UserInvitationRelationships",
"v2.user_invitation_response" => "UserInvitationResponse",
"v2.user_invitation_response_data" => "UserInvitationResponseData",
"v2.user_invitations_request" => "UserInvitationsRequest",
"v2.user_invitations_response" => "UserInvitationsResponse",
"v2.user_invitations_type" => "UserInvitationsType",
"v2.user_relationships" => "UserRelationships",
"v2.user_response" => "UserResponse",
"v2.user_response_included_item" => "UserResponseIncludedItem",
"v2.user_response_relationships" => "UserResponseRelationships",
"v2.users_response" => "UsersResponse",
"v2.users_type" => "UsersType",
"v2.user_update_attributes" => "UserUpdateAttributes",
"v2.user_update_data" => "UserUpdateData",
"v2.user_update_request" => "UserUpdateRequest",
"v1.authentication_api" => "AuthenticationAPI",
"v1.aws_integration_api" => "AWSIntegrationAPI",
"v1.aws_logs_integration_api" => "AWSLogsIntegrationAPI",
"v1.azure_integration_api" => "AzureIntegrationAPI",
"v1.dashboard_lists_api" => "DashboardListsAPI",
"v1.dashboards_api" => "DashboardsAPI",
"v1.downtimes_api" => "DowntimesAPI",
"v1.events_api" => "EventsAPI",
"v1.gcp_integration_api" => "GCPIntegrationAPI",
"v1.hosts_api" => "HostsAPI",
"v1.ip_ranges_api" => "IPRangesAPI",
"v1.key_management_api" => "KeyManagementAPI",
"v1.logs_api" => "LogsAPI",
"v1.logs_indexes_api" => "LogsIndexesAPI",
"v1.logs_pipelines_api" => "LogsPipelinesAPI",
"v1.metrics_api" => "MetricsAPI",
"v1.monitors_api" => "MonitorsAPI",
"v1.notebooks_api" => "NotebooksAPI",
"v1.organizations_api" => "OrganizationsAPI",
"v1.pager_duty_integration_api" => "PagerDutyIntegrationAPI",
"v1.security_monitoring_api" => "SecurityMonitoringAPI",
"v1.service_checks_api" => "ServiceChecksAPI",
"v1.service_level_objective_corrections_api" => "ServiceLevelObjectiveCorrectionsAPI",
"v1.service_level_objectives_api" => "ServiceLevelObjectivesAPI",
"v1.slack_integration_api" => "SlackIntegrationAPI",
"v1.snapshots_api" => "SnapshotsAPI",
"v1.synthetics_api" => "SyntheticsAPI",
"v1.tags_api" => "TagsAPI",
"v1.usage_metering_api" => "UsageMeteringAPI",
"v1.users_api" => "UsersAPI",
"v1.webhooks_integration_api" => "WebhooksIntegrationAPI",
"v2.audit_api" => "AuditAPI",
"v2.authn_mappings_api" => "AuthNMappingsAPI",
"v2.ci_visibility_pipelines_api" => "CIVisibilityPipelinesAPI",
"v2.ci_visibility_tests_api" => "CIVisibilityTestsAPI",
"v2.cloud_workload_security_api" => "CloudWorkloadSecurityAPI",
"v2.cloudflare_integration_api" => "CloudflareIntegrationAPI",
"v2.confluent_cloud_api" => "ConfluentCloudAPI",
"v2.dashboard_lists_api" => "DashboardListsAPI",
"v2.events_api" => "EventsAPI",
"v2.fastly_integration_api" => "FastlyIntegrationAPI",
"v2.incident_services_api" => "IncidentServicesAPI",
"v2.incident_teams_api" => "IncidentTeamsAPI",
"v2.incidents_api" => "IncidentsAPI",
"v2.key_management_api" => "KeyManagementAPI",
"v2.logs_api" => "LogsAPI",
"v2.logs_archives_api" => "LogsArchivesAPI",
"v2.logs_metrics_api" => "LogsMetricsAPI",
"v2.metrics_api" => "MetricsAPI",
"v2.monitors_api" => "MonitorsAPI",
"v2.opsgenie_integration_api" => "OpsgenieIntegrationAPI",
"v2.organizations_api" => "OrganizationsAPI",
"v2.processes_api" => "ProcessesAPI",
"v2.roles_api" => "RolesAPI",
"v2.rum_api" => "RUMAPI",
"v2.security_monitoring_api" => "SecurityMonitoringAPI",
"v2.sensitive_data_scanner_api" => "SensitiveDataScannerAPI",
"v2.service_accounts_api" => "ServiceAccountsAPI",
"v2.service_definition_api" => "ServiceDefinitionAPI",
"v2.usage_metering_api" => "UsageMeteringAPI",
"v2.users_api" => "UsersAPI"
}
end
|