Skip to content

Commit

Permalink
push sbom to registry
Browse files Browse the repository at this point in the history
* STONEBLD-1358

Signed-off-by: Robert Cerven <rcerven@redhat.com>
  • Loading branch information
rcerven committed Jun 28, 2023
1 parent f815605 commit e2a8768
Show file tree
Hide file tree
Showing 2 changed files with 98 additions and 1 deletion.
38 changes: 38 additions & 0 deletions atomic_reactor/plugins/generate_sbom.py
Expand Up @@ -5,7 +5,10 @@
This software may be modified and distributed under the terms
of the BSD license. See the LICENSE file for details.
"""
import json
import os
import subprocess
import tempfile
from copy import deepcopy
from typing import Any, Dict, List, Optional

Expand All @@ -18,6 +21,7 @@
KOJI_BTYPE_ICM,
ICM_JSON_FILENAME)
from atomic_reactor.config import get_cachito_session, get_koji_session
from atomic_reactor.utils import retries
from atomic_reactor.utils.cachito import CachitoAPI
from atomic_reactor.plugin import Plugin
from atomic_reactor.util import (read_fetch_artifacts_url, read_fetch_artifacts_koji,
Expand Down Expand Up @@ -285,6 +289,38 @@ def get_unique_and_sorted_components(

return unique_components

def push_sboms_to_registry(self):
docker_config = os.path.join(self.workflow.conf.registries_cfg_path, '.dockerconfigjson')

if not os.path.exists(docker_config):
self.log.warning("Dockerconfig json doesn't exist in : '%s'", docker_config)
return

tmpdir = tempfile.mkdtemp()
os.environ["DOCKER_CONFIG"] = tmpdir
sbom_type = '--type=cyclonedx'
dest_config = os.path.join(tmpdir, 'config.json')
# cosign requires docker config named exactly 'config.json'
os.symlink(docker_config, dest_config)

for platform in self.all_platforms:
image = self.workflow.data.tag_conf.get_unique_images_with_platform(platform)[0]
sbom_file_path = os.path.join(tmpdir, f"icm-{platform}.json")
sbom_param = f"--sbom={sbom_file_path}"
cmd = ["cosign", "attach", "sbom", image.to_str(), sbom_type, sbom_param]

with open(sbom_file_path, 'w') as outfile:
json.dump(self.sbom[platform], outfile, indent=4, sort_keys=True)
self.log.debug('SBOM JSON saved to: %s', sbom_file_path)

try:
self.log.info('pushing SBOM for platform %s to registry', platform)
retries.run_cmd(cmd)
except subprocess.CalledProcessError as e:
self.log.error("SBOM push for platform %s failed with output:\n%s",
platform, e.output)
raise

def run(self) -> Dict[str, Any]:
"""Run the plugin."""
self.lookaside_cache_check()
Expand Down Expand Up @@ -350,4 +386,6 @@ def run(self) -> Dict[str, Any]:
for platform in self.all_platforms:
self.sbom[platform]['incompleteness_reasons'] = incompleteness_reasons_full

self.push_sboms_to_registry()

return self.sbom
61 changes: 60 additions & 1 deletion tests/plugins/test_generate_sbom.py
Expand Up @@ -5,7 +5,11 @@
This software may be modified and distributed under the terms
of the BSD license. See the LICENSE file for details.
"""
import json
import os
import subprocess
import sys
import tempfile
from pathlib import Path
from copy import deepcopy

Expand All @@ -14,6 +18,7 @@
from flexmock import flexmock
import koji

from tests.constants import LOCALHOST_REGISTRY
from tests.mock_env import MockEnv
from tests.utils.test_cachito import CACHITO_URL

Expand All @@ -31,6 +36,7 @@
from atomic_reactor.plugin import PluginFailedException
from atomic_reactor.plugins.generate_sbom import GenerateSbomPlugin
from atomic_reactor.util import base_image_is_custom, base_image_is_scratch
from atomic_reactor.utils import retries
from osbs.utils import ImageName

pytestmark = pytest.mark.usefixtures('user_params')
Expand Down Expand Up @@ -1044,6 +1050,7 @@
f"parent build '{PARENT_WITHOUT_KOJI_BUILD_NVR}' is missing SBOM"},
]
PLATFORMS = ['x86_64', 's390x']
UNIQUE_IMAGE = f'{LOCALHOST_REGISTRY}/namespace/some_image:1.0'


def setup_function(*args):
Expand All @@ -1059,6 +1066,14 @@ def teardown_function(*args):


def mock_env(workflow, df_images):
tmp_dir = tempfile.mkdtemp()
dockerconfig_contents = {"auths": {LOCALHOST_REGISTRY: {"username": "user",
"email": "test@example.com",
"password": "mypassword"}}}
with open(os.path.join(tmp_dir, ".dockerconfigjson"), "w") as f:
f.write(json.dumps(dockerconfig_contents))
f.flush()

r_c_m = {
'version': 1,
'koji': {
Expand All @@ -1076,7 +1091,8 @@ def mock_env(workflow, df_images):
},
'source_registry': {
'url': 'registry',
}
},
'registries_cfg_path': tmp_dir,
}

env = (MockEnv(workflow)
Expand Down Expand Up @@ -1301,6 +1317,28 @@ def test_sbom(workflow, requests_mock, koji_session, df_images, use_cache, use_f
mock_build_icm_urls(requests_mock)

runner = mock_env(workflow, df_images)
workflow.data.tag_conf.add_unique_image(UNIQUE_IMAGE)

def check_cosign_run(args):
matches = False
for platform in PLATFORMS:
exp_cmd = ['cosign', 'attach', 'sbom',
f'{UNIQUE_IMAGE}-{platform}', '--type=cyclonedx']
exp_sbom = f'icm-{platform}.json'

if exp_cmd == args[:-1]:
assert args[-1].startswith('--sbom=')

if args[-1].endswith(exp_sbom):
matches = True

assert matches
return ''

(flexmock(retries)
.should_receive('run_cmd')
.times(len(PLATFORMS))
.replace_with(check_cosign_run))

source_path = Path(workflow.source.path)

Expand Down Expand Up @@ -1351,3 +1389,24 @@ def test_sbom_raises(workflow, requests_mock, koji_session, df_images, err_msg):
runner.run()

assert err_msg in str(exc.value)


@pytest.mark.parametrize(('df_images, err_msg'), [
(['scratch'], f'SBOM push for platform {PLATFORMS[0]} failed with output:'),
])
def test_sbom_raises_cosign(workflow, requests_mock, koji_session, df_images, err_msg, caplog):
mock_get_sbom_cachito(requests_mock)
mock_build_icm_urls(requests_mock)

runner = mock_env(workflow, df_images)
workflow.data.tag_conf.add_unique_image(UNIQUE_IMAGE)

(flexmock(retries)
.should_receive('run_cmd')
.times(1)
.and_raise(subprocess.CalledProcessError(1, 'cosign', output=b'something went wrong')))

with pytest.raises(PluginFailedException):
runner.run()

assert err_msg in caplog.text

0 comments on commit e2a8768

Please sign in to comment.