-
Notifications
You must be signed in to change notification settings - Fork 84
/
Copy pathautonomous_database.go
1845 lines (1471 loc) · 116 KB
/
autonomous_database.go
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
// Copyright (c) 2016, 2018, 2025, Oracle and/or its affiliates. All rights reserved.
// This software is dual-licensed to you under the Universal Permissive License (UPL) 1.0 as shown at https://oss.oracle.com/licenses/upl or Apache License 2.0 as shown at http://www.apache.org/licenses/LICENSE-2.0. You may choose either license.
// Code generated. DO NOT EDIT.
// Database Service API
//
// The API for the Database Service. Use this API to manage resources such as databases and DB Systems. For more information, see Overview of the Database Service (https://docs.oracle.com/iaas/Content/Database/Concepts/databaseoverview.htm).
//
package database
import (
"encoding/json"
"fmt"
"github.com/oracle/oci-go-sdk/v65/common"
"strings"
)
// AutonomousDatabase An Oracle Autonomous Database.
type AutonomousDatabase struct {
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the Autonomous Database.
Id *string `mandatory:"true" json:"id"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the compartment.
CompartmentId *string `mandatory:"true" json:"compartmentId"`
// The current state of the Autonomous Database.
LifecycleState AutonomousDatabaseLifecycleStateEnum `mandatory:"true" json:"lifecycleState"`
// The database name.
DbName *string `mandatory:"true" json:"dbName"`
// The quantity of data in the database, in terabytes.
// The following points apply to Autonomous Databases on Serverless Infrastructure:
// - This is an integer field whose value remains null when the data size is in GBs and cannot be converted to TBs (by dividing the GB value by 1024) without rounding error.
// - To get the exact value of data storage size without rounding error, please see `dataStorageSizeInGBs` of Autonomous Database.
DataStorageSizeInTBs *int `mandatory:"true" json:"dataStorageSizeInTBs"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the subscription with which resource needs to be associated with.
SubscriptionId *string `mandatory:"false" json:"subscriptionId"`
// Information about the current lifecycle state.
LifecycleDetails *string `mandatory:"false" json:"lifecycleDetails"`
// The OCID of the key container that is used as the master encryption key in database transparent data encryption (TDE) operations.
KmsKeyId *string `mandatory:"false" json:"kmsKeyId"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the Oracle Cloud Infrastructure vault (https://docs.oracle.com/iaas/Content/KeyManagement/Concepts/keyoverview.htm#concepts). This parameter and `secretId` are required for Customer Managed Keys.
VaultId *string `mandatory:"false" json:"vaultId"`
// KMS key lifecycle details.
KmsKeyLifecycleDetails *string `mandatory:"false" json:"kmsKeyLifecycleDetails"`
EncryptionKey AutonomousDatabaseEncryptionKeyDetails `mandatory:"false" json:"encryptionKey"`
// The OCID of the key container version that is used in database transparent data encryption (TDE) operations KMS Key can have multiple key versions. If none is specified, the current key version (latest) of the Key Id is used for the operation. Autonomous Database Serverless does not use key versions, hence is not applicable for Autonomous Database Serverless instances.
KmsKeyVersionId *string `mandatory:"false" json:"kmsKeyVersionId"`
// The character set for the autonomous database. The default is AL32UTF8. Allowed values are:
// AL32UTF8, AR8ADOS710, AR8ADOS720, AR8APTEC715, AR8ARABICMACS, AR8ASMO8X, AR8ISO8859P6, AR8MSWIN1256, AR8MUSSAD768, AR8NAFITHA711, AR8NAFITHA721, AR8SAKHR706, AR8SAKHR707, AZ8ISO8859P9E, BG8MSWIN, BG8PC437S, BLT8CP921, BLT8ISO8859P13, BLT8MSWIN1257, BLT8PC775, BN8BSCII, CDN8PC863, CEL8ISO8859P14, CL8ISO8859P5, CL8ISOIR111, CL8KOI8R, CL8KOI8U, CL8MACCYRILLICS, CL8MSWIN1251, EE8ISO8859P2, EE8MACCES, EE8MACCROATIANS, EE8MSWIN1250, EE8PC852, EL8DEC, EL8ISO8859P7, EL8MACGREEKS, EL8MSWIN1253, EL8PC437S, EL8PC851, EL8PC869, ET8MSWIN923, HU8ABMOD, HU8CWI2, IN8ISCII, IS8PC861, IW8ISO8859P8, IW8MACHEBREWS, IW8MSWIN1255, IW8PC1507, JA16EUC, JA16EUCTILDE, JA16SJIS, JA16SJISTILDE, JA16VMS, KO16KSC5601, KO16KSCCS, KO16MSWIN949, LA8ISO6937, LA8PASSPORT, LT8MSWIN921, LT8PC772, LT8PC774, LV8PC1117, LV8PC8LR, LV8RST104090, N8PC865, NE8ISO8859P10, NEE8ISO8859P4, RU8BESTA, RU8PC855, RU8PC866, SE8ISO8859P3, TH8MACTHAIS, TH8TISASCII, TR8DEC, TR8MACTURKISHS, TR8MSWIN1254, TR8PC857, US7ASCII, US8PC437, UTF8, VN8MSWIN1258, VN8VN3, WE8DEC, WE8DG, WE8ISO8859P1, WE8ISO8859P15, WE8ISO8859P9, WE8MACROMAN8S, WE8MSWIN1252, WE8NCR4970, WE8NEXTSTEP, WE8PC850, WE8PC858, WE8PC860, WE8ROMAN8, ZHS16CGB231280, ZHS16GBK, ZHT16BIG5, ZHT16CCDC, ZHT16DBT, ZHT16HKSCS, ZHT16MSWIN950, ZHT32EUC, ZHT32SOPS, ZHT32TRIS
CharacterSet *string `mandatory:"false" json:"characterSet"`
// The national character set for the autonomous database. The default is AL16UTF16. Allowed values are:
// AL16UTF16 or UTF8.
NcharacterSet *string `mandatory:"false" json:"ncharacterSet"`
// The percentage of the System Global Area(SGA) assigned to In-Memory tables in Autonomous Database. This property is applicable only to Autonomous Databases on the Exadata Cloud@Customer platform.
InMemoryPercentage *int `mandatory:"false" json:"inMemoryPercentage"`
// The area assigned to In-Memory tables in Autonomous Database.
InMemoryAreaInGBs *int `mandatory:"false" json:"inMemoryAreaInGBs"`
// The date and time when the next long-term backup would be created.
NextLongTermBackupTimeStamp *common.SDKTime `mandatory:"false" json:"nextLongTermBackupTimeStamp"`
LongTermBackupSchedule *LongTermBackUpScheduleDetails `mandatory:"false" json:"longTermBackupSchedule"`
// Indicates if this is an Always Free resource. The default value is false. Note that Always Free Autonomous Databases have 1 CPU and 20GB of memory. For Always Free databases, memory and CPU cannot be scaled.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, isMTLSConnectionRequired, openMode, permissionLevel, privateEndpointLabel, nsgIds, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, or isLocalDataGuardEnabled
IsFreeTier *bool `mandatory:"false" json:"isFreeTier"`
// System tags for this resource. Each key is predefined and scoped to a namespace.
// For more information, see Resource Tags (https://docs.oracle.com/iaas/Content/General/Concepts/resourcetags.htm).
SystemTags map[string]map[string]interface{} `mandatory:"false" json:"systemTags"`
// The date and time the Always Free database will be stopped because of inactivity. If this time is reached without any database activity, the database will automatically be put into the STOPPED state.
TimeReclamationOfFreeAutonomousDatabase *common.SDKTime `mandatory:"false" json:"timeReclamationOfFreeAutonomousDatabase"`
// The date and time the Always Free database will be automatically deleted because of inactivity. If the database is in the STOPPED state and without activity until this time, it will be deleted.
TimeDeletionOfFreeAutonomousDatabase *common.SDKTime `mandatory:"false" json:"timeDeletionOfFreeAutonomousDatabase"`
BackupConfig *AutonomousDatabaseBackupConfig `mandatory:"false" json:"backupConfig"`
// Key History Entry.
KeyHistoryEntry []AutonomousDatabaseKeyHistoryEntry `mandatory:"false" json:"keyHistoryEntry"`
// Key History Entry.
EncryptionKeyHistoryEntry []AutonomousDatabaseEncryptionKeyHistoryEntry `mandatory:"false" json:"encryptionKeyHistoryEntry"`
// The number of CPU cores to be made available to the database. When the ECPU is selected, the value for cpuCoreCount is 0. For Autonomous Database on Dedicated Exadata infrastructure, the maximum number of cores is determined by the infrastructure shape. See Characteristics of Infrastructure Shapes (https://www.oracle.com/pls/topic/lookup?ctx=en/cloud/paas/autonomous-database&id=ATPFG-GUID-B0F033C1-CC5A-42F0-B2E7-3CECFEDA1FD1) for shape details.
// **Note:** This parameter cannot be used with the `ocpuCount` parameter.
CpuCoreCount *int `mandatory:"false" json:"cpuCoreCount"`
// Parameter that allows users to select an acceptable maximum data loss limit in seconds, up to which Automatic Failover will be triggered when necessary for a Local Autonomous Data Guard
LocalAdgAutoFailoverMaxDataLossLimit *int `mandatory:"false" json:"localAdgAutoFailoverMaxDataLossLimit"`
// The compute model of the Autonomous Database. This is required if using the `computeCount` parameter. If using `cpuCoreCount` then it is an error to specify `computeModel` to a non-null value. ECPU compute model is the recommended model and OCPU compute model is legacy.
ComputeModel AutonomousDatabaseComputeModelEnum `mandatory:"false" json:"computeModel,omitempty"`
// The compute amount (CPUs) available to the database. Minimum and maximum values depend on the compute model and whether the database is an Autonomous Database Serverless instance or an Autonomous Database on Dedicated Exadata Infrastructure.
// The 'ECPU' compute model requires a minimum value of one, for databases in the elastic resource pool and minimum value of two, otherwise. Required when using the `computeModel` parameter. When using `cpuCoreCount` parameter, it is an error to specify computeCount to a non-null value. Providing `computeModel` and `computeCount` is the preferred method for both OCPU and ECPU.
ComputeCount *float32 `mandatory:"false" json:"computeCount"`
// Retention period, in days, for long-term backups
BackupRetentionPeriodInDays *int `mandatory:"false" json:"backupRetentionPeriodInDays"`
// The backup storage to the database.
TotalBackupStorageSizeInGBs *float64 `mandatory:"false" json:"totalBackupStorageSizeInGBs"`
// The number of OCPU cores to be made available to the database.
// The following points apply:
// - For Autonomous Databases on Dedicated Exadata Infrastructure, to provision less than 1 core, enter a fractional value in an increment of 0.1. For example, you can provision 0.3 or 0.4 cores, but not 0.35 cores. (Note that fractional OCPU values are not supported for Autonomous Database Serverless instances.)
// - To provision cores, enter an integer between 1 and the maximum number of cores available for the infrastructure shape. For example, you can provision 2 cores or 3 cores, but not 2.5 cores. This applies to Autonomous Databases on both serverless and dedicated Exadata infrastructure.
// - For Autonomous Database Serverless instances, this parameter is not used.
// For Autonomous Databases on Dedicated Exadata Infrastructure, the maximum number of cores is determined by the infrastructure shape. See Characteristics of Infrastructure Shapes (https://docs.oracle.com/en/cloud/paas/autonomous-database/dedicated/adbde/index.html) for shape details.
// **Note:** This parameter cannot be used with the `cpuCoreCount` parameter.
OcpuCount *float32 `mandatory:"false" json:"ocpuCount"`
// An array of CPU values that an Autonomous Database can be scaled to.
ProvisionableCpus []float32 `mandatory:"false" json:"provisionableCpus"`
// The amount of memory (in GBs) enabled per ECPU or OCPU.
MemoryPerOracleComputeUnitInGBs *int `mandatory:"false" json:"memoryPerOracleComputeUnitInGBs"`
// The quantity of data in the database, in gigabytes.
// For Autonomous Transaction Processing databases using ECPUs on Serverless Infrastructure, this value is always populated. In all the other cases, this value will be null and `dataStorageSizeInTBs` will be populated instead.
DataStorageSizeInGBs *int `mandatory:"false" json:"dataStorageSizeInGBs"`
// The storage space consumed by Autonomous Database in GBs.
UsedDataStorageSizeInGBs *int `mandatory:"false" json:"usedDataStorageSizeInGBs"`
// The infrastructure type this resource belongs to.
InfrastructureType AutonomousDatabaseInfrastructureTypeEnum `mandatory:"false" json:"infrastructureType,omitempty"`
// True if the database uses dedicated Exadata infrastructure (https://docs.oracle.com/en/cloud/paas/autonomous-database/index.html).
IsDedicated *bool `mandatory:"false" json:"isDedicated"`
// The Autonomous Container Database OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm). Used only by Autonomous Database on Dedicated Exadata Infrastructure.
AutonomousContainerDatabaseId *string `mandatory:"false" json:"autonomousContainerDatabaseId"`
// Indicates if the Autonomous Database is backup retention locked.
IsBackupRetentionLocked *bool `mandatory:"false" json:"isBackupRetentionLocked"`
// The date and time the Autonomous Database was most recently undeleted.
TimeUndeleted *common.SDKTime `mandatory:"false" json:"timeUndeleted"`
// The date and time the Autonomous Database was created.
TimeCreated *common.SDKTime `mandatory:"false" json:"timeCreated"`
// The user-friendly name for the Autonomous Database. The name does not have to be unique.
DisplayName *string `mandatory:"false" json:"displayName"`
// The URL of the Service Console for the Autonomous Database.
ServiceConsoleUrl *string `mandatory:"false" json:"serviceConsoleUrl"`
// The connection string used to connect to the Autonomous Database. The username for the Service Console is ADMIN. Use the password you entered when creating the Autonomous Database for the password value.
ConnectionStrings *AutonomousDatabaseConnectionStrings `mandatory:"false" json:"connectionStrings"`
ConnectionUrls *AutonomousDatabaseConnectionUrls `mandatory:"false" json:"connectionUrls"`
// The Public URLs of Private Endpoint database for accessing Oracle Application Express (APEX) and SQL Developer Web with a browser from a Compute instance within your VCN or that has a direct connection to your VCN.
PublicConnectionUrls *AutonomousDatabaseConnectionUrls `mandatory:"false" json:"publicConnectionUrls"`
// The Oracle license model that applies to the Oracle Autonomous Database. Bring your own license (BYOL) allows you to apply your current on-premises Oracle software licenses to equivalent, highly automated Oracle services in the cloud.
// License Included allows you to subscribe to new Oracle Database software licenses and the Oracle Database service.
// Note that when provisioning an Autonomous Database on dedicated Exadata infrastructure (https://docs.oracle.com/en/cloud/paas/autonomous-database/index.html), this attribute must be null. It is already set at the
// Autonomous Exadata Infrastructure level. When provisioning an Autonomous Database Serverless (https://docs.oracle.com/en/cloud/paas/autonomous-database/index.html) database, if a value is not specified, the system defaults the value to `BRING_YOUR_OWN_LICENSE`. Bring your own license (BYOL) also allows you to select the DB edition using the optional parameter.
// This cannot be updated in parallel with any of the following: cpuCoreCount, computeCount, dataStorageSizeInTBs, adminPassword, isMTLSConnectionRequired, dbWorkload, privateEndpointLabel, nsgIds, dbVersion, dbName, scheduledOperations, dbToolsDetails, or isFreeTier.
LicenseModel AutonomousDatabaseLicenseModelEnum `mandatory:"false" json:"licenseModel,omitempty"`
// The maximum number of CPUs allowed with a Bring Your Own License (BYOL), including those used for auto-scaling, disaster recovery, tools, etc. Any CPU usage above this limit is considered as License Included and billed.
ByolComputeCountLimit *float32 `mandatory:"false" json:"byolComputeCountLimit"`
// The amount of storage that has been used for Autonomous Databases in dedicated infrastructure, in terabytes.
UsedDataStorageSizeInTBs *int `mandatory:"false" json:"usedDataStorageSizeInTBs"`
// Free-form tags for this resource. Each tag is a simple key-value pair with no predefined name, type, or namespace.
// For more information, see Resource Tags (https://docs.oracle.com/iaas/Content/General/Concepts/resourcetags.htm).
// Example: `{"Department": "Finance"}`
FreeformTags map[string]string `mandatory:"false" json:"freeformTags"`
// Defined tags for this resource. Each key is predefined and scoped to a namespace.
// For more information, see Resource Tags (https://docs.oracle.com/iaas/Content/General/Concepts/resourcetags.htm).
DefinedTags map[string]map[string]interface{} `mandatory:"false" json:"definedTags"`
// Security Attributes for this resource. Each key is predefined and scoped to a namespace.
// For more information, see Resource Tags (https://docs.oracle.com/iaas/Content/General/Concepts/resourcetags.htm).
// Example: `{"Oracle-ZPR": {"MaxEgressCount": {"value": "42", "mode": "audit"}}}`
SecurityAttributes map[string]map[string]interface{} `mandatory:"false" json:"securityAttributes"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the subnet the resource is associated with.
// **Subnet Restrictions:**
// - For bare metal DB systems and for single node virtual machine DB systems, do not use a subnet that overlaps with 192.168.16.16/28.
// - For Exadata and virtual machine 2-node RAC systems, do not use a subnet that overlaps with 192.168.128.0/20.
// - For Autonomous Database, setting this will disable public secure access to the database.
// These subnets are used by the Oracle Clusterware private interconnect on the database instance.
// Specifying an overlapping subnet will cause the private interconnect to malfunction.
// This restriction applies to both the client subnet and the backup subnet.
SubnetId *string `mandatory:"false" json:"subnetId"`
// The list of OCIDs (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) for the network security groups (NSGs) to which this resource belongs. Setting this to an empty list removes all resources from all NSGs. For more information about NSGs, see Security Rules (https://docs.oracle.com/iaas/Content/Network/Concepts/securityrules.htm).
// **NsgIds restrictions:**
// - A network security group (NSG) is optional for Autonomous Databases with private access. The nsgIds list can be empty.
NsgIds []string `mandatory:"false" json:"nsgIds"`
// The private endpoint for the resource.
PrivateEndpoint *string `mandatory:"false" json:"privateEndpoint"`
// The public endpoint for the private endpoint enabled resource.
PublicEndpoint *string `mandatory:"false" json:"publicEndpoint"`
// The resource's private endpoint label.
// - Setting the endpoint label to a non-empty string creates a private endpoint database.
// - Resetting the endpoint label to an empty string, after the creation of the private endpoint database, changes the private endpoint database to a public endpoint database.
// - Setting the endpoint label to a non-empty string value, updates to a new private endpoint database, when the database is disabled and re-enabled.
// This setting cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, isMTLSConnectionRequired, dbWorkload, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, or isFreeTier.
PrivateEndpointLabel *string `mandatory:"false" json:"privateEndpointLabel"`
// The private endpoint Ip address for the resource.
PrivateEndpointIp *string `mandatory:"false" json:"privateEndpointIp"`
// A valid Oracle Database version for Autonomous Database.
DbVersion *string `mandatory:"false" json:"dbVersion"`
// Indicates if the Autonomous Database version is a preview version.
IsPreview *bool `mandatory:"false" json:"isPreview"`
// The Autonomous Database workload type. The following values are valid:
// - OLTP - indicates an Autonomous Transaction Processing database
// - DW - indicates an Autonomous Data Warehouse database
// - AJD - indicates an Autonomous JSON Database
// - APEX - indicates an Autonomous Database with the Oracle APEX Application Development workload type.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, isMTLSConnectionRequired, privateEndpointLabel, nsgIds, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
DbWorkload AutonomousDatabaseDbWorkloadEnum `mandatory:"false" json:"dbWorkload,omitempty"`
// Autonomous Database for Developers are fixed-shape Autonomous Databases that developers can use to build and test new applications. On Serverless, these are low-cost and billed per instance, on Dedicated and Cloud@Customer there is no additional cost to create Developer databases. Developer databases come with limited resources and is not intended for large-scale testing and production deployments. When you need more compute or storage resources, you may upgrade to a full paid production database.
IsDevTier *bool `mandatory:"false" json:"isDevTier"`
// Indicates if the database-level access control is enabled.
// If disabled, database access is defined by the network security rules.
// If enabled, database access is restricted to the IP addresses defined by the rules specified with the `whitelistedIps` property. While specifying `whitelistedIps` rules is optional,
// if database-level access control is enabled and no rules are specified, the database will become inaccessible. The rules can be added later using the `UpdateAutonomousDatabase` API operation or edit option in console.
// When creating a database clone, the desired access control setting should be specified. By default, database-level access control will be disabled for the clone.
// This property is applicable only to Autonomous Databases on the Exadata Cloud@Customer platform. For Autonomous Database Serverless instances, `whitelistedIps` is used.
IsAccessControlEnabled *bool `mandatory:"false" json:"isAccessControlEnabled"`
// The client IP access control list (ACL). This feature is available for Autonomous Database Serverless (https://docs.oracle.com/en/cloud/paas/autonomous-database/index.html) and on Exadata Cloud@Customer.
// Only clients connecting from an IP address included in the ACL may access the Autonomous Database instance.
// If `arePrimaryWhitelistedIpsUsed` is 'TRUE' then Autonomous Database uses this primary's IP access control list (ACL) for the disaster recovery peer called `standbywhitelistedips`.
// For Autonomous Database Serverless, this is an array of CIDR (classless inter-domain routing) notations for a subnet or VCN OCID (virtual cloud network Oracle Cloud ID).
// Multiple IPs and VCN OCIDs should be separate strings separated by commas, but if it’s other configurations that need multiple pieces of information then its each piece is connected with semicolon (;) as a delimiter.
// Example: `["1.1.1.1","1.1.1.0/24","ocid1.vcn.oc1.sea.<unique_id>","ocid1.vcn.oc1.sea.<unique_id1>;1.1.1.1","ocid1.vcn.oc1.sea.<unique_id2>;1.1.0.0/16"]`
// For Exadata Cloud@Customer, this is an array of IP addresses or CIDR notations.
// Example: `["1.1.1.1","1.1.1.0/24","1.1.2.25"]`
// For an update operation, if you want to delete all the IPs in the ACL, use an array with a single empty string entry.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, adminPassword, isMTLSConnectionRequired, openMode, permissionLevel, dbWorkload, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
WhitelistedIps []string `mandatory:"false" json:"whitelistedIps"`
// This field will be null if the Autonomous Database is not Data Guard enabled or Access Control is disabled.
// It's value would be `TRUE` if Autonomous Database is Data Guard enabled and Access Control is enabled and if the Autonomous Database uses primary IP access control list (ACL) for standby.
// It's value would be `FALSE` if Autonomous Database is Data Guard enabled and Access Control is enabled and if the Autonomous Database uses different IP access control list (ACL) for standby compared to primary.
ArePrimaryWhitelistedIpsUsed *bool `mandatory:"false" json:"arePrimaryWhitelistedIpsUsed"`
// The client IP access control list (ACL). This feature is available for Autonomous Database Serverless (https://docs.oracle.com/en/cloud/paas/autonomous-database/index.html) and on Exadata Cloud@Customer.
// Only clients connecting from an IP address included in the ACL may access the Autonomous Database instance.
// If `arePrimaryWhitelistedIpsUsed` is 'TRUE' then Autonomous Database uses this primary's IP access control list (ACL) for the disaster recovery peer called `standbywhitelistedips`.
// For Autonomous Database Serverless, this is an array of CIDR (classless inter-domain routing) notations for a subnet or VCN OCID (virtual cloud network Oracle Cloud ID).
// Multiple IPs and VCN OCIDs should be separate strings separated by commas, but if it’s other configurations that need multiple pieces of information then its each piece is connected with semicolon (;) as a delimiter.
// Example: `["1.1.1.1","1.1.1.0/24","ocid1.vcn.oc1.sea.<unique_id>","ocid1.vcn.oc1.sea.<unique_id1>;1.1.1.1","ocid1.vcn.oc1.sea.<unique_id2>;1.1.0.0/16"]`
// For Exadata Cloud@Customer, this is an array of IP addresses or CIDR notations.
// Example: `["1.1.1.1","1.1.1.0/24","1.1.2.25"]`
// For an update operation, if you want to delete all the IPs in the ACL, use an array with a single empty string entry.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, adminPassword, isMTLSConnectionRequired, openMode, permissionLevel, dbWorkload, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
StandbyWhitelistedIps []string `mandatory:"false" json:"standbyWhitelistedIps"`
// Information about Oracle APEX Application Development.
ApexDetails *AutonomousDatabaseApex `mandatory:"false" json:"apexDetails"`
// Indicates if auto scaling is enabled for the Autonomous Database CPU core count. The default value is `TRUE`.
IsAutoScalingEnabled *bool `mandatory:"false" json:"isAutoScalingEnabled"`
// Status of the Data Safe registration for this Autonomous Database.
DataSafeStatus AutonomousDatabaseDataSafeStatusEnum `mandatory:"false" json:"dataSafeStatus,omitempty"`
// Status of Operations Insights for this Autonomous Database.
OperationsInsightsStatus AutonomousDatabaseOperationsInsightsStatusEnum `mandatory:"false" json:"operationsInsightsStatus,omitempty"`
// Status of Database Management for this Autonomous Database.
DatabaseManagementStatus AutonomousDatabaseDatabaseManagementStatusEnum `mandatory:"false" json:"databaseManagementStatus,omitempty"`
// The date and time when maintenance will begin.
TimeMaintenanceBegin *common.SDKTime `mandatory:"false" json:"timeMaintenanceBegin"`
// The date and time when maintenance will end.
TimeMaintenanceEnd *common.SDKTime `mandatory:"false" json:"timeMaintenanceEnd"`
// The component chosen for maintenance.
MaintenanceTargetComponent *string `mandatory:"false" json:"maintenanceTargetComponent"`
// Indicates if the Autonomous Database is a refreshable clone.
// This cannot be updated in parallel with any of the following: cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, openMode, permissionLevel, dbWorkload, privateEndpointLabel, nsgIds, dbVersion, dbName, scheduledOperations, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
IsRefreshableClone *bool `mandatory:"false" json:"isRefreshableClone"`
// The date and time when last refresh happened.
TimeOfLastRefresh *common.SDKTime `mandatory:"false" json:"timeOfLastRefresh"`
// The refresh point timestamp (UTC). The refresh point is the time to which the database was most recently refreshed. Data created after the refresh point is not included in the refresh.
TimeOfLastRefreshPoint *common.SDKTime `mandatory:"false" json:"timeOfLastRefreshPoint"`
// The date and time of next refresh.
TimeOfNextRefresh *common.SDKTime `mandatory:"false" json:"timeOfNextRefresh"`
// Indicates the Autonomous Database mode. The database can be opened in `READ_ONLY` or `READ_WRITE` mode.
// This cannot be updated in parallel with any of the following: cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, isMTLSConnectionRequired, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, or isFreeTier.
OpenMode AutonomousDatabaseOpenModeEnum `mandatory:"false" json:"openMode,omitempty"`
// The refresh status of the clone. REFRESHING indicates that the clone is currently being refreshed with data from the source Autonomous Database.
RefreshableStatus AutonomousDatabaseRefreshableStatusEnum `mandatory:"false" json:"refreshableStatus,omitempty"`
// The refresh mode of the clone. AUTOMATIC indicates that the clone is automatically being refreshed with data from the source Autonomous Database.
RefreshableMode AutonomousDatabaseRefreshableModeEnum `mandatory:"false" json:"refreshableMode,omitempty"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the source Autonomous Database that was cloned to create the current Autonomous Database.
SourceId *string `mandatory:"false" json:"sourceId"`
// The Autonomous Database permission level. Restricted mode allows access only by admin users.
// This cannot be updated in parallel with any of the following: cpuCoreCount, computeCount, computeModel, adminPassword, whitelistedIps, isMTLSConnectionRequired, nsgIds, dbVersion, isRefreshable, dbName, scheduledOperations, dbToolsDetails, or isFreeTier.
PermissionLevel AutonomousDatabasePermissionLevelEnum `mandatory:"false" json:"permissionLevel,omitempty"`
// The timestamp of the last switchover operation for the Autonomous Database.
TimeOfLastSwitchover *common.SDKTime `mandatory:"false" json:"timeOfLastSwitchover"`
// The timestamp of the last failover operation.
TimeOfLastFailover *common.SDKTime `mandatory:"false" json:"timeOfLastFailover"`
// **Deprecated.** Indicates whether the Autonomous Database has local (in-region) Data Guard enabled. Not applicable to cross-region Autonomous Data Guard associations, or to Autonomous Databases using dedicated Exadata infrastructure or Exadata Cloud@Customer infrastructure.
IsDataGuardEnabled *bool `mandatory:"false" json:"isDataGuardEnabled"`
// Indicates the number of seconds of data loss for a Data Guard failover.
FailedDataRecoveryInSeconds *int `mandatory:"false" json:"failedDataRecoveryInSeconds"`
// **Deprecated** Autonomous Data Guard standby database details.
StandbyDb *AutonomousDatabaseStandbySummary `mandatory:"false" json:"standbyDb"`
// Indicates whether the Autonomous Database has local (in-region) Data Guard enabled. Not applicable to cross-region Autonomous Data Guard associations, or to Autonomous Databases using dedicated Exadata infrastructure or Exadata Cloud@Customer infrastructure.
IsLocalDataGuardEnabled *bool `mandatory:"false" json:"isLocalDataGuardEnabled"`
// Indicates whether the Autonomous Database has Cross Region Data Guard enabled. Not applicable to Autonomous Databases using dedicated Exadata infrastructure or Exadata Cloud@Customer infrastructure.
IsRemoteDataGuardEnabled *bool `mandatory:"false" json:"isRemoteDataGuardEnabled"`
LocalStandbyDb *AutonomousDatabaseStandbySummary `mandatory:"false" json:"localStandbyDb"`
// The Data Guard role of the Autonomous Container Database or Autonomous Database, if Autonomous Data Guard is enabled.
Role AutonomousDatabaseRoleEnum `mandatory:"false" json:"role,omitempty"`
// List of Oracle Database versions available for a database upgrade. If there are no version upgrades available, this list is empty.
AvailableUpgradeVersions []string `mandatory:"false" json:"availableUpgradeVersions"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the key store of Oracle Vault.
KeyStoreId *string `mandatory:"false" json:"keyStoreId"`
// The wallet name for Oracle Key Vault.
KeyStoreWalletName *string `mandatory:"false" json:"keyStoreWalletName"`
// The frequency a refreshable clone is refreshed after auto-refresh is enabled. The minimum is 1 hour. The maximum is 7 days. The date and time that auto-refresh is enabled is controlled by the `timeOfAutoRefreshStart` parameter.
AutoRefreshFrequencyInSeconds *int `mandatory:"false" json:"autoRefreshFrequencyInSeconds"`
// The time, in seconds, the data of the refreshable clone lags the primary database at the point of refresh. The minimum is 0 minutes (0 mins means refresh to the latest available timestamp). The maximum is 7 days. The lag time increases after refreshing until the next data refresh happens.
AutoRefreshPointLagInSeconds *int `mandatory:"false" json:"autoRefreshPointLagInSeconds"`
// The the date and time that auto-refreshing will begin for an Autonomous Database refreshable clone. This value controls only the start time for the first refresh operation. Subsequent (ongoing) refresh operations have start times controlled by the value of the `autoRefreshFrequencyInSeconds` parameter.
TimeOfAutoRefreshStart *common.SDKTime `mandatory:"false" json:"timeOfAutoRefreshStart"`
// The list of regions that support the creation of an Autonomous Database clone or an Autonomous Data Guard standby database.
SupportedRegionsToCloneTo []string `mandatory:"false" json:"supportedRegionsToCloneTo"`
// Customer Contacts.
CustomerContacts []CustomerContact `mandatory:"false" json:"customerContacts"`
// The date and time that Autonomous Data Guard was enabled for an Autonomous Database where the standby was provisioned in the same region as the primary database.
TimeLocalDataGuardEnabled *common.SDKTime `mandatory:"false" json:"timeLocalDataGuardEnabled"`
// **Deprecated.** The Autonomous Data Guard region type of the Autonomous Database. For Autonomous Database Serverless, Autonomous Data Guard associations have designated primary and standby regions, and these region types do not change when the database changes roles. The standby regions in Autonomous Data Guard associations can be the same region designated as the primary region, or they can be remote regions. Certain database administrative operations may be available only in the primary region of the Autonomous Data Guard association, and cannot be performed when the database using the primary role is operating in a remote Autonomous Data Guard standby region.
DataguardRegionType AutonomousDatabaseDataguardRegionTypeEnum `mandatory:"false" json:"dataguardRegionType,omitempty"`
// The date and time the Autonomous Data Guard role was switched for the Autonomous Database. For databases that have standbys in both the primary Data Guard region and a remote Data Guard standby region, this is the latest timestamp of either the database using the "primary" role in the primary Data Guard region, or database located in the remote Data Guard standby region.
TimeDataGuardRoleChanged *common.SDKTime `mandatory:"false" json:"timeDataGuardRoleChanged"`
// The list of OCIDs (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of standby databases located in Autonomous Data Guard remote regions that are associated with the source database. Note that for Autonomous Database Serverless instances, standby databases located in the same region as the source primary database do not have OCIDs.
PeerDbIds []string `mandatory:"false" json:"peerDbIds"`
// Specifies if the Autonomous Database requires mTLS connections.
// This may not be updated in parallel with any of the following: licenseModel, databaseEdition, cpuCoreCount, computeCount, dataStorageSizeInTBs, whitelistedIps, openMode, permissionLevel, db-workload, privateEndpointLabel, nsgIds, customerContacts, dbVersion, scheduledOperations, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
// Service Change: The default value of the isMTLSConnectionRequired attribute will change from true to false on July 1, 2023 in the following APIs:
// - CreateAutonomousDatabase
// - GetAutonomousDatabase
// - UpdateAutonomousDatabase
// Details: Prior to the July 1, 2023 change, the isMTLSConnectionRequired attribute default value was true. This applies to Autonomous Database Serverless.
// Does this impact me? If you use or maintain custom scripts or Terraform scripts referencing the CreateAutonomousDatabase, GetAutonomousDatabase, or UpdateAutonomousDatabase APIs, you want to check, and possibly modify, the scripts for the changed default value of the attribute. Should you choose not to leave your scripts unchanged, the API calls containing this attribute will continue to work, but the default value will switch from true to false.
// How do I make this change? Using either OCI SDKs or command line tools, update your custom scripts to explicitly set the isMTLSConnectionRequired attribute to true.
IsMtlsConnectionRequired *bool `mandatory:"false" json:"isMtlsConnectionRequired"`
// The time the member joined the resource pool.
TimeOfJoiningResourcePool *common.SDKTime `mandatory:"false" json:"timeOfJoiningResourcePool"`
// The unique identifier for leader autonomous database OCID OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm).
ResourcePoolLeaderId *string `mandatory:"false" json:"resourcePoolLeaderId"`
ResourcePoolSummary *ResourcePoolSummary `mandatory:"false" json:"resourcePoolSummary"`
// Indicates if the refreshable clone can be reconnected to its source database.
IsReconnectCloneEnabled *bool `mandatory:"false" json:"isReconnectCloneEnabled"`
// The time and date as an RFC3339 formatted string, e.g., 2022-01-01T12:00:00.000Z, to set the limit for a refreshable clone to be reconnected to its source database.
TimeUntilReconnectCloneEnabled *common.SDKTime `mandatory:"false" json:"timeUntilReconnectCloneEnabled"`
// The maintenance schedule type of the Autonomous Database Serverless. An EARLY maintenance schedule
// follows a schedule applying patches prior to the REGULAR schedule. A REGULAR maintenance schedule follows the normal cycle
AutonomousMaintenanceScheduleType AutonomousDatabaseAutonomousMaintenanceScheduleTypeEnum `mandatory:"false" json:"autonomousMaintenanceScheduleType,omitempty"`
// The list of scheduled operations. Consists of values such as dayOfWeek, scheduledStartTime, scheduledStopTime.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, whitelistedIps, isMTLSConnectionRequired, openMode, permissionLevel, dbWorkload, privateEndpointLabel, nsgIds, dbVersion, isRefreshable, dbName, dbToolsDetails, isLocalDataGuardEnabled, or isFreeTier.
ScheduledOperations []ScheduledOperationDetails `mandatory:"false" json:"scheduledOperations"`
// Indicates if auto scaling is enabled for the Autonomous Database storage. The default value is `FALSE`.
IsAutoScalingForStorageEnabled *bool `mandatory:"false" json:"isAutoScalingForStorageEnabled"`
// The amount of storage currently allocated for the database tables and billed for, rounded up. When auto-scaling is not enabled, this value is equal to the `dataStorageSizeInTBs` value. You can compare this value to the `actualUsedDataStorageSizeInTBs` value to determine if a manual shrink operation is appropriate for your allocated storage.
// **Note:** Auto-scaling does not automatically decrease allocated storage when data is deleted from the database.
AllocatedStorageSizeInTBs *float64 `mandatory:"false" json:"allocatedStorageSizeInTBs"`
// The current amount of storage in use for user and system data, in terabytes (TB).
ActualUsedDataStorageSizeInTBs *float64 `mandatory:"false" json:"actualUsedDataStorageSizeInTBs"`
// The Oracle Database Edition that applies to the Autonomous databases.
DatabaseEdition AutonomousDatabaseDatabaseEditionEnum `mandatory:"false" json:"databaseEdition,omitempty"`
// The list of database tools details.
// This cannot be updated in parallel with any of the following: licenseModel, dbEdition, cpuCoreCount, computeCount, computeModel, whitelistedIps, isMTLSConnectionRequired, openMode, permissionLevel, dbWorkload, privateEndpointLabel, nsgIds, dbVersion, isRefreshable, dbName, scheduledOperations, isLocalDataGuardEnabled, or isFreeTier.
DbToolsDetails []DatabaseTool `mandatory:"false" json:"dbToolsDetails"`
// Indicates the local disaster recovery (DR) type of the Autonomous Database Serverless instance.
// Autonomous Data Guard (ADG) DR type provides business critical DR with a faster recovery time objective (RTO) during failover or switchover.
// Backup-based DR type provides lower cost DR with a slower RTO during failover or switchover.
LocalDisasterRecoveryType DisasterRecoveryConfigurationDisasterRecoveryTypeEnum `mandatory:"false" json:"localDisasterRecoveryType,omitempty"`
// **Deprecated.** The disaster recovery (DR) region type of the Autonomous Database. For Autonomous Database Serverless instances, DR associations have designated primary and standby regions. These region types do not change when the database changes roles. The standby region in DR associations can be the same region as the primary region, or they can be in a remote regions. Some database administration operations may be available only in the primary region of the DR association, and cannot be performed when the database using the primary role is operating in a remote region.
DisasterRecoveryRegionType AutonomousDatabaseDisasterRecoveryRegionTypeEnum `mandatory:"false" json:"disasterRecoveryRegionType,omitempty"`
// The date and time the Disaster Recovery role was switched for the standby Autonomous Database.
TimeDisasterRecoveryRoleChanged *common.SDKTime `mandatory:"false" json:"timeDisasterRecoveryRoleChanged"`
RemoteDisasterRecoveryConfiguration *DisasterRecoveryConfiguration `mandatory:"false" json:"remoteDisasterRecoveryConfiguration"`
// Enabling SHARED server architecture enables a database server to allow many client processes to share very few server processes, thereby increasing the number of supported users.
NetServicesArchitecture AutonomousDatabaseNetServicesArchitectureEnum `mandatory:"false" json:"netServicesArchitecture,omitempty"`
// The availability domain where the Autonomous Database Serverless instance is located.
AvailabilityDomain *string `mandatory:"false" json:"availabilityDomain"`
// The OCID (https://docs.oracle.com/iaas/Content/General/Concepts/identifiers.htm) of the cluster placement group of the Autonomous Serverless Database.
ClusterPlacementGroupId *string `mandatory:"false" json:"clusterPlacementGroupId"`
// A list of the source Autonomous Database's table space number(s) used to create this partial clone from the backup.
CloneTableSpaceList []int `mandatory:"false" json:"cloneTableSpaceList"`
}
func (m AutonomousDatabase) String() string {
return common.PointerString(m)
}
// ValidateEnumValue returns an error when providing an unsupported enum value
// This function is being called during constructing API request process
// Not recommended for calling this function directly
func (m AutonomousDatabase) ValidateEnumValue() (bool, error) {
errMessage := []string{}
if _, ok := GetMappingAutonomousDatabaseLifecycleStateEnum(string(m.LifecycleState)); !ok && m.LifecycleState != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for LifecycleState: %s. Supported values are: %s.", m.LifecycleState, strings.Join(GetAutonomousDatabaseLifecycleStateEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseComputeModelEnum(string(m.ComputeModel)); !ok && m.ComputeModel != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for ComputeModel: %s. Supported values are: %s.", m.ComputeModel, strings.Join(GetAutonomousDatabaseComputeModelEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseInfrastructureTypeEnum(string(m.InfrastructureType)); !ok && m.InfrastructureType != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for InfrastructureType: %s. Supported values are: %s.", m.InfrastructureType, strings.Join(GetAutonomousDatabaseInfrastructureTypeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseLicenseModelEnum(string(m.LicenseModel)); !ok && m.LicenseModel != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for LicenseModel: %s. Supported values are: %s.", m.LicenseModel, strings.Join(GetAutonomousDatabaseLicenseModelEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDbWorkloadEnum(string(m.DbWorkload)); !ok && m.DbWorkload != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DbWorkload: %s. Supported values are: %s.", m.DbWorkload, strings.Join(GetAutonomousDatabaseDbWorkloadEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDataSafeStatusEnum(string(m.DataSafeStatus)); !ok && m.DataSafeStatus != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DataSafeStatus: %s. Supported values are: %s.", m.DataSafeStatus, strings.Join(GetAutonomousDatabaseDataSafeStatusEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseOperationsInsightsStatusEnum(string(m.OperationsInsightsStatus)); !ok && m.OperationsInsightsStatus != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for OperationsInsightsStatus: %s. Supported values are: %s.", m.OperationsInsightsStatus, strings.Join(GetAutonomousDatabaseOperationsInsightsStatusEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDatabaseManagementStatusEnum(string(m.DatabaseManagementStatus)); !ok && m.DatabaseManagementStatus != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DatabaseManagementStatus: %s. Supported values are: %s.", m.DatabaseManagementStatus, strings.Join(GetAutonomousDatabaseDatabaseManagementStatusEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseOpenModeEnum(string(m.OpenMode)); !ok && m.OpenMode != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for OpenMode: %s. Supported values are: %s.", m.OpenMode, strings.Join(GetAutonomousDatabaseOpenModeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseRefreshableStatusEnum(string(m.RefreshableStatus)); !ok && m.RefreshableStatus != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for RefreshableStatus: %s. Supported values are: %s.", m.RefreshableStatus, strings.Join(GetAutonomousDatabaseRefreshableStatusEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseRefreshableModeEnum(string(m.RefreshableMode)); !ok && m.RefreshableMode != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for RefreshableMode: %s. Supported values are: %s.", m.RefreshableMode, strings.Join(GetAutonomousDatabaseRefreshableModeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabasePermissionLevelEnum(string(m.PermissionLevel)); !ok && m.PermissionLevel != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for PermissionLevel: %s. Supported values are: %s.", m.PermissionLevel, strings.Join(GetAutonomousDatabasePermissionLevelEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseRoleEnum(string(m.Role)); !ok && m.Role != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for Role: %s. Supported values are: %s.", m.Role, strings.Join(GetAutonomousDatabaseRoleEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDataguardRegionTypeEnum(string(m.DataguardRegionType)); !ok && m.DataguardRegionType != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DataguardRegionType: %s. Supported values are: %s.", m.DataguardRegionType, strings.Join(GetAutonomousDatabaseDataguardRegionTypeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseAutonomousMaintenanceScheduleTypeEnum(string(m.AutonomousMaintenanceScheduleType)); !ok && m.AutonomousMaintenanceScheduleType != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for AutonomousMaintenanceScheduleType: %s. Supported values are: %s.", m.AutonomousMaintenanceScheduleType, strings.Join(GetAutonomousDatabaseAutonomousMaintenanceScheduleTypeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDatabaseEditionEnum(string(m.DatabaseEdition)); !ok && m.DatabaseEdition != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DatabaseEdition: %s. Supported values are: %s.", m.DatabaseEdition, strings.Join(GetAutonomousDatabaseDatabaseEditionEnumStringValues(), ",")))
}
if _, ok := GetMappingDisasterRecoveryConfigurationDisasterRecoveryTypeEnum(string(m.LocalDisasterRecoveryType)); !ok && m.LocalDisasterRecoveryType != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for LocalDisasterRecoveryType: %s. Supported values are: %s.", m.LocalDisasterRecoveryType, strings.Join(GetDisasterRecoveryConfigurationDisasterRecoveryTypeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseDisasterRecoveryRegionTypeEnum(string(m.DisasterRecoveryRegionType)); !ok && m.DisasterRecoveryRegionType != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for DisasterRecoveryRegionType: %s. Supported values are: %s.", m.DisasterRecoveryRegionType, strings.Join(GetAutonomousDatabaseDisasterRecoveryRegionTypeEnumStringValues(), ",")))
}
if _, ok := GetMappingAutonomousDatabaseNetServicesArchitectureEnum(string(m.NetServicesArchitecture)); !ok && m.NetServicesArchitecture != "" {
errMessage = append(errMessage, fmt.Sprintf("unsupported enum value for NetServicesArchitecture: %s. Supported values are: %s.", m.NetServicesArchitecture, strings.Join(GetAutonomousDatabaseNetServicesArchitectureEnumStringValues(), ",")))
}
if len(errMessage) > 0 {
return true, fmt.Errorf(strings.Join(errMessage, "\n"))
}
return false, nil
}
// UnmarshalJSON unmarshals from json
func (m *AutonomousDatabase) UnmarshalJSON(data []byte) (e error) {
model := struct {
SubscriptionId *string `json:"subscriptionId"`
LifecycleDetails *string `json:"lifecycleDetails"`
KmsKeyId *string `json:"kmsKeyId"`
VaultId *string `json:"vaultId"`
KmsKeyLifecycleDetails *string `json:"kmsKeyLifecycleDetails"`
EncryptionKey autonomousdatabaseencryptionkeydetails `json:"encryptionKey"`
KmsKeyVersionId *string `json:"kmsKeyVersionId"`
CharacterSet *string `json:"characterSet"`
NcharacterSet *string `json:"ncharacterSet"`
InMemoryPercentage *int `json:"inMemoryPercentage"`
InMemoryAreaInGBs *int `json:"inMemoryAreaInGBs"`
NextLongTermBackupTimeStamp *common.SDKTime `json:"nextLongTermBackupTimeStamp"`
LongTermBackupSchedule *LongTermBackUpScheduleDetails `json:"longTermBackupSchedule"`
IsFreeTier *bool `json:"isFreeTier"`
SystemTags map[string]map[string]interface{} `json:"systemTags"`
TimeReclamationOfFreeAutonomousDatabase *common.SDKTime `json:"timeReclamationOfFreeAutonomousDatabase"`
TimeDeletionOfFreeAutonomousDatabase *common.SDKTime `json:"timeDeletionOfFreeAutonomousDatabase"`
BackupConfig *AutonomousDatabaseBackupConfig `json:"backupConfig"`
KeyHistoryEntry []AutonomousDatabaseKeyHistoryEntry `json:"keyHistoryEntry"`
EncryptionKeyHistoryEntry []AutonomousDatabaseEncryptionKeyHistoryEntry `json:"encryptionKeyHistoryEntry"`
CpuCoreCount *int `json:"cpuCoreCount"`
LocalAdgAutoFailoverMaxDataLossLimit *int `json:"localAdgAutoFailoverMaxDataLossLimit"`
ComputeModel AutonomousDatabaseComputeModelEnum `json:"computeModel"`
ComputeCount *float32 `json:"computeCount"`
BackupRetentionPeriodInDays *int `json:"backupRetentionPeriodInDays"`
TotalBackupStorageSizeInGBs *float64 `json:"totalBackupStorageSizeInGBs"`
OcpuCount *float32 `json:"ocpuCount"`
ProvisionableCpus []float32 `json:"provisionableCpus"`
MemoryPerOracleComputeUnitInGBs *int `json:"memoryPerOracleComputeUnitInGBs"`
DataStorageSizeInGBs *int `json:"dataStorageSizeInGBs"`
UsedDataStorageSizeInGBs *int `json:"usedDataStorageSizeInGBs"`
InfrastructureType AutonomousDatabaseInfrastructureTypeEnum `json:"infrastructureType"`
IsDedicated *bool `json:"isDedicated"`
AutonomousContainerDatabaseId *string `json:"autonomousContainerDatabaseId"`
IsBackupRetentionLocked *bool `json:"isBackupRetentionLocked"`
TimeUndeleted *common.SDKTime `json:"timeUndeleted"`
TimeCreated *common.SDKTime `json:"timeCreated"`
DisplayName *string `json:"displayName"`
ServiceConsoleUrl *string `json:"serviceConsoleUrl"`
ConnectionStrings *AutonomousDatabaseConnectionStrings `json:"connectionStrings"`
ConnectionUrls *AutonomousDatabaseConnectionUrls `json:"connectionUrls"`
PublicConnectionUrls *AutonomousDatabaseConnectionUrls `json:"publicConnectionUrls"`
LicenseModel AutonomousDatabaseLicenseModelEnum `json:"licenseModel"`
ByolComputeCountLimit *float32 `json:"byolComputeCountLimit"`
UsedDataStorageSizeInTBs *int `json:"usedDataStorageSizeInTBs"`
FreeformTags map[string]string `json:"freeformTags"`
DefinedTags map[string]map[string]interface{} `json:"definedTags"`
SecurityAttributes map[string]map[string]interface{} `json:"securityAttributes"`
SubnetId *string `json:"subnetId"`
NsgIds []string `json:"nsgIds"`
PrivateEndpoint *string `json:"privateEndpoint"`
PublicEndpoint *string `json:"publicEndpoint"`
PrivateEndpointLabel *string `json:"privateEndpointLabel"`
PrivateEndpointIp *string `json:"privateEndpointIp"`
DbVersion *string `json:"dbVersion"`
IsPreview *bool `json:"isPreview"`
DbWorkload AutonomousDatabaseDbWorkloadEnum `json:"dbWorkload"`
IsDevTier *bool `json:"isDevTier"`
IsAccessControlEnabled *bool `json:"isAccessControlEnabled"`
WhitelistedIps []string `json:"whitelistedIps"`
ArePrimaryWhitelistedIpsUsed *bool `json:"arePrimaryWhitelistedIpsUsed"`
StandbyWhitelistedIps []string `json:"standbyWhitelistedIps"`
ApexDetails *AutonomousDatabaseApex `json:"apexDetails"`
IsAutoScalingEnabled *bool `json:"isAutoScalingEnabled"`
DataSafeStatus AutonomousDatabaseDataSafeStatusEnum `json:"dataSafeStatus"`
OperationsInsightsStatus AutonomousDatabaseOperationsInsightsStatusEnum `json:"operationsInsightsStatus"`
DatabaseManagementStatus AutonomousDatabaseDatabaseManagementStatusEnum `json:"databaseManagementStatus"`
TimeMaintenanceBegin *common.SDKTime `json:"timeMaintenanceBegin"`
TimeMaintenanceEnd *common.SDKTime `json:"timeMaintenanceEnd"`
MaintenanceTargetComponent *string `json:"maintenanceTargetComponent"`
IsRefreshableClone *bool `json:"isRefreshableClone"`
TimeOfLastRefresh *common.SDKTime `json:"timeOfLastRefresh"`
TimeOfLastRefreshPoint *common.SDKTime `json:"timeOfLastRefreshPoint"`
TimeOfNextRefresh *common.SDKTime `json:"timeOfNextRefresh"`
OpenMode AutonomousDatabaseOpenModeEnum `json:"openMode"`
RefreshableStatus AutonomousDatabaseRefreshableStatusEnum `json:"refreshableStatus"`
RefreshableMode AutonomousDatabaseRefreshableModeEnum `json:"refreshableMode"`
SourceId *string `json:"sourceId"`
PermissionLevel AutonomousDatabasePermissionLevelEnum `json:"permissionLevel"`
TimeOfLastSwitchover *common.SDKTime `json:"timeOfLastSwitchover"`
TimeOfLastFailover *common.SDKTime `json:"timeOfLastFailover"`
IsDataGuardEnabled *bool `json:"isDataGuardEnabled"`
FailedDataRecoveryInSeconds *int `json:"failedDataRecoveryInSeconds"`
StandbyDb *AutonomousDatabaseStandbySummary `json:"standbyDb"`
IsLocalDataGuardEnabled *bool `json:"isLocalDataGuardEnabled"`
IsRemoteDataGuardEnabled *bool `json:"isRemoteDataGuardEnabled"`
LocalStandbyDb *AutonomousDatabaseStandbySummary `json:"localStandbyDb"`
Role AutonomousDatabaseRoleEnum `json:"role"`
AvailableUpgradeVersions []string `json:"availableUpgradeVersions"`
KeyStoreId *string `json:"keyStoreId"`
KeyStoreWalletName *string `json:"keyStoreWalletName"`
AutoRefreshFrequencyInSeconds *int `json:"autoRefreshFrequencyInSeconds"`
AutoRefreshPointLagInSeconds *int `json:"autoRefreshPointLagInSeconds"`
TimeOfAutoRefreshStart *common.SDKTime `json:"timeOfAutoRefreshStart"`
SupportedRegionsToCloneTo []string `json:"supportedRegionsToCloneTo"`
CustomerContacts []CustomerContact `json:"customerContacts"`
TimeLocalDataGuardEnabled *common.SDKTime `json:"timeLocalDataGuardEnabled"`
DataguardRegionType AutonomousDatabaseDataguardRegionTypeEnum `json:"dataguardRegionType"`
TimeDataGuardRoleChanged *common.SDKTime `json:"timeDataGuardRoleChanged"`
PeerDbIds []string `json:"peerDbIds"`
IsMtlsConnectionRequired *bool `json:"isMtlsConnectionRequired"`
TimeOfJoiningResourcePool *common.SDKTime `json:"timeOfJoiningResourcePool"`
ResourcePoolLeaderId *string `json:"resourcePoolLeaderId"`
ResourcePoolSummary *ResourcePoolSummary `json:"resourcePoolSummary"`
IsReconnectCloneEnabled *bool `json:"isReconnectCloneEnabled"`
TimeUntilReconnectCloneEnabled *common.SDKTime `json:"timeUntilReconnectCloneEnabled"`
AutonomousMaintenanceScheduleType AutonomousDatabaseAutonomousMaintenanceScheduleTypeEnum `json:"autonomousMaintenanceScheduleType"`
ScheduledOperations []ScheduledOperationDetails `json:"scheduledOperations"`
IsAutoScalingForStorageEnabled *bool `json:"isAutoScalingForStorageEnabled"`
AllocatedStorageSizeInTBs *float64 `json:"allocatedStorageSizeInTBs"`
ActualUsedDataStorageSizeInTBs *float64 `json:"actualUsedDataStorageSizeInTBs"`
DatabaseEdition AutonomousDatabaseDatabaseEditionEnum `json:"databaseEdition"`
DbToolsDetails []DatabaseTool `json:"dbToolsDetails"`
LocalDisasterRecoveryType DisasterRecoveryConfigurationDisasterRecoveryTypeEnum `json:"localDisasterRecoveryType"`
DisasterRecoveryRegionType AutonomousDatabaseDisasterRecoveryRegionTypeEnum `json:"disasterRecoveryRegionType"`
TimeDisasterRecoveryRoleChanged *common.SDKTime `json:"timeDisasterRecoveryRoleChanged"`
RemoteDisasterRecoveryConfiguration *DisasterRecoveryConfiguration `json:"remoteDisasterRecoveryConfiguration"`
NetServicesArchitecture AutonomousDatabaseNetServicesArchitectureEnum `json:"netServicesArchitecture"`
AvailabilityDomain *string `json:"availabilityDomain"`
ClusterPlacementGroupId *string `json:"clusterPlacementGroupId"`
CloneTableSpaceList []int `json:"cloneTableSpaceList"`
Id *string `json:"id"`
CompartmentId *string `json:"compartmentId"`
LifecycleState AutonomousDatabaseLifecycleStateEnum `json:"lifecycleState"`
DbName *string `json:"dbName"`
DataStorageSizeInTBs *int `json:"dataStorageSizeInTBs"`
}{}
e = json.Unmarshal(data, &model)
if e != nil {
return
}
var nn interface{}
m.SubscriptionId = model.SubscriptionId
m.LifecycleDetails = model.LifecycleDetails
m.KmsKeyId = model.KmsKeyId
m.VaultId = model.VaultId
m.KmsKeyLifecycleDetails = model.KmsKeyLifecycleDetails
nn, e = model.EncryptionKey.UnmarshalPolymorphicJSON(model.EncryptionKey.JsonData)
if e != nil {
return
}
if nn != nil {
m.EncryptionKey = nn.(AutonomousDatabaseEncryptionKeyDetails)
} else {
m.EncryptionKey = nil
}
m.KmsKeyVersionId = model.KmsKeyVersionId
m.CharacterSet = model.CharacterSet
m.NcharacterSet = model.NcharacterSet
m.InMemoryPercentage = model.InMemoryPercentage
m.InMemoryAreaInGBs = model.InMemoryAreaInGBs
m.NextLongTermBackupTimeStamp = model.NextLongTermBackupTimeStamp
m.LongTermBackupSchedule = model.LongTermBackupSchedule
m.IsFreeTier = model.IsFreeTier
m.SystemTags = model.SystemTags
m.TimeReclamationOfFreeAutonomousDatabase = model.TimeReclamationOfFreeAutonomousDatabase
m.TimeDeletionOfFreeAutonomousDatabase = model.TimeDeletionOfFreeAutonomousDatabase
m.BackupConfig = model.BackupConfig
m.KeyHistoryEntry = make([]AutonomousDatabaseKeyHistoryEntry, len(model.KeyHistoryEntry))
copy(m.KeyHistoryEntry, model.KeyHistoryEntry)
m.EncryptionKeyHistoryEntry = make([]AutonomousDatabaseEncryptionKeyHistoryEntry, len(model.EncryptionKeyHistoryEntry))
copy(m.EncryptionKeyHistoryEntry, model.EncryptionKeyHistoryEntry)
m.CpuCoreCount = model.CpuCoreCount
m.LocalAdgAutoFailoverMaxDataLossLimit = model.LocalAdgAutoFailoverMaxDataLossLimit
m.ComputeModel = model.ComputeModel
m.ComputeCount = model.ComputeCount
m.BackupRetentionPeriodInDays = model.BackupRetentionPeriodInDays
m.TotalBackupStorageSizeInGBs = model.TotalBackupStorageSizeInGBs
m.OcpuCount = model.OcpuCount
m.ProvisionableCpus = make([]float32, len(model.ProvisionableCpus))
copy(m.ProvisionableCpus, model.ProvisionableCpus)
m.MemoryPerOracleComputeUnitInGBs = model.MemoryPerOracleComputeUnitInGBs
m.DataStorageSizeInGBs = model.DataStorageSizeInGBs
m.UsedDataStorageSizeInGBs = model.UsedDataStorageSizeInGBs
m.InfrastructureType = model.InfrastructureType
m.IsDedicated = model.IsDedicated
m.AutonomousContainerDatabaseId = model.AutonomousContainerDatabaseId
m.IsBackupRetentionLocked = model.IsBackupRetentionLocked
m.TimeUndeleted = model.TimeUndeleted
m.TimeCreated = model.TimeCreated
m.DisplayName = model.DisplayName
m.ServiceConsoleUrl = model.ServiceConsoleUrl
m.ConnectionStrings = model.ConnectionStrings
m.ConnectionUrls = model.ConnectionUrls
m.PublicConnectionUrls = model.PublicConnectionUrls
m.LicenseModel = model.LicenseModel
m.ByolComputeCountLimit = model.ByolComputeCountLimit
m.UsedDataStorageSizeInTBs = model.UsedDataStorageSizeInTBs
m.FreeformTags = model.FreeformTags
m.DefinedTags = model.DefinedTags
m.SecurityAttributes = model.SecurityAttributes
m.SubnetId = model.SubnetId
m.NsgIds = make([]string, len(model.NsgIds))
copy(m.NsgIds, model.NsgIds)
m.PrivateEndpoint = model.PrivateEndpoint
m.PublicEndpoint = model.PublicEndpoint
m.PrivateEndpointLabel = model.PrivateEndpointLabel
m.PrivateEndpointIp = model.PrivateEndpointIp
m.DbVersion = model.DbVersion
m.IsPreview = model.IsPreview
m.DbWorkload = model.DbWorkload
m.IsDevTier = model.IsDevTier
m.IsAccessControlEnabled = model.IsAccessControlEnabled
m.WhitelistedIps = make([]string, len(model.WhitelistedIps))
copy(m.WhitelistedIps, model.WhitelistedIps)
m.ArePrimaryWhitelistedIpsUsed = model.ArePrimaryWhitelistedIpsUsed
m.StandbyWhitelistedIps = make([]string, len(model.StandbyWhitelistedIps))
copy(m.StandbyWhitelistedIps, model.StandbyWhitelistedIps)
m.ApexDetails = model.ApexDetails
m.IsAutoScalingEnabled = model.IsAutoScalingEnabled
m.DataSafeStatus = model.DataSafeStatus
m.OperationsInsightsStatus = model.OperationsInsightsStatus
m.DatabaseManagementStatus = model.DatabaseManagementStatus
m.TimeMaintenanceBegin = model.TimeMaintenanceBegin
m.TimeMaintenanceEnd = model.TimeMaintenanceEnd
m.MaintenanceTargetComponent = model.MaintenanceTargetComponent
m.IsRefreshableClone = model.IsRefreshableClone
m.TimeOfLastRefresh = model.TimeOfLastRefresh
m.TimeOfLastRefreshPoint = model.TimeOfLastRefreshPoint
m.TimeOfNextRefresh = model.TimeOfNextRefresh
m.OpenMode = model.OpenMode
m.RefreshableStatus = model.RefreshableStatus
m.RefreshableMode = model.RefreshableMode
m.SourceId = model.SourceId
m.PermissionLevel = model.PermissionLevel
m.TimeOfLastSwitchover = model.TimeOfLastSwitchover
m.TimeOfLastFailover = model.TimeOfLastFailover
m.IsDataGuardEnabled = model.IsDataGuardEnabled
m.FailedDataRecoveryInSeconds = model.FailedDataRecoveryInSeconds
m.StandbyDb = model.StandbyDb
m.IsLocalDataGuardEnabled = model.IsLocalDataGuardEnabled
m.IsRemoteDataGuardEnabled = model.IsRemoteDataGuardEnabled
m.LocalStandbyDb = model.LocalStandbyDb
m.Role = model.Role
m.AvailableUpgradeVersions = make([]string, len(model.AvailableUpgradeVersions))
copy(m.AvailableUpgradeVersions, model.AvailableUpgradeVersions)
m.KeyStoreId = model.KeyStoreId
m.KeyStoreWalletName = model.KeyStoreWalletName
m.AutoRefreshFrequencyInSeconds = model.AutoRefreshFrequencyInSeconds
m.AutoRefreshPointLagInSeconds = model.AutoRefreshPointLagInSeconds
m.TimeOfAutoRefreshStart = model.TimeOfAutoRefreshStart
m.SupportedRegionsToCloneTo = make([]string, len(model.SupportedRegionsToCloneTo))
copy(m.SupportedRegionsToCloneTo, model.SupportedRegionsToCloneTo)
m.CustomerContacts = make([]CustomerContact, len(model.CustomerContacts))
copy(m.CustomerContacts, model.CustomerContacts)
m.TimeLocalDataGuardEnabled = model.TimeLocalDataGuardEnabled
m.DataguardRegionType = model.DataguardRegionType
m.TimeDataGuardRoleChanged = model.TimeDataGuardRoleChanged
m.PeerDbIds = make([]string, len(model.PeerDbIds))
copy(m.PeerDbIds, model.PeerDbIds)
m.IsMtlsConnectionRequired = model.IsMtlsConnectionRequired
m.TimeOfJoiningResourcePool = model.TimeOfJoiningResourcePool
m.ResourcePoolLeaderId = model.ResourcePoolLeaderId
m.ResourcePoolSummary = model.ResourcePoolSummary
m.IsReconnectCloneEnabled = model.IsReconnectCloneEnabled
m.TimeUntilReconnectCloneEnabled = model.TimeUntilReconnectCloneEnabled
m.AutonomousMaintenanceScheduleType = model.AutonomousMaintenanceScheduleType
m.ScheduledOperations = make([]ScheduledOperationDetails, len(model.ScheduledOperations))
copy(m.ScheduledOperations, model.ScheduledOperations)
m.IsAutoScalingForStorageEnabled = model.IsAutoScalingForStorageEnabled
m.AllocatedStorageSizeInTBs = model.AllocatedStorageSizeInTBs
m.ActualUsedDataStorageSizeInTBs = model.ActualUsedDataStorageSizeInTBs
m.DatabaseEdition = model.DatabaseEdition
m.DbToolsDetails = make([]DatabaseTool, len(model.DbToolsDetails))
copy(m.DbToolsDetails, model.DbToolsDetails)
m.LocalDisasterRecoveryType = model.LocalDisasterRecoveryType
m.DisasterRecoveryRegionType = model.DisasterRecoveryRegionType
m.TimeDisasterRecoveryRoleChanged = model.TimeDisasterRecoveryRoleChanged
m.RemoteDisasterRecoveryConfiguration = model.RemoteDisasterRecoveryConfiguration
m.NetServicesArchitecture = model.NetServicesArchitecture
m.AvailabilityDomain = model.AvailabilityDomain
m.ClusterPlacementGroupId = model.ClusterPlacementGroupId
m.CloneTableSpaceList = make([]int, len(model.CloneTableSpaceList))
copy(m.CloneTableSpaceList, model.CloneTableSpaceList)
m.Id = model.Id
m.CompartmentId = model.CompartmentId
m.LifecycleState = model.LifecycleState
m.DbName = model.DbName
m.DataStorageSizeInTBs = model.DataStorageSizeInTBs
return
}
// AutonomousDatabaseLifecycleStateEnum Enum with underlying type: string
type AutonomousDatabaseLifecycleStateEnum string
// Set of constants representing the allowable values for AutonomousDatabaseLifecycleStateEnum
const (
AutonomousDatabaseLifecycleStateProvisioning AutonomousDatabaseLifecycleStateEnum = "PROVISIONING"
AutonomousDatabaseLifecycleStateAvailable AutonomousDatabaseLifecycleStateEnum = "AVAILABLE"
AutonomousDatabaseLifecycleStateStopping AutonomousDatabaseLifecycleStateEnum = "STOPPING"
AutonomousDatabaseLifecycleStateStopped AutonomousDatabaseLifecycleStateEnum = "STOPPED"
AutonomousDatabaseLifecycleStateStarting AutonomousDatabaseLifecycleStateEnum = "STARTING"
AutonomousDatabaseLifecycleStateTerminating AutonomousDatabaseLifecycleStateEnum = "TERMINATING"
AutonomousDatabaseLifecycleStateTerminated AutonomousDatabaseLifecycleStateEnum = "TERMINATED"
AutonomousDatabaseLifecycleStateUnavailable AutonomousDatabaseLifecycleStateEnum = "UNAVAILABLE"
AutonomousDatabaseLifecycleStateRestoreInProgress AutonomousDatabaseLifecycleStateEnum = "RESTORE_IN_PROGRESS"
AutonomousDatabaseLifecycleStateRestoreFailed AutonomousDatabaseLifecycleStateEnum = "RESTORE_FAILED"
AutonomousDatabaseLifecycleStateBackupInProgress AutonomousDatabaseLifecycleStateEnum = "BACKUP_IN_PROGRESS"
AutonomousDatabaseLifecycleStateScaleInProgress AutonomousDatabaseLifecycleStateEnum = "SCALE_IN_PROGRESS"
AutonomousDatabaseLifecycleStateAvailableNeedsAttention AutonomousDatabaseLifecycleStateEnum = "AVAILABLE_NEEDS_ATTENTION"
AutonomousDatabaseLifecycleStateUpdating AutonomousDatabaseLifecycleStateEnum = "UPDATING"
AutonomousDatabaseLifecycleStateMaintenanceInProgress AutonomousDatabaseLifecycleStateEnum = "MAINTENANCE_IN_PROGRESS"
AutonomousDatabaseLifecycleStateRestarting AutonomousDatabaseLifecycleStateEnum = "RESTARTING"
AutonomousDatabaseLifecycleStateRecreating AutonomousDatabaseLifecycleStateEnum = "RECREATING"
AutonomousDatabaseLifecycleStateRoleChangeInProgress AutonomousDatabaseLifecycleStateEnum = "ROLE_CHANGE_IN_PROGRESS"
AutonomousDatabaseLifecycleStateUpgrading AutonomousDatabaseLifecycleStateEnum = "UPGRADING"
AutonomousDatabaseLifecycleStateInaccessible AutonomousDatabaseLifecycleStateEnum = "INACCESSIBLE"
AutonomousDatabaseLifecycleStateStandby AutonomousDatabaseLifecycleStateEnum = "STANDBY"
)
var mappingAutonomousDatabaseLifecycleStateEnum = map[string]AutonomousDatabaseLifecycleStateEnum{
"PROVISIONING": AutonomousDatabaseLifecycleStateProvisioning,
"AVAILABLE": AutonomousDatabaseLifecycleStateAvailable,
"STOPPING": AutonomousDatabaseLifecycleStateStopping,
"STOPPED": AutonomousDatabaseLifecycleStateStopped,
"STARTING": AutonomousDatabaseLifecycleStateStarting,
"TERMINATING": AutonomousDatabaseLifecycleStateTerminating,
"TERMINATED": AutonomousDatabaseLifecycleStateTerminated,
"UNAVAILABLE": AutonomousDatabaseLifecycleStateUnavailable,
"RESTORE_IN_PROGRESS": AutonomousDatabaseLifecycleStateRestoreInProgress,
"RESTORE_FAILED": AutonomousDatabaseLifecycleStateRestoreFailed,
"BACKUP_IN_PROGRESS": AutonomousDatabaseLifecycleStateBackupInProgress,
"SCALE_IN_PROGRESS": AutonomousDatabaseLifecycleStateScaleInProgress,
"AVAILABLE_NEEDS_ATTENTION": AutonomousDatabaseLifecycleStateAvailableNeedsAttention,
"UPDATING": AutonomousDatabaseLifecycleStateUpdating,
"MAINTENANCE_IN_PROGRESS": AutonomousDatabaseLifecycleStateMaintenanceInProgress,
"RESTARTING": AutonomousDatabaseLifecycleStateRestarting,
"RECREATING": AutonomousDatabaseLifecycleStateRecreating,
"ROLE_CHANGE_IN_PROGRESS": AutonomousDatabaseLifecycleStateRoleChangeInProgress,
"UPGRADING": AutonomousDatabaseLifecycleStateUpgrading,
"INACCESSIBLE": AutonomousDatabaseLifecycleStateInaccessible,
"STANDBY": AutonomousDatabaseLifecycleStateStandby,