Skip to content

Commit 8c243ed

Browse files
committed
feat: rewrite inventory client with basic CRUD
This change rewrites the inventory client interface using simple CRUD methods. Prior to this change the inventory client consisted of several tightly coupled interfaces which made the client more complicated and less flexible. The old client also performed a Get of the inventory many times throughout the applier/destroyer processes, including before every update. This approach discarded optimistic concurrency protection since the resourceVersion was never persisted. The new approach preserves an internal interface representation of the inventory so that the resourceVersion can be preserved across updates. The new client interface is simpler to implement and is intended to support implementations for sharded inventories, which may consist of multiple underlying KRM objects. The prior interfaces made assumptions of a single KRM object in several places, which made it incompatible with a sharded inventory.
1 parent 1a9b045 commit 8c243ed

37 files changed

+846
-1585
lines changed

cmd/main.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -63,7 +63,7 @@ func main() {
6363
}
6464

6565
loader := manifestreader.NewManifestLoader(f)
66-
invFactory := inventory.ClusterClientFactory{StatusPolicy: inventory.StatusPolicyNone}
66+
invFactory := inventory.ClusterClientFactory{}
6767

6868
names := []string{"init", "apply", "destroy", "diff", "preview", "status"}
6969
subCmds := []*cobra.Command{

cmd/status/cmdstatus.go

+9-2
Original file line numberDiff line numberDiff line change
@@ -164,11 +164,13 @@ func (r *Runner) loadInvFromDisk(cmd *cobra.Command, args []string) (*printer.Pr
164164

165165
// Based on the inventory template manifest we look up the inventory
166166
// from the live state using the inventory client.
167-
identifiers, err := invClient.GetClusterObjs(cmd.Context(), inv)
167+
clusterInventory, err := invClient.Get(cmd.Context(), inv, inventory.GetOptions{})
168168
if err != nil {
169169
return nil, err
170170
}
171171

172+
identifiers := clusterInventory.Objects()
173+
172174
printData := printer.PrintData{
173175
Identifiers: object.ObjMetadataSet{},
174176
InvNameMap: make(map[object.ObjMetadata]string),
@@ -201,11 +203,16 @@ func (r *Runner) listInvFromCluster() (*printer.PrintData, error) {
201203
StatusSet: r.statusSet,
202204
}
203205

204-
identifiersMap, err := invClient.ListClusterInventoryObjs(r.ctx)
206+
inventories, err := invClient.List(r.ctx, inventory.ListOptions{})
205207
if err != nil {
206208
return nil, err
207209
}
208210

211+
identifiersMap := make(map[string]object.ObjMetadataSet)
212+
for _, inv := range inventories {
213+
identifiersMap[inv.ID()] = inv.Objects()
214+
}
215+
209216
for invName, identifiers := range identifiersMap {
210217
// Check if there are targeted inventory names and include the current inventory name
211218
if _, ok := r.inventoryNameSet[invName]; !ok && len(r.inventoryNameSet) != 0 {

pkg/apis/actuation/types.go

-22
Original file line numberDiff line numberDiff line change
@@ -4,31 +4,9 @@
44
package actuation
55

66
import (
7-
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
87
"k8s.io/apimachinery/pkg/types"
98
)
109

11-
// Inventory represents the inventory object in memory.
12-
// Inventory is currently only used for in-memory storage and not serialized to
13-
// disk or to the API server.
14-
type Inventory struct {
15-
metav1.TypeMeta `json:",inline"`
16-
metav1.ObjectMeta `json:"metadata,omitempty"`
17-
18-
Spec InventorySpec `json:"spec,omitempty"`
19-
Status InventoryStatus `json:"status,omitempty"`
20-
}
21-
22-
// InventorySpec is the specification of the desired/expected inventory state.
23-
type InventorySpec struct {
24-
Objects []ObjectReference `json:"objects,omitempty"`
25-
}
26-
27-
// InventoryStatus is the status of the current/last-known inventory state.
28-
type InventoryStatus struct {
29-
Objects []ObjectStatus `json:"objects,omitempty"`
30-
}
31-
3210
// ObjectReference is a reference to a KRM resource by name and kind.
3311
//
3412
// Kubernetes only stores one API Version for each Kind at any given time,

pkg/apis/actuation/zz_generated.deepcopy.go

+1-62
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

pkg/apply/applier.go

+21-5
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ import (
88
"fmt"
99
"time"
1010

11+
apierrors "k8s.io/apimachinery/pkg/api/errors"
1112
"k8s.io/apimachinery/pkg/api/meta"
1213
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
1314
"k8s.io/apimachinery/pkg/util/sets"
@@ -48,23 +49,24 @@ type Applier struct {
4849
openAPIGetter discovery.OpenAPISchemaInterface
4950
mapper meta.RESTMapper
5051
infoHelper info.Helper
52+
statusPolicy inventory.StatusPolicy
5153
}
5254

5355
// prepareObjects returns the set of objects to apply and to prune or
5456
// an error if one occurred.
55-
func (a *Applier) prepareObjects(ctx context.Context, localInv inventory.Info, localObjs object.UnstructuredSet,
57+
func (a *Applier) prepareObjects(ctx context.Context, clusterInv inventory.Inventory, localObjs object.UnstructuredSet,
5658
o ApplierOptions) (object.UnstructuredSet, object.UnstructuredSet, error) {
57-
if localInv == nil {
59+
if clusterInv == nil {
5860
return nil, nil, fmt.Errorf("the local inventory can't be nil")
5961
}
6062
if err := inventory.ValidateNoInventory(localObjs); err != nil {
6163
return nil, nil, err
6264
}
6365
// Add the inventory annotation to the resources being applied.
6466
for _, localObj := range localObjs {
65-
inventory.AddInventoryIDAnnotation(localObj, localInv)
67+
inventory.AddInventoryIDAnnotation(localObj, clusterInv.ID())
6668
}
67-
pruneObjs, err := a.pruner.GetPruneObjs(ctx, localInv, localObjs, prune.Options{
69+
pruneObjs, err := a.pruner.GetPruneObjs(ctx, clusterInv, localObjs, prune.Options{
6870
DryRunStrategy: o.DryRunStrategy,
6971
})
7072
if err != nil {
@@ -96,8 +98,20 @@ func (a *Applier) Run(ctx context.Context, invInfo inventory.Info, objects objec
9698
}
9799
validator.Validate(objects)
98100

101+
clusterInventory, err := a.invClient.Get(ctx, invInfo, inventory.GetOptions{})
102+
if apierrors.IsNotFound(err) {
103+
clusterInventory = invInfo.InitialInventory()
104+
} else if err != nil {
105+
handleError(eventChannel, err)
106+
return
107+
}
108+
if clusterInventory.ID() != invInfo.ID() {
109+
handleError(eventChannel, fmt.Errorf("inventory-id of inventory object %s/%s in cluster doesn't match provided id %q",
110+
invInfo.Namespace(), invInfo.Name(), invInfo.ID()))
111+
}
112+
99113
// Decide which objects to apply and which to prune
100-
applyObjs, pruneObjs, err := a.prepareObjects(ctx, invInfo, objects, options)
114+
applyObjs, pruneObjs, err := a.prepareObjects(ctx, clusterInventory, objects, options)
101115
if err != nil {
102116
handleError(eventChannel, err)
103117
return
@@ -154,11 +168,13 @@ func (a *Applier) Run(ctx context.Context, invInfo inventory.Info, objects objec
154168
OpenAPIGetter: a.openAPIGetter,
155169
InfoHelper: a.infoHelper,
156170
Mapper: a.mapper,
171+
Inventory: clusterInventory,
157172
InvClient: a.invClient,
158173
Collector: vCollector,
159174
ApplyFilters: applyFilters,
160175
ApplyMutators: applyMutators,
161176
PruneFilters: pruneFilters,
177+
StatusPolicy: a.statusPolicy,
162178
}
163179
opts := solver.Options{
164180
ServerSideOptions: options.ServerSideOptions,

pkg/apply/applier_builder.go

+6
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@ func (b *ApplierBuilder) Build() (*Applier, error) {
4444
openAPIGetter: bx.discoClient,
4545
mapper: bx.mapper,
4646
infoHelper: info.NewHelper(bx.mapper, bx.unstructuredClientForMapping),
47+
statusPolicy: bx.statusPolicy,
4748
}, nil
4849
}
4950

@@ -91,3 +92,8 @@ func (b *ApplierBuilder) WithStatusWatcherFilters(filters *watcher.Filters) *App
9192
b.statusWatcherFilters = filters
9293
return b
9394
}
95+
96+
func (b *ApplierBuilder) WithStatusPolicy(statusPolicy inventory.StatusPolicy) *ApplierBuilder {
97+
b.statusPolicy = statusPolicy
98+
return b
99+
}

pkg/apply/applier_test.go

+2-2
Original file line numberDiff line numberDiff line change
@@ -1431,7 +1431,7 @@ func TestApplier(t *testing.T) {
14311431
testCtx, testCancel := context.WithTimeout(context.Background(), testTimeout)
14321432
defer testCancel() // cleanup
14331433

1434-
eventChannel := applier.Run(runCtx, tc.invInfo.toWrapped(), tc.resources, tc.options)
1434+
eventChannel := applier.Run(runCtx, tc.invInfo.toInfo(), tc.resources, tc.options)
14351435

14361436
// only start sending events once
14371437
var once sync.Once
@@ -1872,7 +1872,7 @@ func TestApplierCancel(t *testing.T) {
18721872
testCtx, testCancel := context.WithTimeout(context.Background(), tc.testTimeout)
18731873
defer testCancel() // cleanup
18741874

1875-
eventChannel := applier.Run(runCtx, tc.invInfo.toWrapped(), tc.resources, tc.options)
1875+
eventChannel := applier.Run(runCtx, tc.invInfo.toInfo(), tc.resources, tc.options)
18761876

18771877
// only start sending events once
18781878
var once sync.Once

pkg/apply/builder.go

+1
Original file line numberDiff line numberDiff line change
@@ -28,6 +28,7 @@ type commonBuilder struct {
2828
unstructuredClientForMapping func(*meta.RESTMapping) (resource.RESTClient, error)
2929
statusWatcher watcher.StatusWatcher
3030
statusWatcherFilters *watcher.Filters
31+
statusPolicy inventory.StatusPolicy
3132
}
3233

3334
func (cb *commonBuilder) finalize() (*commonBuilder, error) {

pkg/apply/common_test.go

+6-2
Original file line numberDiff line numberDiff line change
@@ -64,10 +64,14 @@ func (i inventoryInfo) toUnstructured() *unstructured.Unstructured {
6464
}
6565
}
6666

67-
func (i inventoryInfo) toWrapped() inventory.Info {
67+
func (i inventoryInfo) toInfo() inventory.Info {
6868
return inventory.WrapInventoryInfoObj(i.toUnstructured())
6969
}
7070

71+
func (i inventoryInfo) toWrapped() inventory.Inventory {
72+
return inventory.WrapInventoryObj(i.toUnstructured())
73+
}
74+
7175
func newTestApplier(
7276
t *testing.T,
7377
invInfo inventoryInfo,
@@ -125,7 +129,7 @@ func newTestInventory(
125129
) inventory.Client {
126130
// Use an Client with a fakeInfoHelper to allow generating Info
127131
// objects that use the FakeRESTClient as the UnstructuredClient.
128-
invClient, err := inventory.ClusterClientFactory{StatusPolicy: inventory.StatusPolicyAll}.NewClient(tf)
132+
invClient, err := inventory.ClusterClientFactory{}.NewClient(tf)
129133
require.NoError(t, err)
130134
return invClient
131135
}

pkg/apply/destroyer.go

+17-1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ import (
88
"fmt"
99
"time"
1010

11+
apierrors "k8s.io/apimachinery/pkg/api/errors"
1112
"k8s.io/apimachinery/pkg/api/meta"
1213
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
1314
"k8s.io/client-go/discovery"
@@ -38,6 +39,7 @@ type Destroyer struct {
3839
client dynamic.Interface
3940
openAPIGetter discovery.OpenAPISchemaInterface
4041
infoHelper info.Helper
42+
statusPolicy inventory.StatusPolicy
4143
}
4244

4345
type DestroyerOptions struct {
@@ -79,10 +81,22 @@ func (d *Destroyer) Run(ctx context.Context, invInfo inventory.Info, options Des
7981
setDestroyerDefaults(&options)
8082
go func() {
8183
defer close(eventChannel)
84+
clusterInventory, err := d.invClient.Get(ctx, invInfo, inventory.GetOptions{})
85+
if apierrors.IsNotFound(err) {
86+
clusterInventory = invInfo.InitialInventory()
87+
} else if err != nil {
88+
handleError(eventChannel, err)
89+
return
90+
}
91+
if clusterInventory.ID() != invInfo.ID() {
92+
handleError(eventChannel, fmt.Errorf("inventory-id of inventory object %s/%s in cluster doesn't match provided id %q",
93+
invInfo.Namespace(), invInfo.Name(), invInfo.ID()))
94+
}
95+
8296
// Retrieve the objects to be deleted from the cluster. Second parameter is empty
8397
// because no local objects returns all inventory objects for deletion.
8498
emptyLocalObjs := object.UnstructuredSet{}
85-
deleteObjs, err := d.pruner.GetPruneObjs(ctx, invInfo, emptyLocalObjs, prune.Options{
99+
deleteObjs, err := d.pruner.GetPruneObjs(ctx, clusterInventory, emptyLocalObjs, prune.Options{
86100
DryRunStrategy: options.DryRunStrategy,
87101
})
88102
if err != nil {
@@ -123,8 +137,10 @@ func (d *Destroyer) Run(ctx context.Context, invInfo inventory.Info, options Des
123137
InfoHelper: d.infoHelper,
124138
Mapper: d.mapper,
125139
InvClient: d.invClient,
140+
Inventory: clusterInventory,
126141
Collector: vCollector,
127142
PruneFilters: deleteFilters,
143+
StatusPolicy: d.statusPolicy,
128144
}
129145
opts := solver.Options{
130146
Destroy: true,

pkg/apply/destroyer_builder.go

+6
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@ func (b *DestroyerBuilder) Build() (*Destroyer, error) {
4444
client: bx.client,
4545
openAPIGetter: bx.discoClient,
4646
infoHelper: info.NewHelper(bx.mapper, bx.unstructuredClientForMapping),
47+
statusPolicy: bx.statusPolicy,
4748
}, nil
4849
}
4950

@@ -91,3 +92,8 @@ func (b *DestroyerBuilder) WithStatusWatcherFilters(filters *watcher.Filters) *D
9192
b.statusWatcherFilters = filters
9293
return b
9394
}
95+
96+
func (b *DestroyerBuilder) WithStatusPolicy(statusPolicy inventory.StatusPolicy) *DestroyerBuilder {
97+
b.statusPolicy = statusPolicy
98+
return b
99+
}

pkg/apply/destroyer_test.go

+2-3
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,6 @@ import (
1111

1212
"github.com/stretchr/testify/assert"
1313
"sigs.k8s.io/cli-utils/pkg/apply/event"
14-
"sigs.k8s.io/cli-utils/pkg/inventory"
1514
pollevent "sigs.k8s.io/cli-utils/pkg/kstatus/polling/event"
1615
"sigs.k8s.io/cli-utils/pkg/kstatus/status"
1716
"sigs.k8s.io/cli-utils/pkg/object"
@@ -313,12 +312,12 @@ func TestDestroyerCancel(t *testing.T) {
313312
t.Run(tn, func(t *testing.T) {
314313
statusWatcher := newFakeWatcher(tc.statusEvents)
315314

316-
invInfo := tc.invInfo.toWrapped()
315+
invInfo := tc.invInfo.toInfo()
317316

318317
destroyer := newTestDestroyer(t,
319318
tc.invInfo,
320319
// Add the inventory to the cluster (to allow deletion)
321-
append(tc.clusterObjs, inventory.InvInfoToConfigMap(invInfo)),
320+
append(tc.clusterObjs, tc.invInfo.toUnstructured()),
322321
statusWatcher,
323322
)
324323

0 commit comments

Comments
 (0)