blob: cad4689f964fef4e2b41a9f1c07c7bbd7b54808f [file] [log] [blame]
// Copyright 2021 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package provisioner
import (
"context"
"encoding/json"
"errors"
"fmt"
"io"
"io/ioutil"
"log"
"os"
"os/exec"
"path/filepath"
"strings"
"cloud.google.com/go/compute/metadata"
"cloud.google.com/go/storage"
"cos.googlesource.com/cos/tools.git/src/pkg/utils"
)
var (
errStateAlreadyExists = errors.New("state already exists")
)
type stateData struct {
Config Config
CurrentStep int
DiskResizeComplete bool
}
type state struct {
dir string
data stateData
}
func (s *state) dataPath() string {
return filepath.Join(s.dir, "state.json")
}
func (s *state) read() error {
data, err := ioutil.ReadFile(s.dataPath())
if err != nil {
return fmt.Errorf("error reading %q: %v", s.dataPath(), err)
}
if err := json.Unmarshal(data, &s.data); err != nil {
return fmt.Errorf("error parsing JSON file %q: %v", s.dataPath(), err)
}
return nil
}
func (s *state) write() error {
data, err := json.Marshal(&s.data)
if err != nil {
return fmt.Errorf("error marshalling JSON: %v", err)
}
// We want to explicitly sync the state file because scripts may reboot with
// sysrq-trigger.
f, err := os.OpenFile(s.dataPath(), os.O_WRONLY|os.O_CREATE|os.O_TRUNC, 0660)
if err != nil {
return fmt.Errorf("error opening %q: %v", s.dataPath(), err)
}
_, err = f.Write(data)
if syncErr := f.Sync(); syncErr != nil && err == nil {
err = syncErr
}
if closeErr := f.Close(); closeErr != nil && err == nil {
err = closeErr
}
if err != nil {
return fmt.Errorf("error writing %q: %v", s.dataPath(), err)
}
return nil
}
func downloadGCSObject(ctx context.Context, gcsClient *storage.Client, bucket, object, localPath string) error {
address := fmt.Sprintf("gs://%s/%s", bucket, object)
gcsObj, err := gcsClient.Bucket(bucket).Object(object).NewReader(ctx)
if err != nil {
return fmt.Errorf("error reading %q: %v", address, err)
}
defer utils.CheckClose(gcsObj, fmt.Sprintf("error closing GCS reader %q", address), &err)
localFile, err := os.Create(localPath)
if err != nil {
return err
}
defer utils.CheckClose(localFile, "", &err)
if _, err := io.Copy(localFile, gcsObj); err != nil {
return fmt.Errorf("error copying %q to %q: %v", address, localFile.Name(), err)
}
return nil
}
// Verify the integrity of downloaded build context before unpacking the
// contents in preload VM.
func checkIntegrity(mds *metadata.Client, downloadedFilePath string, gcsPath string) error {
downloadedFileHash, err := utils.ComputeChecksum(downloadedFilePath)
if err != nil {
return fmt.Errorf("error computing checksum for downloaded file %s: %v", downloadedFilePath, err)
}
filePaths := strings.Split(gcsPath, "/")
fileName := filePaths[len(filePaths)-1]
fileChecksums, err := mds.InstanceAttributeValue("file_checksums")
if err != nil {
return fmt.Errorf("error getting instance attribute value from metadata server: %v", err)
}
var hashes map[string]string
err = json.Unmarshal([]byte(fileChecksums), &hashes)
if err != nil {
fmt.Errorf("error unmarshalling file checksums json: %v", err)
}
storedHash, found := hashes[fileName]
if !found {
return fmt.Errorf("checksum for file %s not found in instance metadata", fileName)
}
if downloadedFileHash != storedHash {
return fmt.Errorf("integrity check failed: Downloaded file hash %s does not match stored file hash %s", downloadedFileHash, storedHash)
}
return nil
}
func (s *state) unpackBuildContexts(ctx context.Context, deps Deps) (err error) {
for name, address := range s.data.Config.BuildContexts {
log.Printf("Unpacking build context %q from %q", name, address)
if address[:len("gs://")] != "gs://" {
return fmt.Errorf("cannot use address %q, only gs:// addresses are supported", address)
}
splitAddr := strings.SplitN(address[len("gs://"):], "/", 2)
if len(splitAddr) != 2 || splitAddr[0] == "" || splitAddr[1] == "" {
return fmt.Errorf("address %q is malformed", address)
}
bucket, object := splitAddr[0], splitAddr[1]
tarPath := filepath.Join(s.dir, name+".tar")
if err := downloadGCSObject(ctx, deps.GCSClient, bucket, object, tarPath); err != nil {
return fmt.Errorf("error downloading %q to %q: %v", address, tarPath, err)
}
if err := checkIntegrity(deps.MDSClient, tarPath, object); err != nil {
return err
}
tarDir := filepath.Join(s.dir, name)
if err := os.Mkdir(tarDir, 0770); err != nil {
return err
}
args := []string{"xf", tarPath, "-C", tarDir}
cmd := exec.Command(deps.TarCmd, args...)
cmd.Stdout = os.Stdout
cmd.Stderr = os.Stderr
if err := cmd.Run(); err != nil {
return fmt.Errorf(`error in cmd "%s %v", see stderr for details: %v`, deps.TarCmd, args, err)
}
if err := os.Remove(tarPath); err != nil {
return err
}
}
return nil
}
func initState(ctx context.Context, deps Deps, dir string, c Config) (*state, error) {
s := &state{dir: dir, data: stateData{Config: c, CurrentStep: 0}}
if _, err := os.Stat(s.dataPath()); err == nil {
return nil, errStateAlreadyExists
}
if err := os.MkdirAll(dir, 0770); err != nil {
return nil, fmt.Errorf("error creating directory %q: %v", dir, err)
}
if err := s.write(); err != nil {
return nil, err
}
if err := s.unpackBuildContexts(ctx, deps); err != nil {
return nil, fmt.Errorf("error unpacking build contexts: %v", err)
}
return s, nil
}
func loadState(dir string) (*state, error) {
s := &state{dir: dir}
if err := s.read(); err != nil {
return nil, err
}
return s, nil
}