mirror of
https://github.com/openshift/source-to-image.git
synced 2026-02-05 12:44:54 +01:00
Changes: - Update go version to 1.25.3 - Update dependencies to mitigate CVEs - Fix tests to work with broken APIs after update - Remove/Replace deprecated methods - Update Git command to ignore pre-commit hooks - Update Go builder image to 1.25 in docker files and Openshift CI - Update tekton pipeline task bundles to have updated golang image Signed-off-by: Sayan Biswas <sayan-biswas@live.com>
1179 lines
40 KiB
Go
1179 lines
40 KiB
Go
package docker
|
|
|
|
import (
|
|
"archive/tar"
|
|
"bufio"
|
|
"bytes"
|
|
"encoding/base64"
|
|
"encoding/json"
|
|
"fmt"
|
|
"github.com/containerd/errdefs"
|
|
"github.com/docker/docker/api/types/build"
|
|
"github.com/docker/docker/api/types/common"
|
|
"io"
|
|
"math/rand"
|
|
"net/http"
|
|
"os"
|
|
"path"
|
|
"path/filepath"
|
|
"runtime"
|
|
"strings"
|
|
"syscall"
|
|
"time"
|
|
|
|
dockertypes "github.com/docker/docker/api/types"
|
|
dockercontainer "github.com/docker/docker/api/types/container"
|
|
dockerimage "github.com/docker/docker/api/types/image"
|
|
dockernetwork "github.com/docker/docker/api/types/network"
|
|
"github.com/docker/docker/api/types/registry"
|
|
dockerapi "github.com/docker/docker/client"
|
|
dockermessage "github.com/docker/docker/pkg/jsonmessage"
|
|
dockerstdcopy "github.com/docker/docker/pkg/stdcopy"
|
|
"github.com/docker/go-connections/tlsconfig"
|
|
v1 "github.com/opencontainers/image-spec/specs-go/v1"
|
|
"golang.org/x/net/context"
|
|
|
|
"github.com/openshift/source-to-image/pkg/api"
|
|
"github.com/openshift/source-to-image/pkg/api/constants"
|
|
s2ierr "github.com/openshift/source-to-image/pkg/errors"
|
|
s2itar "github.com/openshift/source-to-image/pkg/tar"
|
|
"github.com/openshift/source-to-image/pkg/util"
|
|
"github.com/openshift/source-to-image/pkg/util/fs"
|
|
"github.com/openshift/source-to-image/pkg/util/interrupt"
|
|
)
|
|
|
|
const (
|
|
// DefaultDestination is the destination where the artifacts will be placed
|
|
// if DestinationLabel was not specified.
|
|
DefaultDestination = "/tmp"
|
|
// DefaultTag is the image tag, being applied if none is specified.
|
|
DefaultTag = "latest"
|
|
|
|
// DefaultDockerTimeout specifies a timeout for Docker API calls. When this
|
|
// timeout is reached, certain Docker API calls might error out.
|
|
DefaultDockerTimeout = 2 * time.Minute
|
|
|
|
// DefaultShmSize is the default shared memory size to use (in bytes) if not specified.
|
|
DefaultShmSize = int64(1024 * 1024 * 64)
|
|
// DefaultPullRetryDelay is the default pull image retry interval
|
|
DefaultPullRetryDelay = 5 * time.Second
|
|
// DefaultPullRetryCount is the default pull image retry times
|
|
DefaultPullRetryCount = 6
|
|
)
|
|
|
|
var (
|
|
// RetriableErrors is a set of strings that indicate that an retriable error occurred.
|
|
RetriableErrors = []string{
|
|
"ping attempt failed with error",
|
|
"is already in progress",
|
|
"connection reset by peer",
|
|
"transport closed before response was received",
|
|
"connection refused",
|
|
}
|
|
)
|
|
|
|
// containerNamePrefix prefixes the name of containers launched by S2I. We
|
|
// cannot reuse the prefix "k8s" because we don't want the containers to be
|
|
// managed by a kubelet.
|
|
const containerNamePrefix = "s2i"
|
|
|
|
// containerName creates names for Docker containers launched by S2I. It is
|
|
// meant to resemble Kubernetes' pkg/kubelet/dockertools.BuildDockerName.
|
|
func containerName(image string) string {
|
|
//Initialize seed
|
|
rand.NewSource(time.Now().UnixNano())
|
|
uid := fmt.Sprintf("%08x", rand.Uint32())
|
|
// Replace invalid characters for container name with underscores.
|
|
image = strings.Map(func(r rune) rune {
|
|
if ('0' <= r && r <= '9') || ('A' <= r && r <= 'Z') || ('a' <= r && r <= 'z') {
|
|
return r
|
|
}
|
|
return '_'
|
|
}, image)
|
|
return fmt.Sprintf("%s_%s_%s", containerNamePrefix, image, uid)
|
|
}
|
|
|
|
// Docker is the interface between STI and the docker engine-api.
|
|
// It contains higher level operations called from the STI
|
|
// build or usage commands
|
|
type Docker interface {
|
|
IsImageInLocalRegistry(name string) (bool, error)
|
|
IsImageOnBuild(string) bool
|
|
GetOnBuild(string) ([]string, error)
|
|
RemoveContainer(id string) error
|
|
GetScriptsURL(name string) (string, error)
|
|
GetAssembleInputFiles(string) (string, error)
|
|
GetAssembleRuntimeUser(string) (string, error)
|
|
RunContainer(opts RunContainerOptions) error
|
|
GetImageID(name string) (string, error)
|
|
GetImageWorkdir(name string) (string, error)
|
|
CommitContainer(opts CommitContainerOptions) (string, error)
|
|
RemoveImage(name string) error
|
|
CheckImage(name string) (*api.Image, error)
|
|
PullImage(name string) (*api.Image, error)
|
|
CheckAndPullImage(name string) (*api.Image, error)
|
|
BuildImage(opts BuildImageOptions) error
|
|
GetImageUser(name string) (string, error)
|
|
GetImageEntrypoint(name string) ([]string, error)
|
|
GetLabels(name string) (map[string]string, error)
|
|
UploadToContainer(fs fs.FileSystem, srcPath, destPath, container string) error
|
|
UploadToContainerWithTarWriter(fs fs.FileSystem, srcPath, destPath, container string, makeTarWriter func(io.Writer) s2itar.Writer) error
|
|
DownloadFromContainer(containerPath string, w io.Writer, container string) error
|
|
Version() (dockertypes.Version, error)
|
|
CheckReachable() error
|
|
}
|
|
|
|
// Client contains all methods used when interacting directly with docker engine-api
|
|
type Client interface {
|
|
ContainerAttach(ctx context.Context, container string, options dockercontainer.AttachOptions) (dockertypes.HijackedResponse, error)
|
|
ContainerCommit(ctx context.Context, container string, options dockercontainer.CommitOptions) (common.IDResponse, error)
|
|
ContainerCreate(ctx context.Context, config *dockercontainer.Config, hostConfig *dockercontainer.HostConfig, networkingConfig *dockernetwork.NetworkingConfig, platform *v1.Platform, containerName string) (dockercontainer.CreateResponse, error)
|
|
ContainerInspect(ctx context.Context, container string) (dockercontainer.InspectResponse, error)
|
|
ContainerRemove(ctx context.Context, container string, options dockercontainer.RemoveOptions) error
|
|
ContainerStart(ctx context.Context, container string, options dockercontainer.StartOptions) error
|
|
ContainerKill(ctx context.Context, container, signal string) error
|
|
ContainerWait(ctx context.Context, container string, condition dockercontainer.WaitCondition) (<-chan dockercontainer.WaitResponse, <-chan error)
|
|
CopyToContainer(ctx context.Context, container, path string, content io.Reader, opts dockercontainer.CopyToContainerOptions) error
|
|
CopyFromContainer(ctx context.Context, container, srcPath string) (io.ReadCloser, dockercontainer.PathStat, error)
|
|
ImageBuild(ctx context.Context, buildContext io.Reader, options build.ImageBuildOptions) (build.ImageBuildResponse, error)
|
|
ImageInspectWithRaw(ctx context.Context, image string) (dockerimage.InspectResponse, []byte, error)
|
|
ImagePull(ctx context.Context, ref string, options dockerimage.PullOptions) (io.ReadCloser, error)
|
|
ImageRemove(ctx context.Context, image string, options dockerimage.RemoveOptions) ([]dockerimage.DeleteResponse, error)
|
|
ServerVersion(ctx context.Context) (dockertypes.Version, error)
|
|
}
|
|
|
|
type stiDocker struct {
|
|
client Client
|
|
pullAuth registry.AuthConfig
|
|
}
|
|
|
|
// InspectImage returns the image information and its raw representation.
|
|
func (d stiDocker) InspectImage(name string) (*dockerimage.InspectResponse, error) {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
resp, _, err := d.client.ImageInspectWithRaw(ctx, name)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
return &resp, nil
|
|
}
|
|
|
|
// PostExecutor is an interface which provides a PostExecute function
|
|
type PostExecutor interface {
|
|
PostExecute(containerID, destination string) error
|
|
}
|
|
|
|
// PullResult is the result returned by the PullImage function
|
|
type PullResult struct {
|
|
OnBuild bool
|
|
Image *api.Image
|
|
}
|
|
|
|
// RunContainerOptions are options passed in to the RunContainer method
|
|
type RunContainerOptions struct {
|
|
Image string
|
|
PullImage bool
|
|
PullAuth api.AuthConfig
|
|
ExternalScripts bool
|
|
ScriptsURL string
|
|
Destination string
|
|
Env []string
|
|
AddHost []string
|
|
// Entrypoint will be used to override the default entrypoint
|
|
// for the image if it has one. If the image has no entrypoint,
|
|
// this value is ignored.
|
|
Entrypoint []string
|
|
Stdin io.ReadCloser
|
|
Stdout io.WriteCloser
|
|
Stderr io.WriteCloser
|
|
OnStart func(containerID string) error
|
|
PostExec PostExecutor
|
|
TargetImage bool
|
|
NetworkMode string
|
|
User string
|
|
CGroupLimits *api.CGroupLimits
|
|
CapDrop []string
|
|
Binds []string
|
|
Command string
|
|
CommandOverrides func(originalCmd string) string
|
|
// CommandExplicit provides a full control on the CMD directive.
|
|
// It won't modified in any way and will be passed to the docker as-is.
|
|
// Use this option when you want to use arbitrary command as CMD directive.
|
|
// In this case you can't use Command because 1) it's just a string
|
|
// 2) it will be modified by prepending base dir and cleaned by the path.Join().
|
|
// You also can't use CommandOverrides because 1) it's a string
|
|
// 2) it only gets applied when Command equals to "assemble" or "usage" script
|
|
// AND script is inside of the tar archive.
|
|
CommandExplicit []string
|
|
// SecurityOpt is passed through as security options to the underlying container.
|
|
SecurityOpt []string
|
|
}
|
|
|
|
// asDockerConfig converts a RunContainerOptions into a Config understood by the
|
|
// docker client
|
|
func (rco RunContainerOptions) asDockerConfig() dockercontainer.Config {
|
|
return dockercontainer.Config{
|
|
Image: getImageName(rco.Image),
|
|
User: rco.User,
|
|
Env: rco.Env,
|
|
Entrypoint: rco.Entrypoint,
|
|
OpenStdin: rco.Stdin != nil,
|
|
StdinOnce: rco.Stdin != nil,
|
|
AttachStdout: rco.Stdout != nil,
|
|
}
|
|
}
|
|
|
|
// asDockerHostConfig converts a RunContainerOptions into a HostConfig
|
|
// understood by the docker client
|
|
func (rco RunContainerOptions) asDockerHostConfig() dockercontainer.HostConfig {
|
|
hostConfig := dockercontainer.HostConfig{
|
|
CapDrop: rco.CapDrop,
|
|
PublishAllPorts: rco.TargetImage,
|
|
NetworkMode: dockercontainer.NetworkMode(rco.NetworkMode),
|
|
Binds: rco.Binds,
|
|
ExtraHosts: rco.AddHost,
|
|
SecurityOpt: rco.SecurityOpt,
|
|
}
|
|
if rco.CGroupLimits != nil {
|
|
hostConfig.Resources.Memory = rco.CGroupLimits.MemoryLimitBytes
|
|
hostConfig.Resources.MemorySwap = rco.CGroupLimits.MemorySwap
|
|
hostConfig.Resources.CgroupParent = rco.CGroupLimits.Parent
|
|
}
|
|
return hostConfig
|
|
}
|
|
|
|
type configWrapper struct {
|
|
*dockercontainer.Config
|
|
Name string
|
|
HostConfig *dockercontainer.HostConfig
|
|
NetworkingConfig *dockernetwork.NetworkingConfig
|
|
}
|
|
|
|
// asDockerCreateContainerOptions converts a RunContainerOptions into a
|
|
// ContainerCreateConfig understood by the docker client
|
|
func (rco RunContainerOptions) asDockerCreateContainerOptions() configWrapper {
|
|
config := rco.asDockerConfig()
|
|
hostConfig := rco.asDockerHostConfig()
|
|
return configWrapper{
|
|
Name: containerName(rco.Image),
|
|
Config: &config,
|
|
HostConfig: &hostConfig,
|
|
}
|
|
}
|
|
|
|
// asDockerAttachToContainerOptions converts a RunContainerOptions into a
|
|
// ContainerAttachOptions understood by the docker client
|
|
func (rco RunContainerOptions) asDockerAttachToContainerOptions() dockercontainer.AttachOptions {
|
|
return dockercontainer.AttachOptions{
|
|
Stdin: rco.Stdin != nil,
|
|
Stdout: rco.Stdout != nil,
|
|
Stderr: rco.Stderr != nil,
|
|
Stream: rco.Stdout != nil,
|
|
}
|
|
}
|
|
|
|
// CommitContainerOptions are options passed in to the CommitContainer method
|
|
type CommitContainerOptions struct {
|
|
ContainerID string
|
|
Repository string
|
|
User string
|
|
Command []string
|
|
Env []string
|
|
Entrypoint []string
|
|
Labels map[string]string
|
|
}
|
|
|
|
// BuildImageOptions are options passed in to the BuildImage method
|
|
type BuildImageOptions struct {
|
|
Name string
|
|
Stdin io.Reader
|
|
Stdout io.WriteCloser
|
|
CGroupLimits *api.CGroupLimits
|
|
}
|
|
|
|
// NewEngineAPIClient creates a new Docker engine API client
|
|
func NewEngineAPIClient(config *api.DockerConfig) (*dockerapi.Client, error) {
|
|
var httpClient *http.Client
|
|
|
|
if config.UseTLS || config.TLSVerify {
|
|
tlscOptions := tlsconfig.Options{
|
|
InsecureSkipVerify: !config.TLSVerify,
|
|
}
|
|
|
|
if _, err := os.Stat(config.CAFile); !os.IsNotExist(err) {
|
|
tlscOptions.CAFile = config.CAFile
|
|
}
|
|
if _, err := os.Stat(config.CertFile); !os.IsNotExist(err) {
|
|
tlscOptions.CertFile = config.CertFile
|
|
}
|
|
if _, err := os.Stat(config.KeyFile); !os.IsNotExist(err) {
|
|
tlscOptions.KeyFile = config.KeyFile
|
|
}
|
|
|
|
tlsc, err := tlsconfig.Client(tlscOptions)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
httpClient = &http.Client{
|
|
Transport: &http.Transport{
|
|
TLSClientConfig: tlsc,
|
|
},
|
|
}
|
|
}
|
|
// Create a new docker client with the provided host endpoint and HTTP Client.
|
|
// By default, this client will negotiate the Docker API version to use with the backend engine on the first request.
|
|
// The API version to use can be fixed by setting the DOCKER_API_VERSION environment variable.
|
|
// See https://pkg.go.dev/github.com/docker/docker/client#WithAPIVersionNegotiation and
|
|
// https://pkg.go.dev/github.com/docker/docker/client#WithVersionFromEnv for more information
|
|
return dockerapi.NewClientWithOpts(
|
|
dockerapi.WithHost(config.Endpoint),
|
|
dockerapi.WithHTTPClient(httpClient),
|
|
dockerapi.WithAPIVersionNegotiation(),
|
|
dockerapi.WithVersionFromEnv(),
|
|
)
|
|
}
|
|
|
|
// New creates a new implementation of the STI Docker interface
|
|
func New(client Client, auth api.AuthConfig) Docker {
|
|
return &stiDocker{
|
|
client: client,
|
|
pullAuth: registry.AuthConfig{
|
|
Username: auth.Username,
|
|
Password: auth.Password,
|
|
Email: auth.Email,
|
|
ServerAddress: auth.ServerAddress,
|
|
},
|
|
}
|
|
}
|
|
|
|
func getDefaultContext() (context.Context, context.CancelFunc) {
|
|
// the intention is: all docker API calls with the exception of known long-
|
|
// running calls (ContainerWait, ImagePull, ImageBuild, ImageCommit) must complete within a
|
|
// certain timeout otherwise we bail.
|
|
return context.WithTimeout(context.Background(), DefaultDockerTimeout)
|
|
}
|
|
|
|
// GetImageWorkdir returns the WORKDIR property for the given image name.
|
|
// When the WORKDIR is not set or empty, return "/" instead.
|
|
func (d *stiDocker) GetImageWorkdir(name string) (string, error) {
|
|
resp, err := d.InspectImage(name)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
workdir := resp.Config.WorkingDir
|
|
if len(workdir) == 0 {
|
|
// This is a default destination used by UploadToContainer when the WORKDIR
|
|
// is not set or it is empty. To show user where the injections will end up,
|
|
// we set this to "/".
|
|
workdir = "/"
|
|
}
|
|
return workdir, nil
|
|
}
|
|
|
|
// GetImageEntrypoint returns the ENTRYPOINT property for the given image name.
|
|
func (d *stiDocker) GetImageEntrypoint(name string) ([]string, error) {
|
|
image, err := d.InspectImage(name)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
return image.Config.Entrypoint, nil
|
|
}
|
|
|
|
// UploadToContainer uploads artifacts to the container.
|
|
func (d *stiDocker) UploadToContainer(fs fs.FileSystem, src, dest, container string) error {
|
|
makeWorldWritable := func(writer io.Writer) s2itar.Writer {
|
|
return s2itar.ChmodAdapter{Writer: tar.NewWriter(writer), NewFileMode: 0666, NewExecFileMode: 0666, NewDirMode: 0777}
|
|
}
|
|
|
|
return d.UploadToContainerWithTarWriter(fs, src, dest, container, makeWorldWritable)
|
|
}
|
|
|
|
// UploadToContainerWithTarWriter uploads artifacts to the container.
|
|
// If the source is a directory, then all files and sub-folders are copied into
|
|
// the destination (which has to be directory as well).
|
|
// If the source is a single file, then the file copied into destination (which
|
|
// has to be full path to a file inside the container).
|
|
func (d *stiDocker) UploadToContainerWithTarWriter(fs fs.FileSystem, src, dest, container string, makeTarWriter func(io.Writer) s2itar.Writer) error {
|
|
destPath := filepath.Dir(dest)
|
|
r, w := io.Pipe()
|
|
go func() {
|
|
tarWriter := makeTarWriter(w)
|
|
tarWriter = s2itar.RenameAdapter{Writer: tarWriter, Old: filepath.Base(src), New: filepath.Base(dest)}
|
|
|
|
err := s2itar.New(fs).CreateTarStreamToTarWriter(src, true, tarWriter, nil)
|
|
if err == nil {
|
|
err = tarWriter.Close()
|
|
}
|
|
|
|
w.CloseWithError(err)
|
|
}()
|
|
log.V(3).Infof("Uploading %q to %q ...", src, destPath)
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
err := d.client.CopyToContainer(ctx, container, destPath, r, dockercontainer.CopyToContainerOptions{})
|
|
if err != nil {
|
|
log.V(0).Infof("error: Uploading to container failed: %v", err)
|
|
}
|
|
return err
|
|
}
|
|
|
|
// DownloadFromContainer downloads file (or directory) from the container.
|
|
func (d *stiDocker) DownloadFromContainer(containerPath string, w io.Writer, container string) error {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
readCloser, _, err := d.client.CopyFromContainer(ctx, container, containerPath)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer readCloser.Close()
|
|
_, err = io.Copy(w, readCloser)
|
|
return err
|
|
}
|
|
|
|
// IsImageInLocalRegistry determines whether the supplied image is in the local registry.
|
|
func (d *stiDocker) IsImageInLocalRegistry(name string) (bool, error) {
|
|
name = getImageName(name)
|
|
resp, err := d.InspectImage(name)
|
|
if resp != nil {
|
|
return true, nil
|
|
}
|
|
if err != nil && !errdefs.IsNotFound(err) {
|
|
return false, s2ierr.NewInspectImageError(name, err)
|
|
}
|
|
return false, nil
|
|
}
|
|
|
|
// GetImageUser finds and retrieves the user associated with
|
|
// an image if one has been specified
|
|
func (d *stiDocker) GetImageUser(name string) (string, error) {
|
|
name = getImageName(name)
|
|
resp, err := d.InspectImage(name)
|
|
if err != nil {
|
|
log.V(4).Infof("error inspecting image %s: %v", name, err)
|
|
return "", s2ierr.NewInspectImageError(name, err)
|
|
}
|
|
user := resp.Config.User
|
|
return user, nil
|
|
}
|
|
|
|
// Version returns information of the docker client and server host
|
|
func (d *stiDocker) Version() (dockertypes.Version, error) {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
return d.client.ServerVersion(ctx)
|
|
}
|
|
|
|
// IsImageOnBuild provides information about whether the Docker image has
|
|
// OnBuild instruction recorded in the Image Config.
|
|
func (d *stiDocker) IsImageOnBuild(name string) bool {
|
|
onbuild, err := d.GetOnBuild(name)
|
|
return err == nil && len(onbuild) > 0
|
|
}
|
|
|
|
// GetOnBuild returns the set of ONBUILD Dockerfile commands to execute
|
|
// for the given image
|
|
func (d *stiDocker) GetOnBuild(name string) ([]string, error) {
|
|
name = getImageName(name)
|
|
resp, err := d.InspectImage(name)
|
|
if err != nil {
|
|
log.V(4).Infof("error inspecting image %s: %v", name, err)
|
|
return nil, s2ierr.NewInspectImageError(name, err)
|
|
}
|
|
return resp.Config.OnBuild, nil
|
|
}
|
|
|
|
// CheckAndPullImage pulls an image into the local registry if not present
|
|
// and returns the image metadata
|
|
func (d *stiDocker) CheckAndPullImage(name string) (*api.Image, error) {
|
|
name = getImageName(name)
|
|
displayName := name
|
|
|
|
if !log.Is(3) {
|
|
// For less verbose log levels (less than 3), shorten long iamge names like:
|
|
// "centos/php-56-centos7@sha256:51c3e2b08bd9fadefccd6ec42288680d6d7f861bdbfbd2d8d24960621e4e27f5"
|
|
// to include just enough characters to differentiate the build from others in the docker repository:
|
|
// "centos/php-56-centos7@sha256:51c3e2b08bd..."
|
|
// 18 characters is somewhat arbitrary, but should be enough to avoid a name collision.
|
|
split := strings.Split(name, "@")
|
|
if len(split) > 1 && len(split[1]) > 18 {
|
|
displayName = split[0] + "@" + split[1][:18] + "..."
|
|
}
|
|
}
|
|
|
|
image, err := d.CheckImage(name)
|
|
if err != nil && !strings.Contains(err.(s2ierr.Error).Details.Error(), "No such image") {
|
|
return nil, err
|
|
}
|
|
if image == nil {
|
|
log.V(1).Infof("Image %q not available locally, pulling ...", displayName)
|
|
return d.PullImage(name)
|
|
}
|
|
|
|
log.V(3).Infof("Using locally available image %q", displayName)
|
|
return image, nil
|
|
}
|
|
|
|
// CheckImage checks image from the local registry.
|
|
func (d *stiDocker) CheckImage(name string) (*api.Image, error) {
|
|
name = getImageName(name)
|
|
inspect, err := d.InspectImage(name)
|
|
if err != nil {
|
|
log.V(4).Infof("error inspecting image %s: %v", name, err)
|
|
return nil, s2ierr.NewInspectImageError(name, err)
|
|
}
|
|
if inspect != nil {
|
|
image := &api.Image{}
|
|
updateImageWithInspect(image, inspect)
|
|
return image, nil
|
|
}
|
|
|
|
return nil, nil
|
|
}
|
|
|
|
func base64EncodeAuth(auth registry.AuthConfig) (string, error) {
|
|
var buf bytes.Buffer
|
|
if err := json.NewEncoder(&buf).Encode(auth); err != nil {
|
|
return "", err
|
|
}
|
|
return base64.URLEncoding.EncodeToString(buf.Bytes()), nil
|
|
}
|
|
|
|
// PullImage pulls an image into the local registry
|
|
func (d *stiDocker) PullImage(name string) (*api.Image, error) {
|
|
name = getImageName(name)
|
|
|
|
// RegistryAuth is the base64 encoded credentials for the registry
|
|
base64Auth, err := base64EncodeAuth(d.pullAuth)
|
|
if err != nil {
|
|
return nil, s2ierr.NewPullImageError(name, err)
|
|
}
|
|
var retriableError = false
|
|
|
|
for retries := 0; retries <= DefaultPullRetryCount; retries++ {
|
|
err = util.TimeoutAfter(DefaultDockerTimeout, fmt.Sprintf("pulling image %q", name), func(timer *time.Timer) error {
|
|
resp, pullErr := d.client.ImagePull(context.Background(), name, dockerimage.PullOptions{RegistryAuth: base64Auth})
|
|
if pullErr != nil {
|
|
return pullErr
|
|
}
|
|
defer resp.Close()
|
|
|
|
decoder := json.NewDecoder(resp)
|
|
for {
|
|
if !timer.Stop() {
|
|
return &util.TimeoutError{}
|
|
}
|
|
timer.Reset(DefaultDockerTimeout)
|
|
|
|
var msg dockermessage.JSONMessage
|
|
pullErr = decoder.Decode(&msg)
|
|
if pullErr == io.EOF {
|
|
return nil
|
|
}
|
|
if pullErr != nil {
|
|
return pullErr
|
|
}
|
|
|
|
if msg.Error != nil {
|
|
return msg.Error
|
|
}
|
|
if msg.Progress != nil {
|
|
log.V(4).Infof("pulling image %s: %s", name, msg.Progress.String())
|
|
}
|
|
}
|
|
})
|
|
if err == nil {
|
|
break
|
|
}
|
|
log.V(0).Infof("pulling image error : %v", err)
|
|
errMsg := fmt.Sprintf("%s", err)
|
|
for _, errorString := range RetriableErrors {
|
|
if strings.Contains(errMsg, errorString) {
|
|
retriableError = true
|
|
break
|
|
}
|
|
}
|
|
|
|
if !retriableError {
|
|
return nil, s2ierr.NewPullImageError(name, err)
|
|
}
|
|
|
|
log.V(0).Infof("retrying in %s ...", DefaultPullRetryDelay)
|
|
time.Sleep(DefaultPullRetryDelay)
|
|
}
|
|
|
|
inspectResp, err := d.InspectImage(name)
|
|
if err != nil {
|
|
return nil, s2ierr.NewPullImageError(name, err)
|
|
}
|
|
if inspectResp != nil {
|
|
image := &api.Image{}
|
|
updateImageWithInspect(image, inspectResp)
|
|
return image, nil
|
|
}
|
|
return nil, nil
|
|
}
|
|
|
|
func updateImageWithInspect(image *api.Image, inspect *dockerimage.InspectResponse) {
|
|
image.ID = inspect.ID
|
|
if inspect.Config != nil {
|
|
image.Config = &api.ContainerConfig{
|
|
Labels: inspect.Config.Labels,
|
|
Env: inspect.Config.Env,
|
|
}
|
|
}
|
|
if inspect.ContainerConfig != nil {
|
|
image.ContainerConfig = &api.ContainerConfig{
|
|
Labels: inspect.ContainerConfig.Labels,
|
|
Env: inspect.ContainerConfig.Env,
|
|
}
|
|
}
|
|
}
|
|
|
|
// RemoveContainer removes a container and its associated volumes.
|
|
func (d *stiDocker) RemoveContainer(id string) error {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
opts := dockercontainer.RemoveOptions{
|
|
RemoveVolumes: true,
|
|
}
|
|
return d.client.ContainerRemove(ctx, id, opts)
|
|
}
|
|
|
|
// KillContainer kills a container.
|
|
func (d *stiDocker) KillContainer(id string) error {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
return d.client.ContainerKill(ctx, id, "SIGKILL")
|
|
}
|
|
|
|
// GetLabels retrieves the labels of the given image.
|
|
func (d *stiDocker) GetLabels(name string) (map[string]string, error) {
|
|
name = getImageName(name)
|
|
resp, err := d.InspectImage(name)
|
|
if err != nil {
|
|
log.V(4).Infof("error inspecting image %s: %v", name, err)
|
|
return nil, s2ierr.NewInspectImageError(name, err)
|
|
}
|
|
return resp.Config.Labels, nil
|
|
}
|
|
|
|
// getImageName checks the image name and adds DefaultTag if none is specified
|
|
func getImageName(name string) string {
|
|
_, tag, id := parseRepositoryTag(name)
|
|
if len(tag) == 0 && len(id) == 0 {
|
|
//_, tag, _ := parseRepositoryTag(name)
|
|
//if len(tag) == 0 {
|
|
return strings.Join([]string{name, DefaultTag}, ":")
|
|
}
|
|
|
|
return name
|
|
}
|
|
|
|
// getLabel gets label's value from the image metadata
|
|
func getLabel(image *api.Image, name string) string {
|
|
if value, ok := image.Config.Labels[name]; ok {
|
|
return value
|
|
}
|
|
return ""
|
|
}
|
|
|
|
// getVariable gets environment variable's value from the image metadata
|
|
func getVariable(image *api.Image, name string) string {
|
|
envName := name + "="
|
|
for _, v := range image.Config.Env {
|
|
if strings.HasPrefix(v, envName) {
|
|
return strings.TrimSpace(v[len(envName):])
|
|
}
|
|
}
|
|
|
|
return ""
|
|
}
|
|
|
|
// GetScriptsURL finds a scripts-url label on the given image.
|
|
func (d *stiDocker) GetScriptsURL(image string) (string, error) {
|
|
imageMetadata, err := d.CheckAndPullImage(image)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
|
|
return getScriptsURL(imageMetadata), nil
|
|
}
|
|
|
|
// GetAssembleInputFiles finds a io.openshift.s2i.assemble-input-files label on the given image.
|
|
func (d *stiDocker) GetAssembleInputFiles(image string) (string, error) {
|
|
imageMetadata, err := d.CheckAndPullImage(image)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
|
|
label := getLabel(imageMetadata, constants.AssembleInputFilesLabel)
|
|
if len(label) == 0 {
|
|
log.V(0).Infof("warning: Image %q does not contain a value for the %s label", image, constants.AssembleInputFilesLabel)
|
|
} else {
|
|
log.V(3).Infof("Image %q contains %s set to %q", image, constants.AssembleInputFilesLabel, label)
|
|
}
|
|
return label, nil
|
|
}
|
|
|
|
// GetAssembleRuntimeUser finds a io.openshift.s2i.assemble-runtime-user label on the given image.
|
|
func (d *stiDocker) GetAssembleRuntimeUser(image string) (string, error) {
|
|
imageMetadata, err := d.CheckAndPullImage(image)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
return getLabel(imageMetadata, constants.AssembleRuntimeUserLabel), nil
|
|
}
|
|
|
|
// getScriptsURL finds a scripts url label in the image metadata
|
|
func getScriptsURL(image *api.Image) string {
|
|
if image == nil {
|
|
return ""
|
|
}
|
|
scriptsURL := getLabel(image, constants.ScriptsURLLabel)
|
|
|
|
// For backward compatibility, support the old label schema
|
|
if len(scriptsURL) == 0 {
|
|
scriptsURL = getLabel(image, constants.DeprecatedScriptsURLLabel)
|
|
if len(scriptsURL) > 0 {
|
|
log.V(0).Infof("warning: Image %s uses deprecated label '%s', please migrate it to %s instead!",
|
|
image.ID, constants.DeprecatedScriptsURLLabel, constants.ScriptsURLLabel)
|
|
}
|
|
}
|
|
if len(scriptsURL) == 0 {
|
|
scriptsURL = getVariable(image, constants.ScriptsURLEnvironment)
|
|
if len(scriptsURL) != 0 {
|
|
log.V(0).Infof("warning: Image %s uses deprecated environment variable %s, please migrate it to %s label instead!",
|
|
image.ID, constants.ScriptsURLEnvironment, constants.ScriptsURLLabel)
|
|
}
|
|
}
|
|
if len(scriptsURL) == 0 {
|
|
log.V(0).Infof("warning: Image %s does not contain a value for the %s label", image.ID, constants.ScriptsURLLabel)
|
|
} else {
|
|
log.V(2).Infof("Image %s contains %s set to %q", image.ID, constants.ScriptsURLLabel, scriptsURL)
|
|
}
|
|
|
|
return scriptsURL
|
|
}
|
|
|
|
// getDestination finds a destination label in the image metadata
|
|
func getDestination(image *api.Image) string {
|
|
if val := getLabel(image, constants.DestinationLabel); len(val) != 0 {
|
|
return val
|
|
}
|
|
// For backward compatibility, support the old label schema
|
|
if val := getLabel(image, constants.DeprecatedDestinationLabel); len(val) != 0 {
|
|
log.V(0).Infof("warning: Image %s uses deprecated label '%s', please migrate it to %s instead!",
|
|
image.ID, constants.DeprecatedDestinationLabel, constants.DestinationLabel)
|
|
return val
|
|
}
|
|
if val := getVariable(image, constants.LocationEnvironment); len(val) != 0 {
|
|
log.V(0).Infof("warning: Image %s uses deprecated environment variable %s, please migrate it to %s label instead!",
|
|
image.ID, constants.LocationEnvironment, constants.DestinationLabel)
|
|
return val
|
|
}
|
|
|
|
// default directory if none is specified
|
|
return DefaultDestination
|
|
}
|
|
|
|
func constructCommand(opts RunContainerOptions, imageMetadata *api.Image, tarDestination string) []string {
|
|
// base directory for all S2I commands
|
|
commandBaseDir := determineCommandBaseDir(opts, imageMetadata, tarDestination)
|
|
|
|
// NOTE: We use path.Join instead of filepath.Join to avoid converting the
|
|
// path to UNC (Windows) format as we always run this inside container.
|
|
binaryToRun := path.Join(commandBaseDir, opts.Command)
|
|
|
|
// when calling assemble script with Stdin parameter set (the tar file)
|
|
// we need to first untar the whole archive and only then call the assemble script
|
|
if opts.Stdin != nil && (opts.Command == constants.Assemble || opts.Command == constants.Usage) {
|
|
untarAndRun := fmt.Sprintf("tar -C %s -xf - && %s", tarDestination, binaryToRun)
|
|
|
|
resultedCommand := untarAndRun
|
|
if opts.CommandOverrides != nil {
|
|
resultedCommand = opts.CommandOverrides(untarAndRun)
|
|
}
|
|
return []string{"/bin/sh", "-c", resultedCommand}
|
|
}
|
|
|
|
return []string{binaryToRun}
|
|
}
|
|
|
|
func determineTarDestinationDir(opts RunContainerOptions, imageMetadata *api.Image) string {
|
|
if len(opts.Destination) != 0 {
|
|
return opts.Destination
|
|
}
|
|
return getDestination(imageMetadata)
|
|
}
|
|
|
|
func determineCommandBaseDir(opts RunContainerOptions, imageMetadata *api.Image, tarDestination string) string {
|
|
if opts.ExternalScripts {
|
|
// for external scripts we must always append 'scripts' because this is
|
|
// the default subdirectory inside tar for them
|
|
// NOTE: We use path.Join instead of filepath.Join to avoid converting the
|
|
// path to UNC (Windows) format as we always run this inside container.
|
|
log.V(2).Infof("Both scripts and untarred source will be placed in '%s'", tarDestination)
|
|
return path.Join(tarDestination, "scripts")
|
|
}
|
|
|
|
// for internal scripts we can have separate path for scripts and untar operation destination
|
|
scriptsURL := opts.ScriptsURL
|
|
if len(scriptsURL) == 0 {
|
|
scriptsURL = getScriptsURL(imageMetadata)
|
|
}
|
|
|
|
commandBaseDir := strings.TrimPrefix(scriptsURL, "image://")
|
|
log.V(2).Infof("Base directory for S2I scripts is '%s'. Untarring destination is '%s'.",
|
|
commandBaseDir, tarDestination)
|
|
|
|
return commandBaseDir
|
|
}
|
|
|
|
// dumpContainerInfo dumps information about a running container (port/IP/etc).
|
|
func dumpContainerInfo(container dockercontainer.CreateResponse, d *stiDocker, image string) {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
|
|
containerJSON, err := d.client.ContainerInspect(ctx, container.ID)
|
|
if err != nil {
|
|
return
|
|
}
|
|
|
|
liveports := "\n\nPort Bindings: "
|
|
for port, bindings := range containerJSON.NetworkSettings.NetworkSettingsBase.Ports {
|
|
liveports = liveports + "\n Container Port: " + string(port)
|
|
liveports = liveports + "\n Public Host / Port Mappings:"
|
|
for _, binding := range bindings {
|
|
liveports = liveports + "\n IP: " + binding.HostIP + " Port: " + binding.HostPort
|
|
}
|
|
}
|
|
liveports = liveports + "\n"
|
|
log.V(0).Infof("\n\n\n\n\nThe image %s has been started in container %s as a result of the --run=true option. The container's stdout/stderr will be redirected to this command's log output to help you validate its behavior. You can also inspect the container with docker commands if you like. If the container is set up to stay running, you will have to Ctrl-C to exit this command, which should also stop the container %s. This particular invocation attempts to run with the port mappings %+v \n\n\n\n\n", image, container.ID, container.ID, liveports)
|
|
}
|
|
|
|
// redirectResponseToOutputStream handles incoming streamed data from a
|
|
// container on a "hijacked" connection. If tty is true, expect multiplexed
|
|
// streams. Rules: 1) if you ask for streamed data from a container, you have
|
|
// to read it, otherwise sooner or later the container will block writing it.
|
|
// 2) if you're receiving multiplexed data, you have to actively read both
|
|
// streams in parallel, otherwise in the case of non-interleaved data, you, and
|
|
// then the container, will block.
|
|
func (d *stiDocker) redirectResponseToOutputStream(tty bool, outputStream, errorStream io.Writer, resp io.Reader) error {
|
|
if outputStream == nil {
|
|
outputStream = io.Discard
|
|
}
|
|
if errorStream == nil {
|
|
errorStream = io.Discard
|
|
}
|
|
var err error
|
|
if tty {
|
|
_, err = io.Copy(outputStream, resp)
|
|
} else {
|
|
_, err = dockerstdcopy.StdCopy(outputStream, errorStream, resp)
|
|
}
|
|
return err
|
|
}
|
|
|
|
// holdHijackedConnection pumps data up to the container's stdin, and runs a
|
|
// goroutine to pump data down from the container's stdout and stderr. it holds
|
|
// open the HijackedResponse until all of this is done. Caller's responsibility
|
|
// to close resp, as well as outputStream and errorStream if appropriate.
|
|
func (d *stiDocker) holdHijackedConnection(tty bool, opts *RunContainerOptions, resp dockertypes.HijackedResponse) error {
|
|
receiveStdout := make(chan error, 1)
|
|
if opts.Stdout != nil || opts.Stderr != nil {
|
|
go func() {
|
|
err := d.redirectResponseToOutputStream(tty, opts.Stdout, opts.Stderr, resp.Reader)
|
|
if opts.Stdout != nil {
|
|
opts.Stdout.Close()
|
|
opts.Stdout = nil
|
|
}
|
|
if opts.Stderr != nil {
|
|
opts.Stderr.Close()
|
|
opts.Stderr = nil
|
|
}
|
|
receiveStdout <- err
|
|
}()
|
|
} else {
|
|
receiveStdout <- nil
|
|
}
|
|
|
|
if opts.Stdin != nil {
|
|
_, err := io.Copy(resp.Conn, opts.Stdin)
|
|
opts.Stdin.Close()
|
|
opts.Stdin = nil
|
|
if err != nil {
|
|
<-receiveStdout
|
|
return err
|
|
}
|
|
}
|
|
err := resp.CloseWrite()
|
|
if err != nil {
|
|
<-receiveStdout
|
|
return err
|
|
}
|
|
|
|
// Hang around until the streaming is over - either when the server closes
|
|
// the connection, or someone locally closes resp.
|
|
return <-receiveStdout
|
|
}
|
|
|
|
// RunContainer creates and starts a container using the image specified in opts
|
|
// with the ability to stream input and/or output. Any non-nil
|
|
// opts.Std{in,out,err} will be closed upon return.
|
|
func (d *stiDocker) RunContainer(opts RunContainerOptions) error {
|
|
// Guarantee that Std{in,out,err} are closed upon return, including under
|
|
// error circumstances. In normal circumstances, holdHijackedConnection
|
|
// should do this for us.
|
|
defer func() {
|
|
if opts.Stdin != nil {
|
|
opts.Stdin.Close()
|
|
}
|
|
if opts.Stdout != nil {
|
|
opts.Stdout.Close()
|
|
}
|
|
if opts.Stderr != nil {
|
|
opts.Stderr.Close()
|
|
}
|
|
}()
|
|
|
|
createOpts := opts.asDockerCreateContainerOptions()
|
|
|
|
// get info about the specified image
|
|
image := createOpts.Config.Image
|
|
inspect, err := d.InspectImage(image)
|
|
imageMetadata := &api.Image{}
|
|
if err == nil {
|
|
updateImageWithInspect(imageMetadata, inspect)
|
|
if opts.PullImage {
|
|
_, err = d.CheckAndPullImage(image)
|
|
}
|
|
}
|
|
if err != nil {
|
|
log.V(0).Infof("error: Unable to get image metadata for %s: %v", image, err)
|
|
return err
|
|
}
|
|
|
|
entrypoint, err := d.GetImageEntrypoint(image)
|
|
if err != nil {
|
|
return fmt.Errorf("could not get entrypoint of %q image: %v", image, err)
|
|
}
|
|
|
|
// If the image has an entrypoint already defined,
|
|
// it will be overridden either by DefaultEntrypoint,
|
|
// or by the value in opts.Entrypoint.
|
|
// If the image does not have an entrypoint, but
|
|
// opts.Entrypoint is supplied, opts.Entrypoint will
|
|
// be respected.
|
|
if len(entrypoint) != 0 && len(opts.Entrypoint) == 0 {
|
|
opts.Entrypoint = DefaultEntrypoint
|
|
}
|
|
|
|
// tarDestination will be passed as location to PostExecute function
|
|
// and will be used as the prefix for the CMD (scripts/run)
|
|
var tarDestination string
|
|
|
|
var cmd []string
|
|
if !opts.TargetImage {
|
|
if len(opts.CommandExplicit) != 0 {
|
|
cmd = opts.CommandExplicit
|
|
} else {
|
|
tarDestination = determineTarDestinationDir(opts, imageMetadata)
|
|
cmd = constructCommand(opts, imageMetadata, tarDestination)
|
|
}
|
|
log.V(5).Infof("Setting %q command for container ...", strings.Join(cmd, " "))
|
|
}
|
|
createOpts.Config.Cmd = cmd
|
|
|
|
if createOpts.HostConfig != nil && createOpts.HostConfig.ShmSize <= 0 {
|
|
createOpts.HostConfig.ShmSize = DefaultShmSize
|
|
}
|
|
|
|
// Create a new container.
|
|
log.V(2).Infof("Creating container with options {Name:%q Config:%+v HostConfig:%+v} ...", createOpts.Name, *util.SafeForLoggingContainerConfig(createOpts.Config), createOpts.HostConfig)
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
container, err := d.client.ContainerCreate(ctx, createOpts.Config, createOpts.HostConfig, createOpts.NetworkingConfig, nil, createOpts.Name)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
// Container was created, so we defer its removal, and also remove it if we get a SIGINT/SIGTERM/SIGQUIT/SIGHUP.
|
|
removeContainer := func() {
|
|
log.V(4).Infof("Removing container %q ...", container.ID)
|
|
|
|
killErr := d.KillContainer(container.ID)
|
|
|
|
if removeErr := d.RemoveContainer(container.ID); removeErr != nil {
|
|
if killErr != nil {
|
|
log.V(0).Infof("warning: Failed to kill container %q: %v", container.ID, killErr)
|
|
}
|
|
log.V(0).Infof("warning: Failed to remove container %q: %v", container.ID, removeErr)
|
|
} else {
|
|
log.V(4).Infof("Removed container %q", container.ID)
|
|
}
|
|
}
|
|
dumpStack := func(signal os.Signal) {
|
|
if signal == syscall.SIGQUIT {
|
|
buf := make([]byte, 1<<16)
|
|
runtime.Stack(buf, true)
|
|
f, err := os.Create("/var/log/s2i_docker_stack_trace.log")
|
|
if err != nil {
|
|
return
|
|
}
|
|
defer f.Close()
|
|
w := bufio.NewWriter(f)
|
|
w.Write(buf)
|
|
w.Flush()
|
|
}
|
|
os.Exit(2)
|
|
}
|
|
return interrupt.New(dumpStack, removeContainer).Run(func() error {
|
|
log.V(2).Infof("Attaching to container %q ...", container.ID)
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
resp, err := d.client.ContainerAttach(ctx, container.ID, opts.asDockerAttachToContainerOptions())
|
|
if err != nil {
|
|
log.V(0).Infof("error: Unable to attach to container %q: %v", container.ID, err)
|
|
return err
|
|
}
|
|
defer resp.Close()
|
|
|
|
// Start the container
|
|
log.V(2).Infof("Starting container %q ...", container.ID)
|
|
ctx, cancel = getDefaultContext()
|
|
defer cancel()
|
|
err = d.client.ContainerStart(ctx, container.ID, dockercontainer.StartOptions{})
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
// Run OnStart hook if defined. OnStart might block, so we run it in a
|
|
// new goroutine, and wait for it to be done later on.
|
|
onStartDone := make(chan error, 1)
|
|
if opts.OnStart != nil {
|
|
go func() {
|
|
onStartDone <- opts.OnStart(container.ID)
|
|
}()
|
|
}
|
|
|
|
if opts.TargetImage {
|
|
// When TargetImage is true, we're dealing with an invocation of `s2i build ... --run`
|
|
// so this will, e.g., run a web server and block until the user interrupts it (or
|
|
// the container exits normally). dump port/etc information for the user.
|
|
dumpContainerInfo(container, d, image)
|
|
}
|
|
|
|
err = d.holdHijackedConnection(false, &opts, resp)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
// Return an error if the exit code of the container is
|
|
// non-zero.
|
|
log.V(4).Infof("Waiting for container %q to stop ...", container.ID)
|
|
waitC, errC := d.client.ContainerWait(context.Background(), container.ID, dockercontainer.WaitConditionNotRunning)
|
|
select {
|
|
case result := <-waitC:
|
|
if result.StatusCode != 0 {
|
|
var output string
|
|
jsonOutput, _ := d.client.ContainerInspect(ctx, container.ID)
|
|
if err == nil && jsonOutput.ContainerJSONBase != nil && jsonOutput.ContainerJSONBase.State != nil {
|
|
state := jsonOutput.ContainerJSONBase.State
|
|
output = fmt.Sprintf("Status: %s, Error: %s, OOMKilled: %v, Dead: %v", state.Status, state.Error, state.OOMKilled, state.Dead)
|
|
}
|
|
return s2ierr.NewContainerError(container.ID, int(result.StatusCode), output)
|
|
}
|
|
case err := <-errC:
|
|
return fmt.Errorf("waiting for container %q to stop: %v", container.ID, err)
|
|
}
|
|
|
|
// OnStart must be done before we move on.
|
|
if opts.OnStart != nil {
|
|
if err = <-onStartDone; err != nil {
|
|
return err
|
|
}
|
|
}
|
|
// Run PostExec hook if defined.
|
|
if opts.PostExec != nil {
|
|
log.V(2).Infof("Invoking PostExecute function")
|
|
if err = opts.PostExec.PostExecute(container.ID, tarDestination); err != nil {
|
|
return err
|
|
}
|
|
}
|
|
return nil
|
|
})
|
|
}
|
|
|
|
// GetImageID retrieves the ID of the image identified by name
|
|
func (d *stiDocker) GetImageID(name string) (string, error) {
|
|
name = getImageName(name)
|
|
image, err := d.InspectImage(name)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
return image.ID, nil
|
|
}
|
|
|
|
// CommitContainer commits a container to an image with a specific tag.
|
|
// The new image ID is returned
|
|
func (d *stiDocker) CommitContainer(opts CommitContainerOptions) (string, error) {
|
|
dockerOpts := dockercontainer.CommitOptions{
|
|
Reference: opts.Repository,
|
|
}
|
|
if opts.Command != nil || opts.Entrypoint != nil {
|
|
config := dockercontainer.Config{
|
|
Cmd: opts.Command,
|
|
Entrypoint: opts.Entrypoint,
|
|
Env: opts.Env,
|
|
Labels: opts.Labels,
|
|
User: opts.User,
|
|
}
|
|
dockerOpts.Config = &config
|
|
log.V(2).Infof("Committing container with dockerOpts: %+v, config: %+v", dockerOpts, *util.SafeForLoggingContainerConfig(&config))
|
|
}
|
|
|
|
resp, err := d.client.ContainerCommit(context.Background(), opts.ContainerID, dockerOpts)
|
|
if err == nil {
|
|
return resp.ID, nil
|
|
}
|
|
return "", err
|
|
}
|
|
|
|
// RemoveImage removes the image with specified ID
|
|
func (d *stiDocker) RemoveImage(imageID string) error {
|
|
ctx, cancel := getDefaultContext()
|
|
defer cancel()
|
|
_, err := d.client.ImageRemove(ctx, imageID, dockerimage.RemoveOptions{})
|
|
return err
|
|
}
|
|
|
|
// BuildImage builds the image according to specified options
|
|
func (d *stiDocker) BuildImage(opts BuildImageOptions) error {
|
|
dockerOpts := build.ImageBuildOptions{
|
|
Tags: []string{opts.Name},
|
|
NoCache: true,
|
|
SuppressOutput: false,
|
|
Remove: true,
|
|
ForceRemove: true,
|
|
}
|
|
if opts.CGroupLimits != nil {
|
|
dockerOpts.Memory = opts.CGroupLimits.MemoryLimitBytes
|
|
dockerOpts.MemorySwap = opts.CGroupLimits.MemorySwap
|
|
dockerOpts.CgroupParent = opts.CGroupLimits.Parent
|
|
}
|
|
log.V(2).Infof("Building container using config: %+v", dockerOpts)
|
|
resp, err := d.client.ImageBuild(context.Background(), opts.Stdin, dockerOpts)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer resp.Body.Close()
|
|
// since can't pass in output stream to engine-api, need to copy contents of
|
|
// the output stream they create into our output stream
|
|
_, err = io.Copy(opts.Stdout, resp.Body)
|
|
if opts.Stdout != nil {
|
|
opts.Stdout.Close()
|
|
}
|
|
return err
|
|
}
|