Noel Georgi ee51f04af3
chore: azure e2e
Add code to support azure e2e

Signed-off-by: Noel Georgi <git@frezbo.dev>
2024-03-23 17:30:36 +05:30

432 lines
11 KiB
Go

// This Source Code Form is subject to the terms of the Mozilla Public
// License, v. 2.0. If a copy of the MPL was not distributed with this
// file, You can obtain one at http://mozilla.org/MPL/2.0/.
package main
import (
"bytes"
"context"
_ "embed"
"errors"
"fmt"
"io"
"log"
"os"
"strings"
"github.com/Azure/azure-sdk-for-go/profiles/latest/resources/mgmt/resources"
"github.com/Azure/azure-sdk-for-go/sdk/azcore/streaming"
"github.com/Azure/azure-sdk-for-go/sdk/azcore/to"
"github.com/Azure/azure-sdk-for-go/sdk/azidentity"
"github.com/Azure/azure-sdk-for-go/sdk/resourcemanager/compute/armcompute/v5"
"github.com/Azure/azure-sdk-for-go/sdk/resourcemanager/storage/armstorage"
"github.com/Azure/azure-sdk-for-go/sdk/storage/azblob/blob"
"github.com/Azure/azure-sdk-for-go/sdk/storage/azblob/pageblob"
"github.com/Azure/go-autorest/autorest"
"github.com/Azure/go-autorest/autorest/azure/auth"
"github.com/blang/semver/v4"
"github.com/siderolabs/gen/channel"
"github.com/siderolabs/gen/xslices"
"github.com/ulikunitz/xz"
"golang.org/x/sync/errgroup"
)
const (
resourceGroupName = "SideroGallery"
defaultRegion = "eastus"
storageAccount = "siderogallery"
)
// Mapping CPU architectures to Azure architectures.
var azureArchitectures = map[string]string{
"amd64": "x64",
"arm64": "arm64",
}
// AzureUploader represents an object that has the capability to upload to Azure.
type AzureUploader struct {
Options Options
preRelease bool
helper azureHelper
}
// extractVersion extracts the version number in the format of int.int.int for Azure and assigns to the Options.AzureTag value.
func (azu *AzureUploader) setVersion() error {
v, err := semver.ParseTolerant(azu.Options.Tag)
if err != nil {
return err
}
versionCore := fmt.Sprintf("%d.%d.%d", v.Major, v.Minor, v.Patch)
azu.helper.version = versionCore
azu.Options.AzureGalleryName = "SideroLabs"
if fmt.Sprintf("v%s", versionCore) != azu.Options.Tag {
azu.preRelease = true
azu.Options.AzureGalleryName = "SideroGalleryTest"
}
log.Println("azure: using Azure Gallery:", azu.Options.AzureGalleryName)
return nil
}
// AzureGalleryUpload uploads the image to Azure.
func (azu *AzureUploader) AzureGalleryUpload(ctx context.Context) error {
var err error
var g *errgroup.Group
g, ctx = errgroup.WithContext(ctx)
err = azu.setVersion()
if err != nil {
return fmt.Errorf("azure: error setting version: %w", err)
}
log.Printf("azure: setting default creds")
err = azu.helper.setDefaultAzureCreds()
if err != nil {
return fmt.Errorf("error setting default Azure credentials: %w", err)
}
if len(azu.Options.AzureRegions) == 0 {
regions, err := azu.helper.getAzureLocations(ctx)
if err != nil {
return fmt.Errorf("azure: error setting default Azure credentials: %w", err)
}
azu.Options.AzureRegions = regions
}
// Upload blob
log.Printf("azure: uploading blobs for architectures: %+v\n", azu.Options.Architectures)
for _, arch := range azu.Options.Architectures {
g.Go(func() error {
log.Printf("azure: starting upload blob for %s\n", arch)
err = azu.uploadAzureBlob(ctx, arch)
if err != nil {
return fmt.Errorf("azure: error uploading page blob for %s: %w", arch, err)
}
log.Printf("azure: starting image version creation for %s\n", arch)
err = azu.createAzureImageVersion(ctx, arch)
if err != nil {
return fmt.Errorf("azure: error creating image version: %w", err)
}
return err
})
}
return g.Wait()
}
//nolint:gocyclo
func (azu *AzureUploader) uploadAzureBlob(ctx context.Context, arch string) error {
blobURL := fmt.Sprintf("https://siderogallery.blob.core.windows.net/images/talos/talos-%s-%s.vhd", arch, azu.Options.Tag)
pageBlobClient, err := pageblob.NewClient(blobURL, azu.helper.cred, nil)
if err != nil {
return fmt.Errorf("azure: error creating pageblob client: %w", err)
}
source, err := os.Open(azu.Options.AzureImage(arch))
if err != nil {
return err
}
defer source.Close() //nolint:errcheck
// calculate totalSize
file, err := xz.NewReader(source)
if err != nil {
return fmt.Errorf("azure: error extracting file from xz: %w", err)
}
totalSize, err := io.Copy(io.Discard, file)
if err != nil {
return fmt.Errorf("azure: error calculating totalSize: %w", err)
}
// second pass: read chunks and upload
// seek back to the beginning of the source file
_, err = source.Seek(0, io.SeekStart)
if err != nil {
return fmt.Errorf("azure: error seeking back: %w", err)
}
file, err = xz.NewReader(source)
if err != nil {
return fmt.Errorf("azure: error extracting file from xz: %w", err)
}
// Check if the file size is a multiple of 512 bytes
if totalSize%pageblob.PageBytes != 0 {
return errors.New("azure: error: the file size must be a multiple of 512 bytes")
}
_, err = pageBlobClient.Create(ctx, totalSize, nil)
if err != nil {
return fmt.Errorf("azure: error creating vhd: %w", err)
}
type work struct {
chunk []byte
offset int64
}
const (
concurrency = 8
chunkSize = 4 * 1024 * 1024
)
workCh := make(chan work)
var g *errgroup.Group
g, ctx = errgroup.WithContext(ctx)
for range concurrency {
g.Go(func() error {
for w := range workCh {
_, err = pageBlobClient.UploadPages(
ctx,
streaming.NopCloser(bytes.NewReader(w.chunk)),
blob.HTTPRange{Offset: w.offset, Count: int64(len(w.chunk))},
nil)
if err != nil {
return fmt.Errorf("azure: error uploading chunk at offset %d: %w", w.offset, err)
}
}
return nil
})
}
var offset int64
uploadLoop:
for {
buf := make([]byte, chunkSize)
var n int
n, err = io.ReadFull(file, buf)
switch {
case err == io.ErrUnexpectedEOF:
// this is the last (incomplete) chunk
case err == io.EOF:
// end of file, stop
break uploadLoop
case err != nil:
return fmt.Errorf("azure: error reading chunk: %w", err)
}
if !channel.SendWithContext(ctx, workCh, work{chunk: buf[:n], offset: offset}) {
break uploadLoop
}
offset += int64(n)
if offset%(chunkSize*10) == 0 {
log.Printf("azure: uploaded %d bytes\n", offset)
}
}
close(workCh)
if err = g.Wait(); err != nil {
return fmt.Errorf("azure: error uploading chunks: %w", err)
}
return nil
}
func (azu *AzureUploader) createAzureImageVersion(ctx context.Context, arch string) error {
var targetRegions []*armcompute.TargetRegion
if !azu.preRelease {
targetRegions = xslices.Map(azu.Options.AzureRegions, func(region string) *armcompute.TargetRegion {
return &armcompute.TargetRegion{
Name: to.Ptr(region),
ExcludeFromLatest: to.Ptr(false),
RegionalReplicaCount: to.Ptr[int32](1),
StorageAccountType: to.Ptr(armcompute.StorageAccountTypeStandardLRS),
}
})
}
pager := azu.helper.clientFactory.NewGalleryImageVersionsClient().NewListByGalleryImagePager(resourceGroupName, azu.Options.AzureGalleryName, fmt.Sprintf("talos-%s", azureArchitectures[arch]), nil)
for pager.More() {
page, err := pager.NextPage(ctx)
if err != nil {
return fmt.Errorf("azure: failed to list image versions: %w", err)
}
for _, v := range page.Value {
if *v.Name == azu.helper.version {
log.Printf("azure: image version exists for %s\n", *v.Name)
err = azu.deleteImageVersion(ctx, arch)
if err != nil {
return err
}
}
}
}
log.Printf("azure: creating %s image version", arch)
poller, err := azu.helper.clientFactory.NewGalleryImageVersionsClient().BeginCreateOrUpdate(
ctx,
resourceGroupName,
azu.Options.AzureGalleryName,
fmt.Sprintf("talos-%s", azureArchitectures[arch]),
azu.helper.version,
armcompute.GalleryImageVersion{
Location: to.Ptr(defaultRegion),
Properties: &armcompute.GalleryImageVersionProperties{
PublishingProfile: &armcompute.GalleryImageVersionPublishingProfile{
TargetRegions: targetRegions,
},
SafetyProfile: &armcompute.GalleryImageVersionSafetyProfile{
AllowDeletionOfReplicatedLocations: to.Ptr(true),
},
StorageProfile: &armcompute.GalleryImageVersionStorageProfile{
OSDiskImage: &armcompute.GalleryOSDiskImage{
HostCaching: to.Ptr(armcompute.HostCachingReadOnly),
Source: &armcompute.GalleryDiskImageSource{
ID: to.Ptr(fmt.Sprintf("/subscriptions/%s/resourceGroups/%s/providers/Microsoft.Storage/storageAccounts/%s", azu.helper.subscriptionID, resourceGroupName, storageAccount)),
URI: to.Ptr(fmt.Sprintf("https://siderogallery.blob.core.windows.net/images/talos/talos-%s-%s.vhd", arch, azu.Options.Tag)),
},
},
},
},
},
nil)
if err != nil {
return fmt.Errorf("azure: failed to create image version: %w", err)
}
res, err := poller.PollUntilDone(ctx, nil)
if err != nil {
return fmt.Errorf("azure: failed to pull the result for image version creation: %w", err)
}
for _, region := range azu.Options.AzureRegions {
pushResult(CloudImage{
Cloud: "azure",
Tag: azu.Options.Tag,
Region: region,
Arch: arch,
Type: "vhd",
ID: *res.ID,
})
}
return nil
}
func (azu *AzureUploader) deleteImageVersion(ctx context.Context, arch string) error {
log.Println("azure: removing old image version")
poller, err := azu.helper.clientFactory.NewGalleryImageVersionsClient().BeginDelete(
ctx,
resourceGroupName,
azu.Options.AzureGalleryName,
fmt.Sprintf("talos-%s", azureArchitectures[arch]),
azu.helper.version,
nil)
if err != nil {
return fmt.Errorf("azure: failed to delete image: %w", err)
}
_, err = poller.PollUntilDone(ctx, nil)
if err != nil {
return fmt.Errorf("azure: failed to pull the result for image deletion: %w", err)
}
return nil
}
type azureHelper struct {
version string
subscriptionID string
clientFactory *armcompute.ClientFactory
cred *azidentity.DefaultAzureCredential
authorizer autorest.Authorizer
providersClient resources.ProvidersClient
}
func (helper *azureHelper) setDefaultAzureCreds() error {
helper.subscriptionID = os.Getenv("AZURE_SUBSCRIPTION_ID")
if len(helper.subscriptionID) == 0 {
return errors.New("azure: AZURE_SUBSCRIPTION_ID is not set")
}
authFromEnvironment, err := auth.NewAuthorizerFromEnvironment()
if err != nil {
return err
}
helper.authorizer = authFromEnvironment
// Create a new instance of the DefaultAzureCredential
helper.cred, err = azidentity.NewDefaultAzureCredential(nil)
if err != nil {
return err
}
helper.clientFactory, err = armcompute.NewClientFactory(helper.subscriptionID, helper.cred, nil)
if err != nil {
return fmt.Errorf("azure: failed to create client: %w", err)
}
// Initialize the Storage Accounts Client
var storageClientFactory *armstorage.ClientFactory
storageClientFactory, err = armstorage.NewClientFactory(helper.subscriptionID, helper.cred, nil)
if err != nil {
return err
}
_ = storageClientFactory.NewAccountsClient()
helper.providersClient = resources.NewProvidersClient(helper.subscriptionID)
helper.providersClient.Authorizer = helper.authorizer
return nil
}
func (helper *azureHelper) getAzureLocations(ctx context.Context) ([]string, error) {
var regions []string
result, err := helper.providersClient.Get(ctx, "Microsoft.Compute", "")
if err != nil {
return nil, fmt.Errorf("azure: error getting Microsoft.Compute: %w", err)
}
if result.ResourceTypes != nil {
for _, rt := range *result.ResourceTypes {
if rt.ResourceType != nil && *rt.ResourceType == "virtualMachines" {
if rt.Locations != nil {
regions = xslices.Map(*rt.Locations, func(s string) string {
return strings.ToLower(strings.ReplaceAll(s, " ", ""))
})
}
break
}
}
}
return regions, nil
}