Skip to content

Commit

Permalink
Merge branch 'main' into akd/linting/ruff+isort+codespell
Browse files Browse the repository at this point in the history
  • Loading branch information
mateoflorido authored Oct 27, 2023
2 parents e6ce3ea + d780163 commit 854e0b0
Show file tree
Hide file tree
Showing 6 changed files with 194 additions and 14 deletions.
9 changes: 0 additions & 9 deletions .github/data/proxy_config.yaml

This file was deleted.

4 changes: 2 additions & 2 deletions .github/workflows/tests.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -38,11 +38,11 @@ jobs:
credentials-yaml: ${{ secrets.CREDENTIALS_YAML }}
clouds-yaml: ${{ secrets.CLOUDS_YAML }}
bootstrap-constraints: "arch=amd64 cores=2 mem=4G"
bootstrap-options: "${{ secrets.JAMMY_BOOTSTRAP_OPTIONS }} --model-default datastore=vsanDatastore --model-default primary-network=VLAN_2763"
bootstrap-options: "${{ secrets.JAMMY_BOOTSTRAP_OPTIONS }} --model-default datastore=vsanDatastore --model-default primary-network=VLAN_2763 --config caas-image-repo=rocks.canonical.com/cdk/jujusolutions"
juju-channel: 3.1/stable
- name: Run test
run: |
tox -e integration -- --basetemp=/home/ubuntu/pytest --model-config=.github/data/proxy_config.yaml
tox -e integration -- --basetemp=/home/ubuntu/pytest
- name: Setup Debug Artifact Collection
if: ${{ failure() }}
run: mkdir tmp
Expand Down
2 changes: 1 addition & 1 deletion metadata.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,6 @@ resources:
coredns-image:
type: oci-image
description: 'CoreDNS image'
upstream-source: coredns/coredns:1.10.1
upstream-source: rocks.canonical.com/cdk/coredns/coredns:1.11.1
assumes:
- k8s-api
2 changes: 1 addition & 1 deletion tests/integration/data/validate-dns-spec.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,7 @@ metadata:
spec:
containers:
- name: busybox
image: busybox
image: rocks.canonical.com/cdk/busybox:1.36
imagePullPolicy: IfNotPresent
args: ['sleep', '3600']
restartPolicy: Always
9 changes: 8 additions & 1 deletion tox.ini
Original file line number Diff line number Diff line change
Expand Up @@ -56,4 +56,11 @@ deps =
setenv =
PYTHONPATH={toxinidir}:{toxinidir}/lib:{toxinidir}/src
commands =
pytest --log-cli-level=INFO --asyncio-mode=auto --tb native -s tests/integration {posargs} {[vars]tests_path}/integration
pytest --log-cli-level=INFO --asyncio-mode=auto --tb native -s tests/integration {posargs}

[testenv:update]
deps =
pyyaml
semver
commands =
python {toxinidir}/upstream/update.py {posargs}
182 changes: 182 additions & 0 deletions upstream/update.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,182 @@
#!/usr/bin/env python3
# Copyright 2022 Canonical Ltd.
# See LICENSE file for licensing details.
"""Update to a new upstream release."""
import argparse
import json
import logging
import subprocess
import urllib.error
import urllib.request
from dataclasses import dataclass
from pathlib import Path
from tempfile import NamedTemporaryFile
from typing import Iterable, List, Optional, Set, TypedDict

import yaml
from semver import VersionInfo

log = logging.getLogger("CoreDNS Image Update")
logging.basicConfig(level=logging.INFO)
DH_REPO = "https://hub.docker.com/v2/repositories/coredns/coredns/tags"
DH_IMAGE = "docker.io/coredns/coredns:{tag}"
ROCKS_CC = "upload.rocks.canonical.com:5000/cdk"


@dataclass(frozen=True)
class Registry:
"""Object to define how to contact a Registry."""

base: str
user_pass: Optional[str] = None

@property
def name(self) -> str:
name, *_ = self.base.split("/")
return name

@property
def path(self) -> List[str]:
_, *path = self.base.split("/")
return path

@property
def user(self) -> str:
user, _ = self.user_pass.split(":", 1)
return user

@property
def password(self) -> str:
_, pw = self.user_pass.split(":", 1)
return pw

@property
def creds(self) -> List["SyncCreds"]:
"""Get credentials as a SyncCreds Dict."""
creds = []
if self.user_pass:
creds.append(
{
"registry": self.name,
"user": self.user,
"pass": self.password,
}
)
return creds


SyncAsset = TypedDict("SyncAsset", {"source": str, "target": str, "type": str})
SyncCreds = TypedDict("SyncCreds", {"registry": str, "user": str, "pass": str})


class SyncConfig(TypedDict):
"""Type definition for building sync config."""

version: int
creds: List[SyncCreds]
sync: List[SyncAsset]


def sync_asset(image: str, registry: Registry):
"""Factory for generating SyncAssets."""
_, *name_tag = image.split("/")
full_path = "/".join(registry.path + name_tag)
dest = f"{registry.name}/{full_path}"
return SyncAsset(source=image, target=dest, type="image")


def gather_releases() -> Set[str]:
"""Fetch from github the release manifests by version."""
images = set()
with urllib.request.urlopen(DH_REPO) as resp:
for item in json.load(resp)["results"]:
try:
VersionInfo.parse(item["name"])
except ValueError:
continue
images.add(item["name"])
return images


def mirror_image(images: Iterable[str], registry: Registry, check: bool, debug: bool):
"""Synchronize all source images to target registry, only pushing changed layers."""
sync_config = SyncConfig(
version=1,
creds=registry.creds,
sync=[sync_asset(DH_IMAGE.format(tag=image), registry) for image in images],
)
with NamedTemporaryFile(mode="w") as tmpfile:
yaml.safe_dump(sync_config, tmpfile)
command = "check" if check else "once"
args = ["regsync", "-c", tmpfile.name, command]
args += ["-v", "debug"] if debug else []
proc = subprocess.Popen(
args,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
encoding="utf-8",
)
while proc.returncode is None:
for line in proc.stdout:
log.info(line.strip())
proc.poll()


def update_metadata(latest):
meta = Path(__file__).parent / ".." / "metadata.yaml"
loaded = yaml.safe_load(meta.read_text())
current = loaded["resources"]["coredns-image"]["upstream-source"]
base, tag = current.rsplit(":", 1)
if replacement := (f"{base}:{latest}" if tag != latest else None):
replaced = meta.read_text().replace(current, replacement)
meta.write_text(replaced)
log.info(
f'Updated to {loaded["resources"]["coredns-image"]["upstream-source"]}'
)


def get_argparser():
"""Build the argparse instance."""
parser = argparse.ArgumentParser(
description="Update from upstream releases.",
formatter_class=argparse.RawTextHelpFormatter,
)
parser.add_argument(
"--registry",
default=ROCKS_CC,
type=str,
help="Registry to which images should be mirrored.\n\n"
"example\n"
" --registry my.registry:5000/path\n"
"\n",
)
parser.add_argument(
"--user_pass",
default=None,
type=str,
help="Username and password for the registry separated by a colon\n\n"
"if missing, regsync will attempt to use authfrom ${HOME}/.docker/config.json\n"
"example\n"
" --user-pass myuser:mypassword\n"
"\n",
)
parser.add_argument(
"--check",
action="store_true",
help="If selected, will not run the sync\n"
"but instead checks if a sync is necessary",
)
parser.add_argument(
"--debug", action="store_true", help="If selected, regsync debug will appear"
)
return parser


if __name__ == "__main__":
args = get_argparser().parse_args()
all_images = gather_releases()
sorted_images = sorted(all_images, key=VersionInfo.parse, reverse=True)
update_metadata(sorted_images[0])
mirror_image(
all_images, Registry(args.registry, args.user_pass), args.check, args.debug
)

0 comments on commit 854e0b0

Please sign in to comment.