Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add generate bundle --ignore-if-only-created-at-changed option #6419

Closed
wants to merge 2 commits into from
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
38 changes: 38 additions & 0 deletions changelog/fragments/6419.yaml
Original file line number Diff line number Diff line change
@@ -0,0 +1,38 @@
# entries is a list of entries to include in
# release notes and/or the migration guide
entries:
- description: >
Add ability to ignore bundle updates on `generate bundle` command if createdAt timestamp is the only change.
The flag to use is `--ignore-if-only-createdAt`.

# kind is one of:
# - addition
# - change
# - deprecation
# - removal
# - bugfix
kind: "addition"

# Is this a breaking change?
breaking: false

# NOTE: ONLY USE `pull_request_override` WHEN ADDING THIS
# FILE FOR A PREVIOUSLY MERGED PULL_REQUEST!
#
# The generator auto-detects the PR number from the commit
# message in which this file was originally added.
#
# What is the pull request number (without the "#")?
# pull_request_override: 0


# Migration can be defined to automatically add a section to
# the migration guide. This is required for breaking changes.
# migration:
# header: Header text for the migration section
# body: |
# Body of the migration section. This should be formatted as markdown and can
# span multiple lines.

# Using the YAML string '|' operator means that newlines in this string will
# be honored and interpretted as newlines in the rendered markdown.
4 changes: 4 additions & 0 deletions internal/cmd/operator-sdk/generate/bundle/bundle.go
Original file line number Diff line number Diff line change
Expand Up @@ -201,6 +201,10 @@ func (c bundleCmd) runManifests() (err error) {
opts = append(opts, gencsv.WithWriter(stdout))
} else {
opts = append(opts, gencsv.WithBundleWriter(c.outputDir))
if c.ignoreIfOnlyCreatedAtChanged && genutil.IsExist(c.outputDir) {
opts = append(opts, gencsv.WithBundleReader(c.outputDir))
opts = append(opts, gencsv.WithIgnoreIfOnlyCreatedAtChanged())
}
}

csvGen := gencsv.Generator{
Expand Down
8 changes: 5 additions & 3 deletions internal/cmd/operator-sdk/generate/bundle/cmd.go
Original file line number Diff line number Diff line change
Expand Up @@ -42,9 +42,10 @@ type bundleCmd struct {
extraServiceAccounts []string

// Metadata options.
channels string
defaultChannel string
overwrite bool
channels string
defaultChannel string
overwrite bool
ignoreIfOnlyCreatedAtChanged bool

// These are set if a PROJECT config is not present.
layout string
Expand Down Expand Up @@ -138,6 +139,7 @@ func (c *bundleCmd) addFlagsTo(fs *pflag.FlagSet) {
"Names of service accounts, outside of the operator's Deployment account, "+
"that have bindings to {Cluster}Roles that should be added to the CSV")
fs.BoolVar(&c.overwrite, "overwrite", true, "Overwrite the bundle's metadata and Dockerfile if they exist")
fs.BoolVar(&c.ignoreIfOnlyCreatedAtChanged, "ignore-if-only-created-at-changed", false, "Ignore if only createdAt is changed")
fs.BoolVarP(&c.quiet, "quiet", "q", false, "Run in quiet mode")
fs.BoolVar(&c.stdout, "stdout", false, "Write bundle manifest to stdout")

Expand Down
61 changes: 57 additions & 4 deletions internal/generate/clusterserviceversion/clusterserviceversion.go
Original file line number Diff line number Diff line change
Expand Up @@ -18,11 +18,11 @@ import (
"fmt"
"io"
"path/filepath"
"reflect"
"strings"

"github.com/blang/semver/v4"
"github.com/operator-framework/api/pkg/operators/v1alpha1"
operatorsv1alpha1 "github.com/operator-framework/api/pkg/operators/v1alpha1"
"github.com/operator-framework/operator-registry/pkg/lib/bundle"

"github.com/operator-framework/operator-sdk/internal/generate/clusterserviceversion/bases"
Expand Down Expand Up @@ -57,10 +57,14 @@ type Generator struct {
// {Cluster}Roles to include in a CSV via their Bindings.
ExtraServiceAccounts []string
// RelatedImages are additional images used by the operator.
RelatedImages []operatorsv1alpha1.RelatedImage
RelatedImages []v1alpha1.RelatedImage

// Func that returns the writer the generated CSV's bytes are written to.
getWriter func() (io.Writer, error)
// Func that returns the reader the previous CSV's bytes are read from.
getReader func() (io.Reader, error)

ignoreIfOnlyCreatedAtChanged bool
}

// Option is a function that modifies a Generator.
Expand Down Expand Up @@ -88,6 +92,22 @@ func WithBundleWriter(dir string) Option {
}
}

// WithBundleGetter sets a Generator's getter to a bundle CSV file under
// <dir>/manifests.
func WithBundleReader(dir string) Option {
return func(g *Generator) error {
fileName := makeCSVFileName(g.OperatorName)
g.getReader = func() (io.Reader, error) {
return bundleReader(dir, fileName)
}
return nil
}
}

func bundleReader(dir, fileName string) (io.Reader, error) {
return genutil.Open(filepath.Join(dir, bundle.ManifestsDir), fileName)
}

// WithPackageWriter sets a Generator's writer to a package CSV file under
// <dir>/<version>.
func WithPackageWriter(dir string) Option {
Expand All @@ -100,6 +120,13 @@ func WithPackageWriter(dir string) Option {
}
}

func WithIgnoreIfOnlyCreatedAtChanged() Option {
return func(g *Generator) error {
g.ignoreIfOnlyCreatedAtChanged = true
return nil
}
}

// Generate configures the generator with col and opts then runs it.
func (g *Generator) Generate(opts ...Option) (err error) {
for _, opt := range opts {
Expand All @@ -119,7 +146,33 @@ func (g *Generator) Generate(opts ...Option) (err error) {

// Add extra annotations to csv
g.setAnnotations(csv)

// If a reader is set, and there is a flag to not update createdAt, then
// set the CSV's createdAt to the previous CSV's createdAt if its the only change.
if g.ignoreIfOnlyCreatedAtChanged && g.getReader != nil {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This shouldn't happen of overwrite is set to false. If overwrite is explicitly set to false, and ignoreIfOnlyCreatedAtChanged is passed then we should possibly error out. If not, that defeats the purpose of us tracking createdAt to see the latest changes in bundles. It would be helpful to add that check here.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

+1

r, err := g.getReader()
if err != nil {
return err
}
var prevCSV v1alpha1.ClusterServiceVersion
err = genutil.ReadObject(r, &prevCSV)
if err != nil {
return err
}
if prevCSV.ObjectMeta.Annotations != nil && prevCSV.ObjectMeta.Annotations["createdAt"] != "" {
csvWithoutCreatedAtChange := csv.DeepCopy()
// Set WebhookDefinitions if nil to avoid diffing on it
if prevCSV.Spec.WebhookDefinitions == nil {
prevCSV.Spec.WebhookDefinitions = []v1alpha1.WebhookDescription{}
}
if csvWithoutCreatedAtChange.ObjectMeta.Annotations == nil {
csvWithoutCreatedAtChange.ObjectMeta.Annotations = map[string]string{}
}
csvWithoutCreatedAtChange.ObjectMeta.Annotations["createdAt"] = prevCSV.ObjectMeta.Annotations["createdAt"]
Comment on lines +163 to +170
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We do have the code for walking through the input directories, collecting the manifests and unmarshalling it into the CSV in here. We should be able to fetch the createdAt at that step from annotations, and accordingly set it in here. This would avoid us doing the comparisons with webhooks done below.

Another option is, once we identify the CSV manifest, we can unmarshal it into a runtime.Object as done in this PR, and pass it on through the collector, to apply it in here.

That would make sure that we are performing all operations related to inputs being passed on through flags in place and not read the input CSV multiple times.

Wdyt?

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

That sounds more efficient. Will have a look. Thanks!

if reflect.DeepEqual(csvWithoutCreatedAtChange, &prevCSV) {
csv = csvWithoutCreatedAtChange
}
}
}
w, err := g.getWriter()
if err != nil {
return err
Expand All @@ -140,7 +193,7 @@ func (g Generator) setAnnotations(csv *v1alpha1.ClusterServiceVersion) {
}

// generate runs a configured Generator.
func (g *Generator) generate() (base *operatorsv1alpha1.ClusterServiceVersion, err error) {
func (g *Generator) generate() (base *v1alpha1.ClusterServiceVersion, err error) {
if g.Collector == nil {
return nil, fmt.Errorf("cannot generate CSV without a manifests collection")
}
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -140,6 +140,56 @@ var _ = Describe("Testing CRDs with single version", func() {
Expect(outputFile).To(BeAnExistingFile())
Expect(readFileHelper(outputFile)).To(MatchYAML(newCSVUIMetaStr))
})
It("should not update createdAt to ClusterServiceVersion manifest to a bundle file if it's the only change", func() {
g = Generator{
OperatorName: operatorName,
Version: zeroZeroOne,
Collector: col,
}
opts := []Option{
WithBundleWriter(tmp),
}
Expect(g.Generate(opts...)).ToNot(HaveOccurred())
outputFile := filepath.Join(tmp, bundle.ManifestsDir, makeCSVFileName(operatorName))
Expect(outputFile).To(BeAnExistingFile())
Expect(readFileHelper(outputFile)).To(MatchYAML(newCSVUIMetaStr))
var initiallyWrittenCSV v1alpha1.ClusterServiceVersion
r, err := bundleReader(tmp, makeCSVFileName(operatorName))
Expect(err).ToNot(HaveOccurred())
err = genutil.ReadObject(r, &initiallyWrittenCSV)
Expect(err).ToNot(HaveOccurred())
Expect(initiallyWrittenCSV.ObjectMeta.Annotations).ToNot(BeNil())
Expect(initiallyWrittenCSV.ObjectMeta.Annotations["createdAt"]).ToNot(Equal(""))
g = Generator{
OperatorName: operatorName,
Version: zeroZeroOne,
Collector: col,
}
opts = []Option{
WithBundleWriter(tmp),
WithBundleReader(tmp),
WithIgnoreIfOnlyCreatedAtChanged(),
}
time.Sleep(1*time.Second + 1*time.Millisecond) // sleep to ensure createdAt is different if not for ignore option
Expect(g.Generate(opts...)).ToNot(HaveOccurred())
Expect(outputFile).To(BeAnExistingFile())
// This should fail if createdAt changed.
Expect(readFileHelper(outputFile)).To(MatchYAML(newCSVUIMetaStr))
// now try without ignore option
g = Generator{
OperatorName: operatorName,
Version: zeroZeroOne,
Collector: col,
}
opts = []Option{
WithBundleWriter(tmp),
WithBundleReader(tmp),
}
Expect(g.Generate(opts...)).ToNot(HaveOccurred())
Expect(outputFile).To(BeAnExistingFile())
// This should NOT fail if createdAt changed.
Expect(readFileHelper(outputFile)).ToNot(MatchYAML(newCSVUIMetaStr))
})
It("should write a ClusterServiceVersion manifest to a package file", func() {
g = Generator{
OperatorName: operatorName,
Expand Down
9 changes: 9 additions & 0 deletions internal/generate/internal/genutil.go
Original file line number Diff line number Diff line change
Expand Up @@ -22,6 +22,7 @@ import (
"os"
"path/filepath"

"sigs.k8s.io/controller-runtime/pkg/client"
"sigs.k8s.io/yaml"

"github.com/operator-framework/operator-sdk/internal/util/k8sutil"
Expand Down Expand Up @@ -111,3 +112,11 @@ func IsNotExist(path string) bool {
_, err := os.Stat(path)
return err != nil && errors.Is(err, os.ErrNotExist)
}

func ReadObject(r io.Reader, obj client.Object) error {
var buf bytes.Buffer
if _, err := buf.ReadFrom(r); err != nil {
return err
}
return k8sutil.GetObjectFromBytes(buf.Bytes(), obj)
}
9 changes: 9 additions & 0 deletions internal/util/k8sutil/object.go
Original file line number Diff line number Diff line change
Expand Up @@ -16,6 +16,7 @@ package k8sutil

import (
"k8s.io/apimachinery/pkg/runtime"
"sigs.k8s.io/yaml"
)

type MarshalFunc func(interface{}) ([]byte, error)
Expand Down Expand Up @@ -53,3 +54,11 @@ func deleteKeyFromUnstructured(u map[string]interface{}, key string) {
}
}
}

func GetObjectFromBytes(b []byte, obj interface{}) error {
var u map[string]interface{}
if err := yaml.Unmarshal(b, &u); err != nil {
return err
}
return runtime.DefaultUnstructuredConverter.FromUnstructured(u, obj)
}