Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 313960f

Browse files
Your Nameweipeng
Your Name
authored and
weipeng
committedDec 13, 2024·
Add image squash command
Signed-off-by: weipeng <[email protected]>
1 parent 6f55896 commit 313960f

File tree

5 files changed

+567
-0
lines changed

5 files changed

+567
-0
lines changed
 

‎cmd/nerdctl/image/image.go

+1
Original file line numberDiff line numberDiff line change
@@ -42,6 +42,7 @@ func NewImageCommand() *cobra.Command {
4242
NewLoadCommand(),
4343
NewSaveCommand(),
4444
NewTagCommand(),
45+
NewSquashCommand(),
4546
imageRmCommand(),
4647
newImageConvertCommand(),
4748
newImageInspectCommand(),

‎cmd/nerdctl/image/image_squash.go

+102
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,102 @@
1+
/*
2+
Copyright The containerd Authors.
3+
4+
Licensed under the Apache License, Version 2.0 (the "License");
5+
you may not use this file except in compliance with the License.
6+
You may obtain a copy of the License at
7+
8+
http://www.apache.org/licenses/LICENSE-2.0
9+
10+
Unless required by applicable law or agreed to in writing, software
11+
distributed under the License is distributed on an "AS IS" BASIS,
12+
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
See the License for the specific language governing permissions and
14+
limitations under the License.
15+
*/
16+
17+
package image
18+
19+
import (
20+
"fmt"
21+
22+
"github.com/spf13/cobra"
23+
24+
"github.com/containerd/nerdctl/v2/cmd/nerdctl/helpers"
25+
"github.com/containerd/nerdctl/v2/pkg/api/types"
26+
"github.com/containerd/nerdctl/v2/pkg/clientutil"
27+
"github.com/containerd/nerdctl/v2/pkg/cmd/image"
28+
)
29+
30+
func addSquashFlags(cmd *cobra.Command) {
31+
cmd.Flags().IntP("layer-count", "c", 0, "The number of layers that can be compressed")
32+
cmd.Flags().StringP("layer-digest", "d", "", "The digest of the layer to be compressed")
33+
cmd.Flags().StringP("author", "a", "", `Author (e.g., "nerdctl contributor <nerdctl-dev@example.com>")`)
34+
cmd.Flags().StringP("message", "m", "", "Commit message")
35+
}
36+
37+
func NewSquashCommand() *cobra.Command {
38+
var squashCommand = &cobra.Command{
39+
Use: "squash [flags] SOURCE_IMAGE TAG_IMAGE",
40+
Short: "Compress the number of layers of the image",
41+
Args: helpers.IsExactArgs(2),
42+
RunE: squashAction,
43+
SilenceUsage: true,
44+
SilenceErrors: true,
45+
}
46+
addSquashFlags(squashCommand)
47+
return squashCommand
48+
}
49+
50+
func processSquashCommandFlags(cmd *cobra.Command, args []string) (options types.ImageSquashOptions, err error) {
51+
globalOptions, err := helpers.ProcessRootCmdFlags(cmd)
52+
if err != nil {
53+
return options, err
54+
}
55+
layerCount, err := cmd.Flags().GetInt("layer-count")
56+
if err != nil {
57+
return options, err
58+
}
59+
layerDigest, err := cmd.Flags().GetString("layer-digest")
60+
if err != nil {
61+
return options, err
62+
}
63+
author, err := cmd.Flags().GetString("author")
64+
if err != nil {
65+
return options, err
66+
}
67+
message, err := cmd.Flags().GetString("message")
68+
if err != nil {
69+
return options, err
70+
}
71+
72+
options = types.ImageSquashOptions{
73+
GOptions: globalOptions,
74+
75+
Author: author,
76+
Message: message,
77+
78+
SourceImageRef: args[0],
79+
TargetImageName: args[1],
80+
81+
SquashLayerCount: layerCount,
82+
SquashLayerDigest: layerDigest,
83+
}
84+
return options, nil
85+
}
86+
87+
func squashAction(cmd *cobra.Command, args []string) error {
88+
options, err := processSquashCommandFlags(cmd, args)
89+
if err != nil {
90+
return err
91+
}
92+
if !options.GOptions.Experimental {
93+
return fmt.Errorf("squash is an experimental feature, please enable experimental mode")
94+
}
95+
client, ctx, cancel, err := clientutil.NewClient(cmd.Context(), options.GOptions.Namespace, options.GOptions.Address)
96+
if err != nil {
97+
return err
98+
}
99+
defer cancel()
100+
101+
return image.Squash(ctx, client, options)
102+
}

‎cmd/nerdctl/main.go

+1
Original file line numberDiff line numberDiff line change
@@ -295,6 +295,7 @@ Config file ($NERDCTL_TOML): %s
295295
image.NewTagCommand(),
296296
image.NewRmiCommand(),
297297
image.NewHistoryCommand(),
298+
image.NewSquashCommand(),
298299
// #endregion
299300

300301
// #region System

‎pkg/api/types/image_types.go

+20
Original file line numberDiff line numberDiff line change
@@ -287,3 +287,23 @@ type SociOptions struct {
287287
// Minimum layer size to build zTOC for. Smaller layers won't have zTOC and not lazy pulled. Default is 10 MiB.
288288
MinLayerSize int64
289289
}
290+
291+
// ImageSquashOptions specifies options for `nerdctl image squash`.
292+
type ImageSquashOptions struct {
293+
// GOptions is the global options
294+
GOptions GlobalCommandOptions
295+
296+
// Author (e.g., "nerdctl contributor <nerdctl-dev@example.com>")
297+
Author string
298+
// Commit message
299+
Message string
300+
// SourceImageRef is the image to be squashed
301+
SourceImageRef string
302+
// TargetImageName is the name of the squashed image
303+
TargetImageName string
304+
305+
// SquashLayerCount is the number of layers to squash
306+
SquashLayerCount int
307+
// SquashLayerDigest is the digest of the layer to squash
308+
SquashLayerDigest string
309+
}

‎pkg/cmd/image/squash.go

+443
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,443 @@
1+
/*
2+
Copyright The containerd Authors.
3+
4+
Licensed under the Apache License, Version 2.0 (the "License");
5+
you may not use this file except in compliance with the License.
6+
You may obtain a copy of the License at
7+
8+
http://www.apache.org/licenses/LICENSE-2.0
9+
10+
Unless required by applicable law or agreed to in writing, software
11+
distributed under the License is distributed on an "AS IS" BASIS,
12+
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
See the License for the specific language governing permissions and
14+
limitations under the License.
15+
*/
16+
17+
package image
18+
19+
import (
20+
"bytes"
21+
"context"
22+
"crypto/rand"
23+
"encoding/base64"
24+
"encoding/json"
25+
"fmt"
26+
"runtime"
27+
"strings"
28+
"time"
29+
30+
"github.com/opencontainers/go-digest"
31+
"github.com/opencontainers/image-spec/identity"
32+
"github.com/opencontainers/image-spec/specs-go"
33+
ocispec "github.com/opencontainers/image-spec/specs-go/v1"
34+
35+
containerd "github.com/containerd/containerd/v2/client"
36+
"github.com/containerd/containerd/v2/core/content"
37+
"github.com/containerd/containerd/v2/core/images"
38+
"github.com/containerd/containerd/v2/core/leases"
39+
"github.com/containerd/containerd/v2/core/mount"
40+
"github.com/containerd/containerd/v2/core/snapshots"
41+
"github.com/containerd/containerd/v2/pkg/namespaces"
42+
"github.com/containerd/containerd/v2/pkg/rootfs"
43+
"github.com/containerd/errdefs"
44+
"github.com/containerd/log"
45+
46+
"github.com/containerd/nerdctl/v2/pkg/api/types"
47+
"github.com/containerd/nerdctl/v2/pkg/imgutil"
48+
)
49+
50+
const (
51+
emptyDigest = digest.Digest("")
52+
)
53+
54+
type squashImage struct {
55+
ClientImage containerd.Image
56+
Config ocispec.Image
57+
Image images.Image
58+
Manifest *ocispec.Manifest
59+
}
60+
61+
type squashRuntime struct {
62+
opt types.ImageSquashOptions
63+
64+
client *containerd.Client
65+
namespace string
66+
67+
differ containerd.DiffService
68+
imageStore images.Store
69+
contentStore content.Store
70+
snapshotter snapshots.Snapshotter
71+
}
72+
73+
func (sr *squashRuntime) initImage(ctx context.Context) (*squashImage, error) {
74+
containerImage, err := sr.imageStore.Get(ctx, sr.opt.SourceImageRef)
75+
if err != nil {
76+
return &squashImage{}, err
77+
}
78+
79+
clientImage := containerd.NewImage(sr.client, containerImage)
80+
manifest, _, err := imgutil.ReadManifest(ctx, clientImage)
81+
if err != nil {
82+
return &squashImage{}, err
83+
}
84+
config, _, err := imgutil.ReadImageConfig(ctx, clientImage)
85+
if err != nil {
86+
return &squashImage{}, err
87+
}
88+
resImage := &squashImage{
89+
ClientImage: clientImage,
90+
Config: config,
91+
Image: containerImage,
92+
Manifest: manifest,
93+
}
94+
return resImage, err
95+
}
96+
97+
func (sr *squashRuntime) generateSquashLayer(image *squashImage) ([]ocispec.Descriptor, error) {
98+
// get the layer descriptors by the layer digest
99+
if sr.opt.SquashLayerDigest != "" {
100+
find := false
101+
var res []ocispec.Descriptor
102+
for _, layer := range image.Manifest.Layers {
103+
if layer.Digest.String() == sr.opt.SquashLayerDigest {
104+
find = true
105+
}
106+
if find {
107+
res = append(res, layer)
108+
}
109+
}
110+
if !find {
111+
return nil, fmt.Errorf("layer digest %s not found in the image: %w", sr.opt.SquashLayerDigest, errdefs.ErrNotFound)
112+
}
113+
return res, nil
114+
}
115+
116+
// get the layer descriptors by the layer count
117+
if sr.opt.SquashLayerCount > 1 && sr.opt.SquashLayerCount <= len(image.Manifest.Layers) {
118+
return image.Manifest.Layers[len(image.Manifest.Layers)-sr.opt.SquashLayerCount:], nil
119+
}
120+
121+
return nil, fmt.Errorf("invalid squash option: %w", errdefs.ErrInvalidArgument)
122+
}
123+
124+
func (sr *squashRuntime) applyLayersToSnapshot(ctx context.Context, mount []mount.Mount, layers []ocispec.Descriptor) error {
125+
for _, layer := range layers {
126+
if _, err := sr.differ.Apply(ctx, layer, mount); err != nil {
127+
return err
128+
}
129+
}
130+
return nil
131+
}
132+
133+
// createDiff creates a diff from the snapshot
134+
func (sr *squashRuntime) createDiff(ctx context.Context, snapshotName string) (ocispec.Descriptor, digest.Digest, error) {
135+
newDesc, err := rootfs.CreateDiff(ctx, snapshotName, sr.snapshotter, sr.differ)
136+
if err != nil {
137+
return ocispec.Descriptor{}, "", err
138+
}
139+
info, err := sr.contentStore.Info(ctx, newDesc.Digest)
140+
if err != nil {
141+
return ocispec.Descriptor{}, "", err
142+
}
143+
diffIDStr, ok := info.Labels["containerd.io/uncompressed"]
144+
if !ok {
145+
return ocispec.Descriptor{}, "", fmt.Errorf("invalid differ response with no diffID")
146+
}
147+
diffID, err := digest.Parse(diffIDStr)
148+
if err != nil {
149+
return ocispec.Descriptor{}, "", err
150+
}
151+
return ocispec.Descriptor{
152+
MediaType: images.MediaTypeDockerSchema2LayerGzip,
153+
Digest: newDesc.Digest,
154+
Size: info.Size,
155+
}, diffID, nil
156+
}
157+
158+
func (sr *squashRuntime) generateBaseImageConfig(ctx context.Context, image *squashImage, remainingLayerCount int) (ocispec.Image, error) {
159+
// generate squash squashImage config
160+
orginalConfig, _, err := imgutil.ReadImageConfig(ctx, image.ClientImage) // aware of img.platform
161+
if err != nil {
162+
return ocispec.Image{}, err
163+
}
164+
165+
var history []ocispec.History
166+
var count int
167+
for _, h := range orginalConfig.History {
168+
// if empty layer, add to history, be careful with the last layer that is empty
169+
if h.EmptyLayer {
170+
history = append(history, h)
171+
continue
172+
}
173+
// if not empty layer, add to history, check if count+1 <= remainingLayerCount to see if we need to add more
174+
if count+1 <= remainingLayerCount {
175+
history = append(history, h)
176+
count++
177+
} else {
178+
break
179+
}
180+
}
181+
cTime := time.Now()
182+
return ocispec.Image{
183+
Created: &cTime,
184+
Author: orginalConfig.Author,
185+
Platform: orginalConfig.Platform,
186+
Config: orginalConfig.Config,
187+
RootFS: ocispec.RootFS{
188+
Type: orginalConfig.RootFS.Type,
189+
DiffIDs: orginalConfig.RootFS.DiffIDs[:remainingLayerCount],
190+
},
191+
History: history,
192+
}, nil
193+
}
194+
195+
// writeContentsForImage will commit oci image config and manifest into containerd's content store.
196+
func (sr *squashRuntime) writeContentsForImage(ctx context.Context, snName string, newConfig ocispec.Image,
197+
baseImageLayers []ocispec.Descriptor, diffLayerDesc ocispec.Descriptor) (ocispec.Descriptor, digest.Digest, error) {
198+
newConfigJSON, err := json.Marshal(newConfig)
199+
if err != nil {
200+
return ocispec.Descriptor{}, emptyDigest, err
201+
}
202+
203+
configDesc := ocispec.Descriptor{
204+
MediaType: images.MediaTypeDockerSchema2Config,
205+
Digest: digest.FromBytes(newConfigJSON),
206+
Size: int64(len(newConfigJSON)),
207+
}
208+
209+
layers := append(baseImageLayers, diffLayerDesc)
210+
211+
newMfst := struct {
212+
MediaType string `json:"mediaType,omitempty"`
213+
ocispec.Manifest
214+
}{
215+
MediaType: images.MediaTypeDockerSchema2Manifest,
216+
Manifest: ocispec.Manifest{
217+
Versioned: specs.Versioned{
218+
SchemaVersion: 2,
219+
},
220+
Config: configDesc,
221+
Layers: layers,
222+
},
223+
}
224+
225+
newMfstJSON, err := json.MarshalIndent(newMfst, "", " ")
226+
if err != nil {
227+
return ocispec.Descriptor{}, emptyDigest, err
228+
}
229+
230+
newMfstDesc := ocispec.Descriptor{
231+
MediaType: images.MediaTypeDockerSchema2Manifest,
232+
Digest: digest.FromBytes(newMfstJSON),
233+
Size: int64(len(newMfstJSON)),
234+
}
235+
236+
// new manifest should reference the layers and config content
237+
labels := map[string]string{
238+
"containerd.io/gc.ref.content.0": configDesc.Digest.String(),
239+
}
240+
for i, l := range layers {
241+
labels[fmt.Sprintf("containerd.io/gc.ref.content.%d", i+1)] = l.Digest.String()
242+
}
243+
244+
err = content.WriteBlob(ctx, sr.contentStore, newMfstDesc.Digest.String(), bytes.NewReader(newMfstJSON), newMfstDesc, content.WithLabels(labels))
245+
if err != nil {
246+
return ocispec.Descriptor{}, emptyDigest, err
247+
}
248+
249+
// config should reference to snapshotter
250+
labelOpt := content.WithLabels(map[string]string{
251+
fmt.Sprintf("containerd.io/gc.ref.snapshot.%s", snName): identity.ChainID(newConfig.RootFS.DiffIDs).String(),
252+
})
253+
err = content.WriteBlob(ctx, sr.contentStore, configDesc.Digest.String(), bytes.NewReader(newConfigJSON), configDesc, labelOpt)
254+
if err != nil {
255+
return ocispec.Descriptor{}, emptyDigest, err
256+
}
257+
return newMfstDesc, configDesc.Digest, nil
258+
}
259+
260+
func (sr *squashRuntime) createSquashImage(ctx context.Context, img images.Image) (images.Image, error) {
261+
newImg, err := sr.imageStore.Update(ctx, img)
262+
log.G(ctx).Infof("updated new squashImage %s", img.Name)
263+
if err != nil {
264+
// if err is `not found` in the message then create the squashImage, otherwise return the error
265+
if !errdefs.IsNotFound(err) {
266+
return newImg, fmt.Errorf("failed to update new squashImage %s: %w", img.Name, err)
267+
}
268+
if _, err := sr.imageStore.Create(ctx, img); err != nil {
269+
return newImg, fmt.Errorf("failed to create new squashImage %s: %w", img.Name, err)
270+
}
271+
log.G(ctx).Infof("created new squashImage %s", img.Name)
272+
}
273+
return newImg, nil
274+
}
275+
276+
// generateCommitImageConfig returns commit oci image config based on the container's image.
277+
func (sr *squashRuntime) generateCommitImageConfig(ctx context.Context, baseConfig ocispec.Image, diffID digest.Digest) (ocispec.Image, error) {
278+
createdTime := time.Now()
279+
arch := baseConfig.Architecture
280+
if arch == "" {
281+
arch = runtime.GOARCH
282+
log.G(ctx).Warnf("assuming arch=%q", arch)
283+
}
284+
os := baseConfig.OS
285+
if os == "" {
286+
os = runtime.GOOS
287+
log.G(ctx).Warnf("assuming os=%q", os)
288+
}
289+
author := strings.TrimSpace(sr.opt.Author)
290+
if author == "" {
291+
author = baseConfig.Author
292+
}
293+
comment := strings.TrimSpace(sr.opt.Message)
294+
295+
return ocispec.Image{
296+
Platform: ocispec.Platform{
297+
Architecture: arch,
298+
OS: os,
299+
},
300+
301+
Created: &createdTime,
302+
Author: author,
303+
Config: baseConfig.Config,
304+
RootFS: ocispec.RootFS{
305+
Type: "layers",
306+
DiffIDs: append(baseConfig.RootFS.DiffIDs, diffID),
307+
},
308+
History: append(baseConfig.History, ocispec.History{
309+
Created: &createdTime,
310+
CreatedBy: "",
311+
Author: author,
312+
Comment: comment,
313+
EmptyLayer: false,
314+
}),
315+
}, nil
316+
}
317+
318+
// Squash will squash the image with the given options.
319+
func Squash(ctx context.Context, client *containerd.Client, option types.ImageSquashOptions) error {
320+
sr := newSquashRuntime(client, option)
321+
ctx = namespaces.WithNamespace(ctx, sr.namespace)
322+
// init squashImage
323+
image, err := sr.initImage(ctx)
324+
if err != nil {
325+
return err
326+
}
327+
// generate squash layers
328+
sLayers, err := sr.generateSquashLayer(image)
329+
if err != nil {
330+
return err
331+
}
332+
remainingLayerCount := len(image.Manifest.Layers) - len(sLayers)
333+
// Don't gc me and clean the dirty data after 1 hour!
334+
ctx, done, err := sr.client.WithLease(ctx, leases.WithRandomID(), leases.WithExpiration(1*time.Hour))
335+
if err != nil {
336+
return fmt.Errorf("failed to create lease for squash: %w", err)
337+
}
338+
defer done(ctx)
339+
340+
// generate remaining base squashImage config
341+
baseImage, err := sr.generateBaseImageConfig(ctx, image, remainingLayerCount)
342+
if err != nil {
343+
return err
344+
}
345+
diffLayerDesc, diffID, _, err := sr.applyDiffLayer(ctx, baseImage, sr.snapshotter, sLayers)
346+
if err != nil {
347+
log.G(ctx).WithError(err).Error("failed to apply diff layer")
348+
return err
349+
}
350+
// generate commit image config
351+
imageConfig, err := sr.generateCommitImageConfig(ctx, baseImage, diffID)
352+
if err != nil {
353+
log.G(ctx).WithError(err).Error("failed to generate commit image config")
354+
return fmt.Errorf("failed to generate commit image config: %w", err)
355+
}
356+
commitManifestDesc, _, err := sr.writeContentsForImage(ctx, sr.opt.GOptions.Snapshotter, imageConfig, image.Manifest.Layers[:remainingLayerCount], diffLayerDesc)
357+
if err != nil {
358+
log.G(ctx).WithError(err).Error("failed to write contents for image")
359+
return err
360+
}
361+
nimg := images.Image{
362+
Name: sr.opt.TargetImageName,
363+
Target: commitManifestDesc,
364+
UpdatedAt: time.Now(),
365+
}
366+
_, err = sr.createSquashImage(ctx, nimg)
367+
if err != nil {
368+
log.G(ctx).WithError(err).Error("failed to create squash image")
369+
return err
370+
}
371+
cimg := containerd.NewImage(sr.client, nimg)
372+
if err := cimg.Unpack(ctx, sr.opt.GOptions.Snapshotter, containerd.WithSnapshotterPlatformCheck()); err != nil {
373+
log.G(ctx).WithError(err).Error("failed to unpack squash image")
374+
return err
375+
}
376+
return nil
377+
}
378+
379+
// applyDiffLayer will apply diff layer content created by createDiff into the snapshotter.
380+
func (sr *squashRuntime) applyDiffLayer(ctx context.Context, baseImg ocispec.Image, sn snapshots.Snapshotter, layers []ocispec.Descriptor) (
381+
diffLayerDesc ocispec.Descriptor, diffID digest.Digest, snapshotID string, retErr error) {
382+
var (
383+
key = uniquePart()
384+
parent = identity.ChainID(baseImg.RootFS.DiffIDs).String()
385+
)
386+
387+
m, err := sn.Prepare(ctx, key, parent)
388+
if err != nil {
389+
return diffLayerDesc, diffID, snapshotID, err
390+
}
391+
392+
defer func() {
393+
if retErr != nil {
394+
// NOTE: the snapshotter should be hold by lease. Even
395+
// if the cleanup fails, the containerd gc can delete it.
396+
if err := sn.Remove(ctx, key); err != nil {
397+
log.G(ctx).Warnf("failed to cleanup aborted apply %s: %s", key, err)
398+
}
399+
}
400+
}()
401+
402+
err = sr.applyLayersToSnapshot(ctx, m, layers)
403+
if err != nil {
404+
log.G(ctx).WithError(err).Errorf("failed to apply layers to snapshot %s", key)
405+
return diffLayerDesc, diffID, snapshotID, err
406+
}
407+
diffLayerDesc, diffID, err = sr.createDiff(ctx, key)
408+
if err != nil {
409+
return diffLayerDesc, diffID, snapshotID, fmt.Errorf("failed to export layer: %w", err)
410+
}
411+
412+
// commit snapshot
413+
snapshotID = identity.ChainID(append(baseImg.RootFS.DiffIDs, diffID)).String()
414+
415+
if err = sn.Commit(ctx, snapshotID, key); err != nil {
416+
if errdefs.IsAlreadyExists(err) {
417+
return diffLayerDesc, diffID, snapshotID, nil
418+
}
419+
return diffLayerDesc, diffID, snapshotID, err
420+
}
421+
return diffLayerDesc, diffID, snapshotID, nil
422+
}
423+
424+
func newSquashRuntime(client *containerd.Client, option types.ImageSquashOptions) *squashRuntime {
425+
return &squashRuntime{
426+
opt: option,
427+
client: client,
428+
namespace: option.GOptions.Namespace,
429+
differ: client.DiffService(),
430+
imageStore: client.ImageService(),
431+
contentStore: client.ContentStore(),
432+
snapshotter: client.SnapshotService(option.GOptions.Snapshotter),
433+
}
434+
}
435+
436+
// copied from github.com/containerd/containerd/rootfs/apply.go
437+
func uniquePart() string {
438+
t := time.Now()
439+
var b [3]byte
440+
// Ignore read failures, just decreases uniqueness
441+
rand.Read(b[:])
442+
return fmt.Sprintf("%d-%s", t.Nanosecond(), base64.URLEncoding.EncodeToString(b[:]))
443+
}

0 commit comments

Comments
 (0)
Please sign in to comment.