-
Notifications
You must be signed in to change notification settings - Fork 1.1k
/
policysimulator-gen.go
6176 lines (5728 loc) · 261 KB
/
policysimulator-gen.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 2024 Google LLC.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
// Code generated file. DO NOT EDIT.
// Package policysimulator provides access to the Policy Simulator API.
//
// For product documentation, see: https://cloud.google.com/iam/docs/simulating-access
//
// # Library status
//
// These client libraries are officially supported by Google. However, this
// library is considered complete and is in maintenance mode. This means
// that we will address critical bugs and security issues but will not add
// any new features.
//
// When possible, we recommend using our newer
// [Cloud Client Libraries for Go](https://pkg.go.dev/cloud.google.com/go)
// that are still actively being worked and iterated on.
//
// # Creating a client
//
// Usage example:
//
// import "google.golang.org/api/policysimulator/v1alpha"
// ...
// ctx := context.Background()
// policysimulatorService, err := policysimulator.NewService(ctx)
//
// In this example, Google Application Default Credentials are used for
// authentication. For information on how to create and obtain Application
// Default Credentials, see https://developers.google.com/identity/protocols/application-default-credentials.
//
// # Other authentication options
//
// To use an API key for authentication (note: some APIs do not support API
// keys), use [google.golang.org/api/option.WithAPIKey]:
//
// policysimulatorService, err := policysimulator.NewService(ctx, option.WithAPIKey("AIza..."))
//
// To use an OAuth token (e.g., a user token obtained via a three-legged OAuth
// flow, use [google.golang.org/api/option.WithTokenSource]:
//
// config := &oauth2.Config{...}
// // ...
// token, err := config.Exchange(ctx, ...)
// policysimulatorService, err := policysimulator.NewService(ctx, option.WithTokenSource(config.TokenSource(ctx, token)))
//
// See [google.golang.org/api/option.ClientOption] for details on options.
package policysimulator // import "google.golang.org/api/policysimulator/v1alpha"
import (
"bytes"
"context"
"encoding/json"
"errors"
"fmt"
"io"
"net/http"
"net/url"
"strconv"
"strings"
googleapi "google.golang.org/api/googleapi"
internal "google.golang.org/api/internal"
gensupport "google.golang.org/api/internal/gensupport"
option "google.golang.org/api/option"
internaloption "google.golang.org/api/option/internaloption"
htransport "google.golang.org/api/transport/http"
)
// Always reference these packages, just in case the auto-generated code
// below doesn't.
var _ = bytes.NewBuffer
var _ = strconv.Itoa
var _ = fmt.Sprintf
var _ = json.NewDecoder
var _ = io.Copy
var _ = url.Parse
var _ = gensupport.MarshalJSON
var _ = googleapi.Version
var _ = errors.New
var _ = strings.Replace
var _ = context.Canceled
var _ = internaloption.WithDefaultEndpoint
var _ = internal.Version
const apiId = "policysimulator:v1alpha"
const apiName = "policysimulator"
const apiVersion = "v1alpha"
const basePath = "https://policysimulator.googleapis.com/"
const basePathTemplate = "https://policysimulator.UNIVERSE_DOMAIN/"
const mtlsBasePath = "https://policysimulator.mtls.googleapis.com/"
// OAuth2 scopes used by this API.
const (
// See, edit, configure, and delete your Google Cloud data and see the email
// address for your Google Account.
CloudPlatformScope = "https://www.googleapis.com/auth/cloud-platform"
)
// NewService creates a new Service.
func NewService(ctx context.Context, opts ...option.ClientOption) (*Service, error) {
scopesOption := internaloption.WithDefaultScopes(
"https://www.googleapis.com/auth/cloud-platform",
)
// NOTE: prepend, so we don't override user-specified scopes.
opts = append([]option.ClientOption{scopesOption}, opts...)
opts = append(opts, internaloption.WithDefaultEndpoint(basePath))
opts = append(opts, internaloption.WithDefaultEndpointTemplate(basePathTemplate))
opts = append(opts, internaloption.WithDefaultMTLSEndpoint(mtlsBasePath))
opts = append(opts, internaloption.EnableNewAuthLibrary())
client, endpoint, err := htransport.NewClient(ctx, opts...)
if err != nil {
return nil, err
}
s, err := New(client)
if err != nil {
return nil, err
}
if endpoint != "" {
s.BasePath = endpoint
}
return s, nil
}
// New creates a new Service. It uses the provided http.Client for requests.
//
// Deprecated: please use NewService instead.
// To provide a custom HTTP client, use option.WithHTTPClient.
// If you are using google.golang.org/api/googleapis/transport.APIKey, use option.WithAPIKey with NewService instead.
func New(client *http.Client) (*Service, error) {
if client == nil {
return nil, errors.New("client is nil")
}
s := &Service{client: client, BasePath: basePath}
s.Folders = NewFoldersService(s)
s.Operations = NewOperationsService(s)
s.Organizations = NewOrganizationsService(s)
s.Projects = NewProjectsService(s)
return s, nil
}
type Service struct {
client *http.Client
BasePath string // API endpoint base URL
UserAgent string // optional additional User-Agent fragment
Folders *FoldersService
Operations *OperationsService
Organizations *OrganizationsService
Projects *ProjectsService
}
func (s *Service) userAgent() string {
if s.UserAgent == "" {
return googleapi.UserAgent
}
return googleapi.UserAgent + " " + s.UserAgent
}
func NewFoldersService(s *Service) *FoldersService {
rs := &FoldersService{s: s}
rs.Locations = NewFoldersLocationsService(s)
return rs
}
type FoldersService struct {
s *Service
Locations *FoldersLocationsService
}
func NewFoldersLocationsService(s *Service) *FoldersLocationsService {
rs := &FoldersLocationsService{s: s}
rs.OrgPolicyViolationsPreviews = NewFoldersLocationsOrgPolicyViolationsPreviewsService(s)
rs.Replays = NewFoldersLocationsReplaysService(s)
return rs
}
type FoldersLocationsService struct {
s *Service
OrgPolicyViolationsPreviews *FoldersLocationsOrgPolicyViolationsPreviewsService
Replays *FoldersLocationsReplaysService
}
func NewFoldersLocationsOrgPolicyViolationsPreviewsService(s *Service) *FoldersLocationsOrgPolicyViolationsPreviewsService {
rs := &FoldersLocationsOrgPolicyViolationsPreviewsService{s: s}
rs.Operations = NewFoldersLocationsOrgPolicyViolationsPreviewsOperationsService(s)
return rs
}
type FoldersLocationsOrgPolicyViolationsPreviewsService struct {
s *Service
Operations *FoldersLocationsOrgPolicyViolationsPreviewsOperationsService
}
func NewFoldersLocationsOrgPolicyViolationsPreviewsOperationsService(s *Service) *FoldersLocationsOrgPolicyViolationsPreviewsOperationsService {
rs := &FoldersLocationsOrgPolicyViolationsPreviewsOperationsService{s: s}
return rs
}
type FoldersLocationsOrgPolicyViolationsPreviewsOperationsService struct {
s *Service
}
func NewFoldersLocationsReplaysService(s *Service) *FoldersLocationsReplaysService {
rs := &FoldersLocationsReplaysService{s: s}
rs.Operations = NewFoldersLocationsReplaysOperationsService(s)
rs.Results = NewFoldersLocationsReplaysResultsService(s)
return rs
}
type FoldersLocationsReplaysService struct {
s *Service
Operations *FoldersLocationsReplaysOperationsService
Results *FoldersLocationsReplaysResultsService
}
func NewFoldersLocationsReplaysOperationsService(s *Service) *FoldersLocationsReplaysOperationsService {
rs := &FoldersLocationsReplaysOperationsService{s: s}
return rs
}
type FoldersLocationsReplaysOperationsService struct {
s *Service
}
func NewFoldersLocationsReplaysResultsService(s *Service) *FoldersLocationsReplaysResultsService {
rs := &FoldersLocationsReplaysResultsService{s: s}
return rs
}
type FoldersLocationsReplaysResultsService struct {
s *Service
}
func NewOperationsService(s *Service) *OperationsService {
rs := &OperationsService{s: s}
return rs
}
type OperationsService struct {
s *Service
}
func NewOrganizationsService(s *Service) *OrganizationsService {
rs := &OrganizationsService{s: s}
rs.Locations = NewOrganizationsLocationsService(s)
return rs
}
type OrganizationsService struct {
s *Service
Locations *OrganizationsLocationsService
}
func NewOrganizationsLocationsService(s *Service) *OrganizationsLocationsService {
rs := &OrganizationsLocationsService{s: s}
rs.OrgPolicyViolationsPreviews = NewOrganizationsLocationsOrgPolicyViolationsPreviewsService(s)
rs.Replays = NewOrganizationsLocationsReplaysService(s)
return rs
}
type OrganizationsLocationsService struct {
s *Service
OrgPolicyViolationsPreviews *OrganizationsLocationsOrgPolicyViolationsPreviewsService
Replays *OrganizationsLocationsReplaysService
}
func NewOrganizationsLocationsOrgPolicyViolationsPreviewsService(s *Service) *OrganizationsLocationsOrgPolicyViolationsPreviewsService {
rs := &OrganizationsLocationsOrgPolicyViolationsPreviewsService{s: s}
rs.Operations = NewOrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService(s)
rs.OrgPolicyViolations = NewOrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService(s)
return rs
}
type OrganizationsLocationsOrgPolicyViolationsPreviewsService struct {
s *Service
Operations *OrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService
OrgPolicyViolations *OrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService
}
func NewOrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService(s *Service) *OrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService {
rs := &OrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService{s: s}
return rs
}
type OrganizationsLocationsOrgPolicyViolationsPreviewsOperationsService struct {
s *Service
}
func NewOrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService(s *Service) *OrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService {
rs := &OrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService{s: s}
return rs
}
type OrganizationsLocationsOrgPolicyViolationsPreviewsOrgPolicyViolationsService struct {
s *Service
}
func NewOrganizationsLocationsReplaysService(s *Service) *OrganizationsLocationsReplaysService {
rs := &OrganizationsLocationsReplaysService{s: s}
rs.Operations = NewOrganizationsLocationsReplaysOperationsService(s)
rs.Results = NewOrganizationsLocationsReplaysResultsService(s)
return rs
}
type OrganizationsLocationsReplaysService struct {
s *Service
Operations *OrganizationsLocationsReplaysOperationsService
Results *OrganizationsLocationsReplaysResultsService
}
func NewOrganizationsLocationsReplaysOperationsService(s *Service) *OrganizationsLocationsReplaysOperationsService {
rs := &OrganizationsLocationsReplaysOperationsService{s: s}
return rs
}
type OrganizationsLocationsReplaysOperationsService struct {
s *Service
}
func NewOrganizationsLocationsReplaysResultsService(s *Service) *OrganizationsLocationsReplaysResultsService {
rs := &OrganizationsLocationsReplaysResultsService{s: s}
return rs
}
type OrganizationsLocationsReplaysResultsService struct {
s *Service
}
func NewProjectsService(s *Service) *ProjectsService {
rs := &ProjectsService{s: s}
rs.Locations = NewProjectsLocationsService(s)
return rs
}
type ProjectsService struct {
s *Service
Locations *ProjectsLocationsService
}
func NewProjectsLocationsService(s *Service) *ProjectsLocationsService {
rs := &ProjectsLocationsService{s: s}
rs.OrgPolicyViolationsPreviews = NewProjectsLocationsOrgPolicyViolationsPreviewsService(s)
rs.Replays = NewProjectsLocationsReplaysService(s)
return rs
}
type ProjectsLocationsService struct {
s *Service
OrgPolicyViolationsPreviews *ProjectsLocationsOrgPolicyViolationsPreviewsService
Replays *ProjectsLocationsReplaysService
}
func NewProjectsLocationsOrgPolicyViolationsPreviewsService(s *Service) *ProjectsLocationsOrgPolicyViolationsPreviewsService {
rs := &ProjectsLocationsOrgPolicyViolationsPreviewsService{s: s}
rs.Operations = NewProjectsLocationsOrgPolicyViolationsPreviewsOperationsService(s)
return rs
}
type ProjectsLocationsOrgPolicyViolationsPreviewsService struct {
s *Service
Operations *ProjectsLocationsOrgPolicyViolationsPreviewsOperationsService
}
func NewProjectsLocationsOrgPolicyViolationsPreviewsOperationsService(s *Service) *ProjectsLocationsOrgPolicyViolationsPreviewsOperationsService {
rs := &ProjectsLocationsOrgPolicyViolationsPreviewsOperationsService{s: s}
return rs
}
type ProjectsLocationsOrgPolicyViolationsPreviewsOperationsService struct {
s *Service
}
func NewProjectsLocationsReplaysService(s *Service) *ProjectsLocationsReplaysService {
rs := &ProjectsLocationsReplaysService{s: s}
rs.Operations = NewProjectsLocationsReplaysOperationsService(s)
rs.Results = NewProjectsLocationsReplaysResultsService(s)
return rs
}
type ProjectsLocationsReplaysService struct {
s *Service
Operations *ProjectsLocationsReplaysOperationsService
Results *ProjectsLocationsReplaysResultsService
}
func NewProjectsLocationsReplaysOperationsService(s *Service) *ProjectsLocationsReplaysOperationsService {
rs := &ProjectsLocationsReplaysOperationsService{s: s}
return rs
}
type ProjectsLocationsReplaysOperationsService struct {
s *Service
}
func NewProjectsLocationsReplaysResultsService(s *Service) *ProjectsLocationsReplaysResultsService {
rs := &ProjectsLocationsReplaysResultsService{s: s}
return rs
}
type ProjectsLocationsReplaysResultsService struct {
s *Service
}
// GoogleCloudOrgpolicyV2AlternatePolicySpec: Similar to PolicySpec but with an
// extra 'launch' field for launch reference. The PolicySpec here is specific
// for dry-run/darklaunch.
type GoogleCloudOrgpolicyV2AlternatePolicySpec struct {
// Launch: Reference to the launch that will be used while audit logging and to
// control the launch. Should be set only in the alternate policy.
Launch string `json:"launch,omitempty"`
// Spec: Specify constraint for configurations of Google Cloud resources.
Spec *GoogleCloudOrgpolicyV2PolicySpec `json:"spec,omitempty"`
// ForceSendFields is a list of field names (e.g. "Launch") to unconditionally
// include in API requests. By default, fields with empty or default values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "Launch") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2AlternatePolicySpec) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2AlternatePolicySpec
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudOrgpolicyV2CustomConstraint: A custom constraint defined by
// customers which can *only* be applied to the given resource types and
// organization. By creating a custom constraint, customers can apply policies
// of this custom constraint. *Creating a custom constraint itself does NOT
// apply any policy enforcement*.
type GoogleCloudOrgpolicyV2CustomConstraint struct {
// ActionType: Allow or deny type.
//
// Possible values:
// "ACTION_TYPE_UNSPECIFIED" - Unspecified. Results in an error.
// "ALLOW" - Allowed action type.
// "DENY" - Deny action type.
ActionType string `json:"actionType,omitempty"`
// Condition: Org policy condition/expression. For example:
// `resource.instanceName.matches("[production|test]_.*_(\d)+")` or,
// `resource.management.auto_upgrade == true` The max length of the condition
// is 1000 characters.
Condition string `json:"condition,omitempty"`
// Description: Detailed information about this custom policy constraint. The
// max length of the description is 2000 characters.
Description string `json:"description,omitempty"`
// DisplayName: One line display name for the UI. The max length of the
// display_name is 200 characters.
DisplayName string `json:"displayName,omitempty"`
// MethodTypes: All the operations being applied for this constraint.
//
// Possible values:
// "METHOD_TYPE_UNSPECIFIED" - Unspecified. Results in an error.
// "CREATE" - Constraint applied when creating the resource.
// "UPDATE" - Constraint applied when updating the resource.
// "DELETE" - Constraint applied when deleting the resource. Not supported
// yet.
// "REMOVE_GRANT" - Constraint applied when removing an IAM grant.
// "GOVERN_TAGS" - Constraint applied when enforcing forced tagging.
MethodTypes []string `json:"methodTypes,omitempty"`
// Name: Immutable. Name of the constraint. This is unique within the
// organization. Format of the name should be *
// `organizations/{organization_id}/customConstraints/{custom_constraint_id}`
// Example: `organizations/123/customConstraints/custom.createOnlyE2TypeVms`
// The max length is 70 characters and the minimum length is 1. Note that the
// prefix `organizations/{organization_id}/customConstraints/` is not counted.
Name string `json:"name,omitempty"`
// ResourceTypes: Immutable. The resource instance type on which this policy
// applies. Format will be of the form : `/` Example: *
// `compute.googleapis.com/Instance`.
ResourceTypes []string `json:"resourceTypes,omitempty"`
// UpdateTime: Output only. The last time this custom constraint was updated.
// This represents the last time that the `CreateCustomConstraint` or
// `UpdateCustomConstraint` RPC was called
UpdateTime string `json:"updateTime,omitempty"`
// ForceSendFields is a list of field names (e.g. "ActionType") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "ActionType") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2CustomConstraint) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2CustomConstraint
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudOrgpolicyV2Policy: Defines an organization policy which is used
// to specify constraints for configurations of Google Cloud resources.
type GoogleCloudOrgpolicyV2Policy struct {
// Alternate: Deprecated.
Alternate *GoogleCloudOrgpolicyV2AlternatePolicySpec `json:"alternate,omitempty"`
// DryRunSpec: Dry-run policy. Audit-only policy, can be used to monitor how
// the policy would have impacted the existing and future resources if it's
// enforced.
DryRunSpec *GoogleCloudOrgpolicyV2PolicySpec `json:"dryRunSpec,omitempty"`
// Etag: Optional. An opaque tag indicating the current state of the policy,
// used for concurrency control. This 'etag' is computed by the server based on
// the value of other fields, and may be sent on update and delete requests to
// ensure the client has an up-to-date value before proceeding.
Etag string `json:"etag,omitempty"`
// Name: Immutable. The resource name of the policy. Must be one of the
// following forms, where `constraint_name` is the name of the constraint which
// this policy configures: *
// `projects/{project_number}/policies/{constraint_name}` *
// `folders/{folder_id}/policies/{constraint_name}` *
// `organizations/{organization_id}/policies/{constraint_name}` For example,
// `projects/123/policies/compute.disableSerialPortAccess`. Note:
// `projects/{project_id}/policies/{constraint_name}` is also an acceptable
// name for API requests, but responses will return the name using the
// equivalent project number.
Name string `json:"name,omitempty"`
// Spec: Basic information about the Organization Policy.
Spec *GoogleCloudOrgpolicyV2PolicySpec `json:"spec,omitempty"`
// ForceSendFields is a list of field names (e.g. "Alternate") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "Alternate") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2Policy) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2Policy
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudOrgpolicyV2PolicySpec: Defines a Google Cloud policy
// specification which is used to specify constraints for configurations of
// Google Cloud resources.
type GoogleCloudOrgpolicyV2PolicySpec struct {
// Etag: An opaque tag indicating the current version of the policySpec, used
// for concurrency control. This field is ignored if used in a `CreatePolicy`
// request. When the policy is returned from either a `GetPolicy` or a
// `ListPolicies` request, this `etag` indicates the version of the current
// policySpec to use when executing a read-modify-write loop. When the policy
// is returned from a `GetEffectivePolicy` request, the `etag` will be unset.
Etag string `json:"etag,omitempty"`
// InheritFromParent: Determines the inheritance behavior for this policy. If
// `inherit_from_parent` is true, policy rules set higher up in the hierarchy
// (up to the closest root) are inherited and present in the effective policy.
// If it is false, then no rules are inherited, and this policy becomes the new
// root for evaluation. This field can be set only for policies which configure
// list constraints.
InheritFromParent bool `json:"inheritFromParent,omitempty"`
// Reset: Ignores policies set above this resource and restores the
// `constraint_default` enforcement behavior of the specific constraint at this
// resource. This field can be set in policies for either list or boolean
// constraints. If set, `rules` must be empty and `inherit_from_parent` must be
// set to false.
Reset bool `json:"reset,omitempty"`
// Rules: In policies for boolean constraints, the following requirements
// apply: - There must be one and only one policy rule where condition is
// unset. - Boolean policy rules with conditions must set `enforced` to the
// opposite of the policy rule without a condition. - During policy evaluation,
// policy rules with conditions that are true for a target resource take
// precedence.
Rules []*GoogleCloudOrgpolicyV2PolicySpecPolicyRule `json:"rules,omitempty"`
// UpdateTime: Output only. The time stamp this was previously updated. This
// represents the last time a call to `CreatePolicy` or `UpdatePolicy` was made
// for that policy.
UpdateTime string `json:"updateTime,omitempty"`
// ForceSendFields is a list of field names (e.g. "Etag") to unconditionally
// include in API requests. By default, fields with empty or default values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "Etag") to include in API requests
// with the JSON null value. By default, fields with empty values are omitted
// from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2PolicySpec) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2PolicySpec
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudOrgpolicyV2PolicySpecPolicyRule: A rule used to express this
// policy.
type GoogleCloudOrgpolicyV2PolicySpecPolicyRule struct {
// AllowAll: Setting this to true means that all values are allowed. This field
// can be set only in policies for list constraints.
AllowAll bool `json:"allowAll,omitempty"`
// Condition: A condition which determines whether this rule is used in the
// evaluation of the policy. When set, the `expression` field in the `Expr'
// must include from 1 to 10 subexpressions, joined by the "||" or "&&"
// operators. Each subexpression must be of the form
// "resource.matchTag('/tag_key_short_name, 'tag_value_short_name')". or
// "resource.matchTagId('tagKeys/key_id', 'tagValues/value_id')". where
// key_name and value_name are the resource names for Label Keys and Values.
// These names are available from the Tag Manager Service. An example
// expression is: "resource.matchTag('123456789/environment, 'prod')". or
// "resource.matchTagId('tagKeys/123', 'tagValues/456')".
Condition *GoogleTypeExpr `json:"condition,omitempty"`
// DenyAll: Setting this to true means that all values are denied. This field
// can be set only in policies for list constraints.
DenyAll bool `json:"denyAll,omitempty"`
// Enforce: If `true`, then the policy is enforced. If `false`, then any
// configuration is acceptable. This field can be set only in policies for
// boolean constraints.
Enforce bool `json:"enforce,omitempty"`
// Values: List of values to be used for this policy rule. This field can be
// set only in policies for list constraints.
Values *GoogleCloudOrgpolicyV2PolicySpecPolicyRuleStringValues `json:"values,omitempty"`
// ForceSendFields is a list of field names (e.g. "AllowAll") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "AllowAll") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2PolicySpecPolicyRule) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2PolicySpecPolicyRule
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudOrgpolicyV2PolicySpecPolicyRuleStringValues: A message that holds
// specific allowed and denied values. This message can define specific values
// and subtrees of the Resource Manager resource hierarchy (`Organizations`,
// `Folders`, `Projects`) that are allowed or denied. This is achieved by using
// the `under:` and optional `is:` prefixes. The `under:` prefix is used to
// denote resource subtree values. The `is:` prefix is used to denote specific
// values, and is required only if the value contains a ":". Values prefixed
// with "is:" are treated the same as values with no prefix. Ancestry subtrees
// must be in one of the following formats: - `projects/` (for example,
// `projects/tokyo-rain-123`) - `folders/` (for example, `folders/1234`) -
// `organizations/` (for example, `organizations/1234`) The `supports_under`
// field of the associated `Constraint` defines whether ancestry prefixes can
// be used.
type GoogleCloudOrgpolicyV2PolicySpecPolicyRuleStringValues struct {
// AllowedValues: List of values allowed at this resource.
AllowedValues []string `json:"allowedValues,omitempty"`
// DeniedValues: List of values denied at this resource.
DeniedValues []string `json:"deniedValues,omitempty"`
// ForceSendFields is a list of field names (e.g. "AllowedValues") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "AllowedValues") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudOrgpolicyV2PolicySpecPolicyRuleStringValues) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudOrgpolicyV2PolicySpecPolicyRuleStringValues
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1Replay: A resource describing a `Replay`, or
// simulation.
type GoogleCloudPolicysimulatorV1Replay struct {
// Config: Required. The configuration used for the `Replay`.
Config *GoogleCloudPolicysimulatorV1ReplayConfig `json:"config,omitempty"`
// Name: Output only. The resource name of the `Replay`, which has the
// following format:
// `{projects|folders|organizations}/{resource-id}/locations/global/replays/{rep
// lay-id}`, where `{resource-id}` is the ID of the project, folder, or
// organization that owns the Replay. Example:
// `projects/my-example-project/locations/global/replays/506a5f7f-38ce-4d7d-8e03
// -479ce1833c36`
Name string `json:"name,omitempty"`
// ResultsSummary: Output only. Summary statistics about the replayed log
// entries.
ResultsSummary *GoogleCloudPolicysimulatorV1ReplayResultsSummary `json:"resultsSummary,omitempty"`
// State: Output only. The current state of the `Replay`.
//
// Possible values:
// "STATE_UNSPECIFIED" - Default value. This value is unused.
// "PENDING" - The `Replay` has not started yet.
// "RUNNING" - The `Replay` is currently running.
// "SUCCEEDED" - The `Replay` has successfully completed.
// "FAILED" - The `Replay` has finished with an error.
State string `json:"state,omitempty"`
// ForceSendFields is a list of field names (e.g. "Config") to unconditionally
// include in API requests. By default, fields with empty or default values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "Config") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1Replay) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1Replay
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1ReplayConfig: The configuration used for a
// Replay.
type GoogleCloudPolicysimulatorV1ReplayConfig struct {
// LogSource: The logs to use as input for the Replay.
//
// Possible values:
// "LOG_SOURCE_UNSPECIFIED" - An unspecified log source. If the log source is
// unspecified, the Replay defaults to using `RECENT_ACCESSES`.
// "RECENT_ACCESSES" - All access logs from the last 90 days. These logs may
// not include logs from the most recent 7 days.
LogSource string `json:"logSource,omitempty"`
// PolicyOverlay: A mapping of the resources that you want to simulate policies
// for and the policies that you want to simulate. Keys are the full resource
// names for the resources. For example,
// `//cloudresourcemanager.googleapis.com/projects/my-project`. For examples of
// full resource names for Google Cloud services, see
// https://cloud.google.com/iam/help/troubleshooter/full-resource-names. Values
// are Policy objects representing the policies that you want to simulate.
// Replays automatically take into account any IAM policies inherited through
// the resource hierarchy, and any policies set on descendant resources. You do
// not need to include these policies in the policy overlay.
PolicyOverlay map[string]GoogleIamV1Policy `json:"policyOverlay,omitempty"`
// ForceSendFields is a list of field names (e.g. "LogSource") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "LogSource") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1ReplayConfig) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1ReplayConfig
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1ReplayOperationMetadata: Metadata about a Replay
// operation.
type GoogleCloudPolicysimulatorV1ReplayOperationMetadata struct {
// StartTime: Time when the request was received.
StartTime string `json:"startTime,omitempty"`
// ForceSendFields is a list of field names (e.g. "StartTime") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "StartTime") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1ReplayOperationMetadata) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1ReplayOperationMetadata
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1ReplayResultsSummary: Summary statistics about
// the replayed log entries.
type GoogleCloudPolicysimulatorV1ReplayResultsSummary struct {
// DifferenceCount: The number of replayed log entries with a difference
// between baseline and simulated policies.
DifferenceCount int64 `json:"differenceCount,omitempty"`
// ErrorCount: The number of log entries that could not be replayed.
ErrorCount int64 `json:"errorCount,omitempty"`
// LogCount: The total number of log entries replayed.
LogCount int64 `json:"logCount,omitempty"`
// NewestDate: The date of the newest log entry replayed.
NewestDate *GoogleTypeDate `json:"newestDate,omitempty"`
// OldestDate: The date of the oldest log entry replayed.
OldestDate *GoogleTypeDate `json:"oldestDate,omitempty"`
// UnchangedCount: The number of replayed log entries with no difference
// between baseline and simulated policies.
UnchangedCount int64 `json:"unchangedCount,omitempty"`
// ForceSendFields is a list of field names (e.g. "DifferenceCount") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "DifferenceCount") to include in
// API requests with the JSON null value. By default, fields with empty values
// are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1ReplayResultsSummary) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1ReplayResultsSummary
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1alphaAccessStateDiff: A summary and comparison
// of the principal's access under the current (baseline) policies and the
// proposed (simulated) policies for a single access tuple.
type GoogleCloudPolicysimulatorV1alphaAccessStateDiff struct {
// AccessChange: How the principal's access, specified in the AccessState
// field, changed between the current (baseline) policies and proposed
// (simulated) policies.
//
// Possible values:
// "ACCESS_CHANGE_TYPE_UNSPECIFIED" - Default value. This value is unused.
// "NO_CHANGE" - The principal's access did not change. This includes the
// case where both baseline and simulated are UNKNOWN, but the unknown
// information is equivalent.
// "UNKNOWN_CHANGE" - The principal's access under both the current policies
// and the proposed policies is `UNKNOWN`, but the unknown information differs
// between them.
// "ACCESS_REVOKED" - The principal had access under the current policies
// (`GRANTED`), but will no longer have access after the proposed changes
// (`NOT_GRANTED`).
// "ACCESS_GAINED" - The principal did not have access under the current
// policies (`NOT_GRANTED`), but will have access after the proposed changes
// (`GRANTED`).
// "ACCESS_MAYBE_REVOKED" - This result can occur for the following reasons:
// * The principal had access under the current policies (`GRANTED`), but their
// access after the proposed changes is `UNKNOWN`. * The principal's access
// under the current policies is `UNKNOWN`, but they will not have access after
// the proposed changes (`NOT_GRANTED`).
// "ACCESS_MAYBE_GAINED" - This result can occur for the following reasons: *
// The principal did not have access under the current policies
// (`NOT_GRANTED`), but their access after the proposed changes is `UNKNOWN`. *
// The principal's access under the current policies is `UNKNOWN`, but they
// will have access after the proposed changes (`GRANTED`).
AccessChange string `json:"accessChange,omitempty"`
// Baseline: The results of evaluating the access tuple under the current
// (baseline) policies. If the AccessState couldn't be fully evaluated, this
// field explains why.
Baseline *GoogleCloudPolicysimulatorV1alphaExplainedAccess `json:"baseline,omitempty"`
// Simulated: The results of evaluating the access tuple under the proposed
// (simulated) policies. If the AccessState couldn't be fully evaluated, this
// field explains why.
Simulated *GoogleCloudPolicysimulatorV1alphaExplainedAccess `json:"simulated,omitempty"`
// ForceSendFields is a list of field names (e.g. "AccessChange") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "AccessChange") to include in API
// requests with the JSON null value. By default, fields with empty values are
// omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1alphaAccessStateDiff) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1alphaAccessStateDiff
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1alphaAccessTuple: Information about the
// principal, resource, and permission to check.
type GoogleCloudPolicysimulatorV1alphaAccessTuple struct {
// FullResourceName: Required. The full resource name that identifies the
// resource. For example,
// `//compute.googleapis.com/projects/my-project/zones/us-central1-a/instances/m
// y-instance`. For examples of full resource names for Google Cloud services,
// see https://cloud.google.com/iam/help/troubleshooter/full-resource-names.
FullResourceName string `json:"fullResourceName,omitempty"`
// Permission: Required. The IAM permission to check for the specified
// principal and resource. For a complete list of IAM permissions, see
// https://cloud.google.com/iam/help/permissions/reference. For a complete list
// of predefined IAM roles and the permissions in each role, see
// https://cloud.google.com/iam/help/roles/reference.
Permission string `json:"permission,omitempty"`
// Principal: Required. The principal whose access you want to check, in the
// form of the email address that represents that principal. For example,
// `alice@example.com` or
// `my-service-account@my-project.iam.gserviceaccount.com`. The principal must
// be a Google Account or a service account. Other types of principals are not
// supported.
Principal string `json:"principal,omitempty"`
// ForceSendFields is a list of field names (e.g. "FullResourceName") to
// unconditionally include in API requests. By default, fields with empty or
// default values are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-ForceSendFields for more
// details.
ForceSendFields []string `json:"-"`
// NullFields is a list of field names (e.g. "FullResourceName") to include in
// API requests with the JSON null value. By default, fields with empty values
// are omitted from API requests. See
// https://pkg.go.dev/google.golang.org/api#hdr-NullFields for more details.
NullFields []string `json:"-"`
}
func (s GoogleCloudPolicysimulatorV1alphaAccessTuple) MarshalJSON() ([]byte, error) {
type NoMethod GoogleCloudPolicysimulatorV1alphaAccessTuple
return gensupport.MarshalJSON(NoMethod(s), s.ForceSendFields, s.NullFields)
}
// GoogleCloudPolicysimulatorV1alphaBindingExplanation: Details about how a
// binding in a policy affects a principal's ability to use a permission.
type GoogleCloudPolicysimulatorV1alphaBindingExplanation struct {
// Access: Required. Indicates whether _this binding_ provides the specified
// permission to the specified principal for the specified resource. This field
// does _not_ indicate whether the principal actually has the permission for
// the resource. There might be another binding that overrides this binding. To
// determine whether the principal actually has the permission, use the
// `access` field in the TroubleshootIamPolicyResponse.
//
// Possible values:
// "ACCESS_STATE_UNSPECIFIED" - Default value. This value is unused.
// "GRANTED" - The principal has the permission.
// "NOT_GRANTED" - The principal does not have the permission.
// "UNKNOWN_CONDITIONAL" - The principal has the permission only if a
// condition expression evaluates to `true`.
// "UNKNOWN_INFO_DENIED" - The user who created the Replay does not have
// access to all of the policies that Policy Simulator needs to evaluate.
Access string `json:"access,omitempty"`
// Condition: A condition expression that prevents this binding from granting
// access unless the expression evaluates to `true`. To learn about IAM
// Conditions, see https://cloud.google.com/iam/docs/conditions-overview.
Condition *GoogleTypeExpr `json:"condition,omitempty"`
// Memberships: Indicates whether each principal in the binding includes the
// principal specified in the request, either directly or indirectly. Each key
// identifies a principal in the binding, and each value indicates whether the
// principal in the binding includes the principal in the request. For example,
// suppose that a binding includes the following principals: *
// `user:alice@example.com` * `group:product-eng@example.com` The principal in
// the replayed access tuple is `user:bob@example.com`. This user is a
// principal of the group `group:product-eng@example.com`. For the first
// principal in the binding, the key is `user:alice@example.com`, and the
// `membership` field in the value is set to `MEMBERSHIP_NOT_INCLUDED`. For the
// second principal in the binding, the key is `group:product-eng@example.com`,
// and the `membership` field in the value is set to `MEMBERSHIP_INCLUDED`.
Memberships map[string]GoogleCloudPolicysimulatorV1alphaBindingExplanationAnnotatedMembership `json:"memberships,omitempty"`
// Relevance: The relevance of this binding to the overall determination for
// the entire policy.
//
// Possible values:
// "HEURISTIC_RELEVANCE_UNSPECIFIED" - Default value. This value is unused.
// "NORMAL" - The data point has a limited effect on the result. Changing the
// data point is unlikely to affect the overall determination.
// "HIGH" - The data point has a strong effect on the result. Changing the
// data point is likely to affect the overall determination.
Relevance string `json:"relevance,omitempty"`
// Role: The role that this binding grants. For example,
// `roles/compute.serviceAgent`. For a complete list of predefined IAM roles,
// as well as the permissions in each role, see
// https://cloud.google.com/iam/help/roles/reference.
Role string `json:"role,omitempty"`
// RolePermission: Indicates whether the role granted by this binding contains
// the specified permission.
//
// Possible values:
// "ROLE_PERMISSION_UNSPECIFIED" - Default value. This value is unused.
// "ROLE_PERMISSION_INCLUDED" - The permission is included in the role.