-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathapi.txt
3759 lines (3758 loc) · 84.6 KB
/
api.txt
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1.0/aui
1.0/branding
1.0/createCase
1.0/get/invoices?sourceUniqueId=
1.0/graph/payment/monthly
1.0/invoice/barcode/
1.0/invoice/child/
1.0/invoice/documentid/
1.0/invoice/draft/documentid/
1.0/invoice/draft/edit
1.0/invoice/draft/pdf/
1.0/invoice/export/completed
1.0/invoice/export/pending
1.0/invoice/pdf/
1.0/invoice/view
1.0/log
1.0/menus/find_link?inAdminMode=false
1.0/metrics
1.0/payment/export
1.0/preference
1.0/royalty/export
1.0/rso/child/
1.0/rso/detail/
1.0/rso/search
1.0/searchCase
1.0/searchEarnings
1.0/translation
1.0/vib/attachment/download/
1.0/vib/attachment/scan/
1.0/vib/attachment/upload
1.0/vib/export
1.0/vib/submit/bulk
1.0/vib/submit/form
1.1/
1710/account/auth
1710/ping
1/item/
1/performance/records
1/performance/settings
1/services/common/prepopulation.json
1/speedTest/
2
2.0/enhanced/invoice
2.0/enhanced/invoice/draft
2.0/enhanced/invoice/draft/true
2.0/enhanced/invoice/true
2.0/preference
2.0/preference/documentContent
2.0/preference/view
2.0/search/paidinvoice
2.0/search/paidinvoice/true
2.0/search/payment
2.0/search/payment/true
2/access/group/
2/access/path/
2/access/user/
2/action/
2/activity/
2/auth/pusher
2/group/
2/link/
2/path/data/
2/path/exchange/
2/path/info/
2/path/list-versions/
2/path/map/
2/path/oper/checksum/
2/path/oper/compress/
2/path/oper/convert/
2/path/oper/copy/
2/path/oper/import/
2/path/oper/mkdir/
2/path/oper/move/
2/path/oper/remove/
2/path/oper/rename/
2/path/progress/
2/ping/
2/pref/
2/pref/right/
2/pref/site/
2/pref/user/
2/right/
2/role/
2/rule/
2/search/group/
2/search/path/
2/search/site/
2/search/user/
2/session/
2/site/
2/tags/list
2/task/
2/user/
2/watch/groups/
2/watch/paths/
2/watch/users/
2/whoami/
3.0/invoice/draft/accept
3/commerce/cart/subscription
3/link
about/
abTestApi.ts
access-control/builtin-roles
access-control/roles?delegatable=true
access-control/user/permissions
AccessListEntries
AccessListEntries/
AccessRequests
AccessRequests/metadata
AccessRights
account
account/
account/dashboard/
account/entitlements
account/hatena-oauth
accountinfo
accountinfo/userroles
account-links
account/notifications/unread
accounts
account/search-filters
account/search-filters/
account/settings/ui
account/update
account/v2/users/
acknowledgeStudentForICCT
activity
activity/popular_items
activity/recent_views
addAdminToEnterpriseForICCT
AdditionalFaculties
AdditionalFaculties/
add_logs
addmat?id=
addons
add_to_disco/
add_to_disco/list_businesses/
admin/1.0/app/load
admin/1.0/coworker/
admin/1.0/coworker/delete
admin/1.0/coworker/header
admin/1.0/coworkers
admin/1.0/create_report/organization
admin/1.0/group_recommendation/delete
admin/1.0/group_recommendations
admin/1.0/organization/delete
admin/1.0/organizations
admin/1.0/organization/testings
admin/1.0/question/
admin/1.0/question/delete
admin/1.0/question/header
admin/1.0/questions
admin/1.0/recommendation/delete
admin/1.0/recommendations
admin/1.0/report/consultant
admin/1.0/report/delete
admin/1.0/report/organization
admin/1.0/report/respondent
admin/1.0/report/result
admin/1.0/reports
admin/1.0/report/title
admin/1.0/respondent/
admin/1.0/respondent/delete
admin/1.0/respondent/header
admin/1.0/respondents
admin/1.0/test/
admin/1.0/test/delete
admin/1.0/test/header
admin/1.0/testing/finish
admin/1.0/testing/result
admin/1.0/tests
admin/1.0/test_sessions
admin/1.0/users/checkToken
admin/1.0/users/login
admin/1.0/users/logout
admin/approved-list
admin/bp-mergers
admin/compliance-plan
admin/compliance-plan-log
admin/es-logs
AdminEvent/event
AdminEvent/eventData/
AdminEvent/eventDay
AdminEvent/getDaysData/
AdminEvent/getProgramsData/
AdminEvent/program
AdminEvent/updateEvent
AdminEvent/updateEventDays
AdminEvent/updateProgram
admin/import/icals
admin/json_get_pinyin/
admin/ldap/
admin/ldap/status
admin/ldap/sync/
admin/ldap-sync-status
admin/mysaerr-logs
admin/mysaerr-logs-history
admin/mysa-response-check
admin/mysa-response-log
admin/users/
AdobeSignProxy/agreements
AdobeSignProxy/agreements/
agents/checkAgentVersion
agents/cli
agents/liveLogs/support
agreements/
agreements/v1/integrity_signature/
airos/v1/unifi/devices/
airtable
AlarmEvent
alert
alert-notifications
alert-notifications/
alert-notifications/lookup
alert-notifications/test
alert-notifiers
alerts
alerts/
alerts/states-for-dashboard
algo/createAlgo
algo/createAlgoResource
algo/queryAlgoBasicInfo
algo/queryAlgoInfo
algo/queryAlgoList
algo/queryResourceList
algo/updateAlgo
allowed-providers
all_projects
alternance_contract/delete
analytics
analytics/file?projectId=
analytics/listfiles?prefix=
analytics/store
annotations/
annotations/1.0/3b0f18d6e7bf8cf053640179ef6d98d1/
annotations?dashboardId=
annotations/mass-delete
annotations/tags
[api]
api
api-admin
api-auth-tokens/
api_documentation
api_documentation/
api_documentation/create
api_documentation/generate
apid/profile_view
apid/profile_view?bannerd=false&profiled=false
apier
apies
apiheaders/
api-key
api-key?authToken=
api?module=logs&action=getLogs
apiPlaygroundFlow.do?assetId=12600093&destPage=httpsdeveloper.att.com/apps
apis
api_token
app/appAuthorize
app/createApp
applianceSerialNumbers/
applianceSerialNumbers/add-appliance-serial-number
applianceSerialNumbers/find-appliance-serial-number
applianceSerialNumbers/update-appliance-serial-number
application/
Application/cmeSlider
Application/getSiteHelp
ApplicationNotifications
ApplicationNotifications/RemoveApplicationNotifications
ApplicationNotifications/UpdateNotificationsIsReadStatus
applications
applications/export
applications_to_schedule
applications_to_schedule/add_schedules
applications_to_schedule/del_schedules
applications_to_schedule/export
applybpjson/sendRequest
app/queryAppBasicInfo
app/queryAppInfo
app/queryAppList
app/queryEmployeeInfoByMobile
Approvers/
Approvers?filter=
app_state/
app-status
app/updateApp
appwise/v1/signals/?d=
appwise/v1/teams
appwise/v2/core/marketplaces/
appwise/v2/core/users/me
appwise/v2/core/users/me/index/autocomplete
appwise/v2/core/users/me/index/search
appwise/v2/core/users/me/index/suggest
appwise/v2/core/users/me/services/enabled?page_size=1000
apy/
areas
arm/diagnosticevents/v1/
arm/hubdiscovery
article/
articlefavorites
articles
articles/get-callback/?callback=
artist/
artist/search/?count=50&sort=
art/record-trigger
art/registered-weblabs
asm/app/apps
asm/app/detail
asm/app/distribution
asm/app/whitelist/
asm/dept/detail
asm/dept/history
asm/dept/overview
asm/dept/subdepts
asrc/pri/action/CertificationAction/checkAlipay.json
asrc/pri/action/CertificationAction/checkMobileCode.json
asrc/pri/action/CertificationAction/sendEmailCode.json
asrc/pri/action/CertificationAction/sendMobileCode.json
asrc/pri/action/LeakAction/intelligence.json
asrc/pri/action/LeakAction/report.json
asrc/pri/action/profile/alipayUpdate.json
asrc/pri/action/profile/baseInfoUpdate.json
asrc/pri/action/profile/certificationUpdate.json
asrc/pri/action/profile/query.json
asrc/pri/addr/AddrAction/addrAdd.json
asrc/pri/addr/AddrAction/addrUpd.json
asrc/pri/addr/addr_def.json
asrc/pri/addr/addr_del.json
asrc/pri/addr/address.json
asrc/pri/all.json
asrc/pri/cerIntro.json
asrc/pri/commentAdd.json
asrc/pri/detail.json
asrc/pri/intelligence.json
asrc/pri/msg/msg_all.json
asrc/pri/msg/msg_del.json
asrc/pri/msg/msg_detail.json
asrc/pri/myjifen.json
asrc/pri/order/order.json
asrc/pri/report.json
asrc/pri/uploadImage.json?action=uploadimage
asrc/pub/announcements/announcement.json
asrc/pub/announcements/list.json
asrc/pub/event/event.json
asrc/pub/event/event_leaks.json
asrc/pub/event.json
asrc/pub/event/register_event.json
asrc/pub/event/unregister_event.json
asrc/pub/login.json
asrc/pub/logout.json
asrc/pub/people.json
asrc/pub/shop/cartAdd.json
asrc/pub/shop.json
asrc/pub/shop/orderAdd.json
asrc/pub/StrartIndex.json
asrc/pub/submit.json
asrc/pub/tops.json
assessment-results/get-answers/crt
assessment-results/get-answers/learning
assessment-results/get-answers/values
assessment-results/save-answers
assessments/dataext
assets/
assets/activityTypes
assets/businessUnits
assets/createAsset
assets/entitlement
assets/entJobRoles
assets/entJobRoleSkillLevels
assets/learningJourneyImages
assets/roles
assets/topics
assets/types
assets/users
assignments
attributes/computed?deviceId=
audit
audit/releaseNotes
audit/releaseVersions
auth
auth/
auth/admin_signup
auth/check
auth/contact_signup
auth/create-user-with-idp
auth/csrf/refresh
authdevicesupportms/v1/getdevices
authdevicesupportms/v1/setacctfocus
authdevicesupportms/v1/setacctfocus/
auth/doc_request_signup
auth/doc_signup
authenticateToken
authentication
auth/forgot/mail/QuestionsList/
auth/forgot/mail/UserQuestion/
auth/forgot/mail/ValidateAnswer/
auth/forgot-password
auth/heartbeat
auth/jpo_signup
authknowledgems/v1/currentlocalization
authknowledgems/v1/validatezipcode
authknowledgems/v1/validatezipcode/
authknowledgems/v1/viewdevices
authknowledgems/v1/viewdevicesdetails
authknowledgems/v1/viewpackages
auth/live_signup
auth/local
auth/local/register
auth/login
auth/login/
auth/login/faxuser.cookie
auth/login/sign
auth/logout
auth/Logout
auth/me
auth/obtain/email/
authorizationApi.js
authorization/authorizeBySecretApi.ts
authorization/authorizeByTokenAtMailruApi.ts
authorization/oauthAuthApi.ts
authorization/registrationApi.ts
authorization/saveStepRegistrationDataApi.ts
authorization/sessionInitApi.ts
authorization/tokenLoginApi.ts
authorization/vendorsListApi.ts
Authorize/loginUser/
Authorize/logoutUser/
Authorize/registerUser/
Authorize/socialLogin/
Authorize/userAnalyticsData
Authorize/userSessionValidation/
auth/polis/callback?idToken=
auth/recover
auth/reset
auth/reset-password
auth/reset-password/
auth/settings/active
auth/settings/active/
auth/settings/supported
auth/shop_signup
auth/signin
auth/signinas
auth/signout
auth/signup
auth/social_data
auth/user
auth/v1
auth/v1/redbull/redirect-link
available-mid-field
availableOffers
AwardCrossDisciplines
AwardDisciplines
Awards
AwardSubdisciplines
aws
aws-it/layout
aws-it/me
aws-it/validate-address
background-check/me
backoffice/delivery/splitorders/delivery-export
backoffice/delivery/splitorders/export
backoffice/delivery/splitorders/friday-export
backoffice/maintenance/splitorders/export
backoffice/pickup/splitorders/export
backoffice/refurbishment/splitorders/export
backoffice/repair/splitorders/export
badge
badge/me
badge/me/photo
badge/me/upload-photo
banner/
banners
banners/login
barbican/certificates/
barbican/containers/
barbican/secrets/
bet
bf/
bf/attachments/
bf/token/refresh
bf/zipattachments/
bf/zipmessages
bifrost/acquisitions/batch/v1/asins?x-client-id=ebook-dp-next-x&ref_=dbs_p_pwh_rwt_anx_bybut_3
billing
billing/customer-summaries
bitbin/file-upload-nav?eventData=
biz/createBiz
biz/queryBizBasicInfo
biz/queryBizInfo
biz/queryBizList
biz/updateBiz
BlendedTraining/blendedTrainingAssociationDetails/
BlendedTraining/blendedTrainings/
BlendedTraining/possibleBlendedTrainingAssociates
BlendedTraining/saveBTAssociationDetails
blocks
Bluepages/isW3IdFound?w3id=
Bluepages/proxy?bpQuery=
Bluepages/proxyPicture?emailAddress=
bluetooth/disconnect-sink/
bluetooth/migration/disconnect-sink/
bluetooth/migration/pair-sink/
bluetooth/migration/unpair-sink/
bluetooth/pair-sink/
bluetooth/unpair-sink/
bookmark
bookmark/ordering
bookmarks/me/reports
bookmarks/v1/bookmarks/
boughtarticles
bp/getCompetencies
bp/getCompetencyDetails
bp/getReplacementBadges
brand-info
branding/colors/branding_colors_partial
branding/colors/custom_proposal_css
briefcase/
BulkBuy/
bulkload/delayedtemplates
bulkupdate/coruusertemplate
bulkupdate/uploadusertemplate
bundles
business/current/
business/current/public/
business/current/subscription/
business/current/update_metadata/
business_lookup/?hostname=
business-trip/addresses
business-trip/business-processes
business-trip/cfos
business-trip/constants
business-trip/free-funds
business-trip/goals
business-trip/limits
business-trip/program-codes
business_user/
calendar/account
campaign/
campaign_footers/
campaign/validate_domain/
campus/
campuses
candidate/
candidate/account/delete
candidate/add
candidate/application/accepted
candidate/application/address_visa
candidate/application/alternance_request
candidate/application/checkout
candidate/application/choices
candidate/application/comment
candidate/application/comment/delete/
candidate/application/comments/
candidate/application/document/delete
candidate/application/documents_complete
candidate/application/documents_grant
candidate/application/documents_sponsoring
candidate/application/documents_visa
candidate/application/finances/process
candidate/application/finances/process/delete
candidate/application/funding
candidate/application/funding_confirmation
candidate/application/funding_document/delete
candidate/application/funding_validated
candidate/application/general_info
candidate/application/grant_invalid
candidate/application/grant_validated
candidate/application/interview/appointment
candidate/application/message
candidate/application/message/read
candidate/application/old_schedule/staff
candidate/application/payment
candidate/application/payment/received
candidate/application/paymentstub/
candidate/application/process
candidate/application/promo/remove
candidate/application/promo/set
candidate/application/refused
candidate/application/register
candidate/application/registration/accepted
candidate/application/registration/received
candidate/application/reminder
candidate/application/reminder/delete
candidate/application/reminder/employee/
candidate/application/reminder/stats/
candidate/application/reminder/total/stats/
candidate/application/residence_permit_invalid
candidate/application/residence_permit_valid
candidate/application/schedule
candidate/application/schedule/delete
candidate/application/schedule/staff
candidate/application/schedule/update
candidate/application/sponsoring_invalid
candidate/application/sponsoring_validated
candidate/application/staff/delete
candidate/application/status
candidate/application/statuses
candidate/application/statuses/delete
candidate/application/statuses/update
candidate/application/tranfert_message
candidate/application/visa_doc_invalid
candidate/application/visa_doc_valid
candidate/application/visa_request_certificate
candidate/archive
candidate/curriculum
candidate/delete
candidate/discontinued_candidate
candidate/documents/
candidate/duplicate_candidate
candidate/event
candidate/event/delete
candidate/event/register
candidate/events/
candidate/finance/
candidate/finances/add
candidate/finances/credit/add
candidate/finances/credit/delete
candidate/finances/credit/update
candidate/finances/delete
candidate/finances/promo/add
candidate/finances/promo/delete
candidate/finances/promo/update
candidate/finances/report/add
candidate/finances/report/delete
candidate/finances/report/update
candidate/finances/schedule
candidate/finances/schedule/delete
candidate/finances/schedule/staff
candidate/finances/switchLocation
candidate/finances/task
candidate/finances/task/delete
candidate/finances/task/done
candidate/finance/status
candidate/finances/update
candidate/motivation
candidate/order/promo/remove
candidate/order/promo/set
candidate/registration/accepted
candidate/registration/cancel
candidate/registration/save_check
candidate/registration/save_guarantor
candidates
candidates/add
candidates/bulk_message/delete
candidates/bulk_messages
candidates/bulk_message/send
candidates/export
candidate/shop/add
candidate/shop/message
candidate/shop/message/read
candidate/shop/messages/
candidate/show/
candidates/import
candidates/simpleform
candidates/user/add
candidate/update
card
card/embeddable
card/public
card/related
cards/getCards
Cartpayment/getCouponCode/
Cartpayment/getInstallmentDetails/
Cartpayment/getTotalAmount
Cartpayment/netBankingRequest
Cartpayment/setShippingAddress
Cartpayment/storeConsultationCart
Cartpayment/storeTrainingCarts
Cartpayment/updateCart
Cartpayment/updateCartCoupon
Cartpayment/verifyCoupon/
catalog
catalog/generic
catalogs
catalogs/assets/
catalog/tickets/upload
categories
category/
census/button-click
census/button-render
census/form-render
census/overlay
census/RecordHit
census/RecordQuickView/
cfunctions-min?isMinimize=true&locale=
channel/v1/customizations/preview.json?applicationId=
channel/v1/styles/
chargify_component/
chargify-secure/
chargify-secure/create_subscription/
chargify-secure/preview_component_allocation/
chargify-secure/preview_component_cost/
chargify-secure/preview_subscription/
chargify-secure/restart_subscription/
chargify-secure/update_component_allocation/
chargify-secure/update_subscription/
chargify-secure/update_subscription_customer/
chat/advance
chat/fetchContactMessengerChatApi.ts
chat/fetchMessengerChatApi.ts
chat/fetchMessengerSwitchApi.ts
chat/init/?chatbot_id=
chat/log
checkAuthToken
checkdomain
checklists/validate-ip-address-info
check-login-url/
checkout/v1/accountRegistrationSetup/saveNewAccessIDPassword/
checkout/v1/accountRegistrationSetup/validatePasswordFormat/
checkout/v1/cart/preview
checkout/v1/shoppingCarts/itemDetails?forceReturnAllPricingPlans=false&locale=
checkPathAccess
childcategory/
cinder/availzones/
cinder/extensions/
cinder/qosspecs/
cinder/quota-sets/
cinder/quota-sets/defaults/
cinder/services/
cinder/tenantabsolutelimits/
cinder/volumes/
cinder/volumesnapshots/
cinder/volumetypes/
cinder/volumetypes/default
clicks
client-error-collector
client_library/
client_library_curated_playlist/
client_library_discovery_panel/
client_library_discovery_panel_set/
clients/unauth
ClinicalLibrary/currentVideos
ClinicalLibrary/latestVideos/
ClinicalLibrary/newCurrentVideo/
ClinicalLibrary/popularClinicalVideos
ClinicalLibrary/relatedVideos/
ClinicalLibrary/userDetails/
ClinicalLibrary/videoThumbnail/
cloudant/activites
cloudant/certifications
CloudCreditDeniedParties
CloudCreditDeniedParties/
CloudCreditNominationHistories
CloudCreditNominations
CloudCreditNominations/
CmeConfiguration
cobcadminuserinfo
cobcadminuserinfo/
CognosImportLogs
collect
collection
collection/graph
collection/root
collections
collections/
collection/tree
comments/create
comments/create/
comments/dislike/
comments/get
comments/idea/
comments/like/
commerce/fullstory/getId
commerce/shopping-cart
commerce/shopping-cart/entries
common/businessCode
common/git/groups
common/git/projectsInGroup
common/git/tree
common/header
common/industry/label
common/module/label
common/module/labelTree
common/pageType
common/upload?csrfId=
common/user/superOwner
communications
community-content
community-content/
Companies
Companies/accessAudit
Companies/companyUsers
Companies/overrideStatus
company/installer
CompetitiveTakeouts
component/
componentApi/add
componentApi/del
componentApi/delAll
componentApi/edit
componentApi/import
componentApi/list
component/compileComponent
component/create
component/createComponent
component/createLib
component/del
component/deployComponent
component/edit
component/list
component/queryComponentBasicInfo
component/queryComponentInfo
component/queryComponentList
components/
components/groups/order
components/order
componentTypes
component/updateComponent
config
config.php
configs
configs/
configs/add_param
configuration
configurations
connect/ecommerce/
connect/ecommerce/stripe/connect?num_id=
consent
ConsentFiles/
consent/patient
console/logistic/queryLogisticsNodeUserById
constants/
contact/
contact/bulk_delete/
contact/bulk_import/
contact/bulk_unsubscribe/
contact/bulk_update/
contact/contact-form/
contact_note/?contact=
contacts
contacts/
contactusform
ContainerConsents/consent/download/
ContainerConsents/consent/upload
ContainerFellowshipFulfillmentFileAttachments/fileAttachment/download/
ContainerFellowshipFulfillmentFileAttachments/fileAttachment/upload
ContainerFellowshipNominationFileAttachments/fileAttachment/download/
ContainerFellowshipNominationFileAttachments/fileAttachment/upload
container_infra/certificates/
container_infra/clusters/
container_infra/cluster_templates/
container_infra/kubeconfig/
container_infra/secret/
ContainerInternalNominationFileAttachments/fileAttachment/download/
ContainerInternalNominationFileAttachments/fileAttachment/upload
ContainerInternalNominationPaymentScheduleApuFileAttachments/fileAttachment/download/
ContainerInternalNominationPaymentScheduleApuFileAttachments/fileAttachment/upload
Containers/cv/download
Containers/cv/download/all_submitted_masters
Containers/cv/download/all_submitted_phd
Containers/cv/upload
content/content
content/courseimage
contentPane/templates/
content?path=
content/templateimage
content/templates
conversation
copy
copytrade/copy_trading/follow/close_position
copytrade/copy_trading/follow/position
copytrade/copy_trading/follow/yield_curve
copytrade/copy_trading/trader/close_position
copytrade/copy_trading/trader/level
copytrade/copy_trading/trader/position
copytrade/copy_trading/trader/yield_curve
corrections
countries
Countries
countview/
county_subscribers
county_subscription_type
course/
coursecomming/
course_experience/v1/reset_course_deadlines
course_home/course_metadata/
course_home/dates/
course_home/dismiss_welcome_message
course_home/outline/
course_home/progress/
course_home/save_course_goal
course_home/unsubscribe_from_course_goal/
courses/v2/blocks/
courseware/celebration/
courseware/course/
courseware/resume/
courseware/sequence/
cpqi_service/create
cpqi_service/edit/cfr/
cps
cps/socket.io
crepo
crepo/feed/v3/query?filter[meta.externalReference.origin]=
crepo/lifecycles/
crepo/rbmn
crepo/registry/uriSlugs/
crepo/urislug-registry/uriSlugs/
crepo/v4/resources/
CsiCallForPostAuthorizationServiceActor/invokeCSIService
csrf
csrftoken/
curl/curl-import
current_datetime/
current_events
custom/admin/translations/
custom/admin/upload-media
customer/me/dataSources
customer_reports/
customer-reviews-summary
customer/roles
customers
customers/customergroupName
customers/customergroups
customers/customerlist
customers/me/plan/invoices
customers/me/plan/statements
customers/me/plan/subscriptions?filter=true
customers/sitegroups
customer_stats/
customer_stats/contact/?id=
customer_stats/playlists/
customer_stats/summary/
customer-status
customer-status-and-action
CustomFunctions/getFellowshipEvaluatorSummary?awardId=
CustomFunctions/getFellowshipReviewerReport?awardId=
custom/reporting
customs
dashboard
Dashboard
dashboard/applications/export
dashboard-banner
dashboard-banner/
dashboard-banner/read-many
dashboard/bulk/createDashboardsFromInsightsFile
dashboard/bulk/validateInsightsBulkFile
dashboard/candidates
dashboard/candidates/export
dashboard/embeddable
dashboard/location/GetCovidData/country/
dashboard/location/GetCovidData/county/
dashboard/location/GetCovidData/state/
dashboard/messages/
dashboard/messages/staff
dashboard/notifications/
dashboard/notifications/update
dashboard/params/valid-filter-fields
dashboard/public
dashboards
dashboards/
dashboard/save
dashboards/data
dashboards/dataext
dashboards/db/
dashboards/home
dashboard/shop_messages/
dashboards/id/
dashboards/import
dashboards/tags
dashboards/trim
dashboards/uid/
dashboards/widgets
dashboard/tasks
dashboard/tasks/staff
dashboard/tasks/staff/total
data
database
database/sample_database
database/validate
data/batch?emptyValuesAsNull=true
data/batch?emptyValuesAsNull=true&dynamicSampling=true
data/batch?emptyValuesAsNull=true&meerkatOptimized=true
data/batch?metricCompatibilityValidation=false&emptyValuesAsNull=true
data/entity/metadata
dataset
dataset/duration
dataset/native
dataset/pivot
datasources/
db/
db/f2e
db/f2e/
db/f2e/BlockedNumber.json
db/f2e/BlockedNumbers.json
db/f2e/CoverPageSettings.json
db/f2e/Dashboard.json
db/f2e/GlobalSettings.json
db/f2e/SubAccount.json
db/f2e/TourViewed.json
db/pim/contacts/
db/steele/1.0/calendars/calendar
db/steele/1.0/calendars/list
db/steele/1.0/cloudbox/gettoken.json
db/steele/1.0/events/meetingresponse
db/steele/1.0/events/NotificationDisplayed/
db/steele/1.0/events/notifications.json?start=
db/steele/1.0/preferences/CalendarPrefs
db/steele/1.0/preferences/timezones/
db/steele/1.0/public/task/
db/steele/1.0/task/