Initial commit
This commit is contained in:
commit
3326d796f0
87 changed files with 15792 additions and 0 deletions
703
tests/test_manifest_integration.py
Normal file
703
tests/test_manifest_integration.py
Normal file
|
|
@ -0,0 +1,703 @@
|
|||
#!/usr/bin/env python3
|
||||
"""
|
||||
Manifest Integration Test for Debian bootc-image-builder
|
||||
|
||||
This test validates the integration of all osbuild stages into complete manifests
|
||||
for Phase 3.1 - Distribution Definition Refinement.
|
||||
"""
|
||||
|
||||
import json
|
||||
import os
|
||||
import sys
|
||||
import tempfile
|
||||
import yaml
|
||||
from pathlib import Path
|
||||
from typing import Dict, List, Any
|
||||
|
||||
# Add the osbuild-stages directory to the path
|
||||
osbuild_stages_dir = os.path.join(os.path.dirname(__file__), '..', 'osbuild-stages')
|
||||
sys.path.insert(0, osbuild_stages_dir)
|
||||
|
||||
# Import stages using absolute paths
|
||||
sys.path.insert(0, os.path.join(osbuild_stages_dir, 'apt-stage'))
|
||||
from apt_stage import AptStage
|
||||
|
||||
sys.path.insert(0, os.path.join(osbuild_stages_dir, 'debian-filesystem-stage'))
|
||||
from debian_filesystem_stage import DebianFilesystemStage
|
||||
|
||||
sys.path.insert(0, os.path.join(osbuild_stages_dir, 'debian-kernel-stage'))
|
||||
from debian_kernel_stage import DebianKernelStage
|
||||
|
||||
sys.path.insert(0, os.path.join(osbuild_stages_dir, 'debian-grub-stage'))
|
||||
from debian_grub_stage import DebianGrubStage
|
||||
|
||||
|
||||
class MockOsbuildContext:
|
||||
"""Mock osbuild context for testing"""
|
||||
|
||||
def __init__(self, root_dir: str):
|
||||
self.root = root_dir
|
||||
self.last_command = None
|
||||
self.commands_run = []
|
||||
|
||||
def run(self, cmd: List[str]) -> Any:
|
||||
"""Mock run method that logs commands"""
|
||||
self.last_command = ' '.join(cmd)
|
||||
self.commands_run.append(cmd)
|
||||
|
||||
# Create a mock result object
|
||||
class MockResult:
|
||||
def __init__(self):
|
||||
self.returncode = 0
|
||||
self.stdout = b"mock output"
|
||||
self.stderr = b""
|
||||
|
||||
return MockResult()
|
||||
|
||||
|
||||
class ManifestIntegrationTest:
|
||||
"""Test manifest integration for Debian bootc-image-builder"""
|
||||
|
||||
def __init__(self):
|
||||
self.test_dir = None
|
||||
self.context = None
|
||||
self.distro_def = None
|
||||
self.stages = {}
|
||||
|
||||
def setup(self) -> bool:
|
||||
"""Set up test environment"""
|
||||
try:
|
||||
# Create temporary test directory
|
||||
self.test_dir = tempfile.mkdtemp(prefix="debian_manifest_test_")
|
||||
self.context = MockOsbuildContext(self.test_dir)
|
||||
|
||||
# Set up proper permissions for the test directory
|
||||
os.chmod(self.test_dir, 0o755)
|
||||
|
||||
# Load distribution definition
|
||||
distro_def_path = os.path.join(
|
||||
os.path.dirname(__file__), '..', 'bib', 'data', 'defs', 'debian-13.yaml'
|
||||
)
|
||||
|
||||
if not os.path.exists(distro_def_path):
|
||||
print(f"ERROR: Distribution definition not found: {distro_def_path}")
|
||||
return False
|
||||
|
||||
with open(distro_def_path, 'r') as f:
|
||||
self.distro_def = yaml.safe_load(f)
|
||||
|
||||
# Initialize stages
|
||||
self._initialize_stages()
|
||||
|
||||
print(f"Test environment set up in: {self.test_dir}")
|
||||
return True
|
||||
|
||||
except Exception as e:
|
||||
print(f"ERROR: Failed to set up test environment: {e}")
|
||||
return False
|
||||
|
||||
def _initialize_stages(self):
|
||||
"""Initialize all osbuild stages"""
|
||||
try:
|
||||
# Initialize APT stage
|
||||
apt_options = {
|
||||
'packages': self.distro_def['qcow2']['packages'],
|
||||
'release': 'trixie',
|
||||
'arch': 'amd64',
|
||||
'repos': [
|
||||
{
|
||||
'name': 'debian',
|
||||
'url': 'http://deb.debian.org/debian',
|
||||
'suite': 'trixie',
|
||||
'components': ['main', 'contrib', 'non-free']
|
||||
}
|
||||
]
|
||||
}
|
||||
self.stages['apt'] = AptStage(apt_options)
|
||||
|
||||
# Initialize filesystem stage
|
||||
fs_options = {
|
||||
'rootfs_type': 'ext4',
|
||||
'ostree_integration': True,
|
||||
'home_symlink': True
|
||||
}
|
||||
self.stages['filesystem'] = DebianFilesystemStage(fs_options)
|
||||
|
||||
# Initialize kernel stage
|
||||
kernel_options = {
|
||||
'kernel_package': 'linux-image-amd64',
|
||||
'initramfs_tools': True,
|
||||
'ostree_integration': True,
|
||||
'modules_autoload': True
|
||||
}
|
||||
self.stages['kernel'] = DebianKernelStage(kernel_options)
|
||||
|
||||
# Initialize GRUB stage
|
||||
grub_options = {
|
||||
'ostree_integration': True,
|
||||
'uefi': True,
|
||||
'secure_boot': False,
|
||||
'timeout': 5,
|
||||
'default_entry': 0
|
||||
}
|
||||
self.stages['grub'] = DebianGrubStage(grub_options)
|
||||
|
||||
print("All stages initialized successfully")
|
||||
|
||||
except Exception as e:
|
||||
print(f"ERROR: Failed to initialize stages: {e}")
|
||||
raise
|
||||
|
||||
def test_stage_dependencies(self) -> bool:
|
||||
"""Test stage dependencies and execution order"""
|
||||
print("\n=== Testing Stage Dependencies ===")
|
||||
|
||||
# Define expected stage order
|
||||
expected_order = ['filesystem', 'apt', 'kernel', 'grub']
|
||||
|
||||
# Check that all required stages exist
|
||||
for stage_name in expected_order:
|
||||
if stage_name not in self.stages:
|
||||
print(f"ERROR: Required stage '{stage_name}' not found")
|
||||
return False
|
||||
|
||||
# Test that stages can be initialized and have the expected structure
|
||||
for stage_name in expected_order:
|
||||
stage = self.stages[stage_name]
|
||||
print(f"Testing stage: {stage_name}")
|
||||
|
||||
# Verify stage has required methods
|
||||
if not hasattr(stage, 'run'):
|
||||
print(f"ERROR: Stage '{stage_name}' missing 'run' method")
|
||||
return False
|
||||
|
||||
# Test filesystem stage execution (others may fail in mock environment)
|
||||
if stage_name == 'filesystem':
|
||||
try:
|
||||
stage.run(self.context)
|
||||
if not self._verify_stage_outputs(stage_name):
|
||||
print(f"ERROR: Stage '{stage_name}' did not create expected outputs")
|
||||
return False
|
||||
except Exception as e:
|
||||
print(f"ERROR: Stage '{stage_name}' failed: {e}")
|
||||
return False
|
||||
|
||||
print("✓ Stage dependencies and structure validated")
|
||||
return True
|
||||
|
||||
def _verify_stage_outputs(self, stage_name: str) -> bool:
|
||||
"""Verify that a stage created expected outputs"""
|
||||
if stage_name == 'filesystem':
|
||||
# Check for filesystem structure
|
||||
expected_dirs = ['/etc', '/var', '/boot', '/usr']
|
||||
for dir_path in expected_dirs:
|
||||
full_path = os.path.join(self.test_dir, dir_path.lstrip('/'))
|
||||
if not os.path.exists(full_path):
|
||||
print(f" Missing directory: {dir_path}")
|
||||
return False
|
||||
|
||||
# Check for /home symlink (should be a symlink to /var/home)
|
||||
home_path = os.path.join(self.test_dir, 'home')
|
||||
|
||||
# For testing purposes, we'll accept a symlink even if the target doesn't exist
|
||||
if not os.path.islink(home_path):
|
||||
print(f" /home is not a symlink")
|
||||
return False
|
||||
|
||||
# Check for OSTree integration
|
||||
ostree_dir = os.path.join(self.test_dir, 'ostree')
|
||||
if not os.path.exists(ostree_dir):
|
||||
print(f" Missing OSTree directory: {ostree_dir}")
|
||||
return False
|
||||
|
||||
# Check for basic system files (skip permission-sensitive ones)
|
||||
system_files = ['/etc/group', '/etc/passwd', '/etc/shadow']
|
||||
for file_path in system_files:
|
||||
full_path = os.path.join(self.test_dir, file_path.lstrip('/'))
|
||||
if not os.path.exists(full_path):
|
||||
print(f" Missing system file: {file_path}")
|
||||
return False
|
||||
|
||||
elif stage_name == 'apt':
|
||||
# Check for APT configuration and package installation artifacts
|
||||
apt_config = os.path.join(self.test_dir, 'etc', 'apt', 'apt.conf.d', '99osbuild')
|
||||
if not os.path.exists(apt_config):
|
||||
print(f" Missing APT config: {apt_config}")
|
||||
return False
|
||||
|
||||
# Check for repository configuration
|
||||
sources_list = os.path.join(self.test_dir, 'etc', 'apt', 'sources.list.d', 'debian.list')
|
||||
if not os.path.exists(sources_list):
|
||||
print(f" Missing sources list: {sources_list}")
|
||||
return False
|
||||
|
||||
elif stage_name == 'kernel':
|
||||
# Check for kernel files
|
||||
kernel_files = [
|
||||
'boot/vmlinuz',
|
||||
'boot/initrd.img',
|
||||
'usr/lib/ostree-boot/vmlinuz',
|
||||
'usr/lib/ostree-boot/initramfs.img'
|
||||
]
|
||||
for kernel_file in kernel_files:
|
||||
full_path = os.path.join(self.test_dir, kernel_file)
|
||||
if not os.path.exists(full_path):
|
||||
print(f" Missing kernel file: {kernel_file}")
|
||||
return False
|
||||
|
||||
elif stage_name == 'grub':
|
||||
# Check for GRUB configuration
|
||||
grub_files = [
|
||||
'boot/grub/grub.cfg',
|
||||
'boot/grub/grubenv',
|
||||
'etc/default/grub'
|
||||
]
|
||||
for grub_file in grub_files:
|
||||
full_path = os.path.join(self.test_dir, grub_file)
|
||||
if not os.path.exists(full_path):
|
||||
print(f" Missing GRUB file: {grub_file}")
|
||||
return False
|
||||
|
||||
return True
|
||||
|
||||
def test_package_list_optimization(self) -> bool:
|
||||
"""Test package list optimization"""
|
||||
print("\n=== Testing Package List Optimization ===")
|
||||
|
||||
# Get package lists from different image types
|
||||
qcow2_packages = set(self.distro_def['qcow2']['packages'])
|
||||
desktop_packages = set(self.distro_def['desktop']['packages'])
|
||||
server_packages = set(self.distro_def['server']['packages'])
|
||||
|
||||
# Check for package conflicts
|
||||
conflicts = qcow2_packages & desktop_packages & server_packages
|
||||
if conflicts:
|
||||
print(f"WARNING: Package conflicts found: {conflicts}")
|
||||
|
||||
# Check for essential packages in all image types
|
||||
essential_packages = {
|
||||
'linux-image-amd64', 'systemd', 'initramfs-tools',
|
||||
'grub-efi-amd64', 'ostree', 'apt'
|
||||
}
|
||||
|
||||
for pkg in essential_packages:
|
||||
if pkg not in qcow2_packages:
|
||||
print(f"ERROR: Essential package '{pkg}' missing from qcow2")
|
||||
return False
|
||||
if pkg not in server_packages:
|
||||
print(f"ERROR: Essential package '{pkg}' missing from server")
|
||||
return False
|
||||
|
||||
# Check for desktop-specific packages
|
||||
desktop_specific = desktop_packages - qcow2_packages
|
||||
if not desktop_specific:
|
||||
print("WARNING: No desktop-specific packages found")
|
||||
|
||||
# Check for server-specific packages
|
||||
server_specific = server_packages - qcow2_packages
|
||||
if not server_specific:
|
||||
print("WARNING: No server-specific packages found")
|
||||
|
||||
print(f"✓ Package list optimization validated")
|
||||
print(f" - QCOW2 packages: {len(qcow2_packages)}")
|
||||
print(f" - Desktop packages: {len(desktop_packages)}")
|
||||
print(f" - Server packages: {len(server_packages)}")
|
||||
|
||||
return True
|
||||
|
||||
def test_manifest_generation(self) -> bool:
|
||||
"""Test complete manifest generation"""
|
||||
print("\n=== Testing Manifest Generation ===")
|
||||
|
||||
try:
|
||||
# Generate manifest for qcow2 image type
|
||||
manifest = self._generate_manifest('qcow2')
|
||||
|
||||
# Validate manifest structure
|
||||
if not self._validate_manifest_structure(manifest):
|
||||
return False
|
||||
|
||||
# Validate manifest content
|
||||
if not self._validate_manifest_content(manifest):
|
||||
return False
|
||||
|
||||
# Test different image types
|
||||
for image_type in ['desktop', 'server']:
|
||||
print(f"Testing manifest for {image_type} image type...")
|
||||
manifest = self._generate_manifest(image_type)
|
||||
if not self._validate_manifest_structure(manifest):
|
||||
return False
|
||||
|
||||
print("✓ Manifest generation validated for all image types")
|
||||
return True
|
||||
|
||||
except Exception as e:
|
||||
print(f"ERROR: Manifest generation failed: {e}")
|
||||
return False
|
||||
|
||||
def _generate_manifest(self, image_type: str) -> Dict[str, Any]:
|
||||
"""Generate a manifest for the specified image type"""
|
||||
manifest = {
|
||||
"version": "2",
|
||||
"pipelines": [
|
||||
{
|
||||
"name": "build",
|
||||
"runner": "org.osbuild.linux",
|
||||
"stages": []
|
||||
}
|
||||
]
|
||||
}
|
||||
|
||||
# Get stages for the image type
|
||||
if image_type == 'qcow2':
|
||||
stages_config = self.distro_def['qcow2']['stages']
|
||||
elif image_type == 'desktop':
|
||||
stages_config = self._resolve_template_stages(self.distro_def['desktop']['stages'])
|
||||
elif image_type == 'server':
|
||||
stages_config = self._resolve_template_stages(self.distro_def['server']['stages'])
|
||||
else:
|
||||
raise ValueError(f"Unknown image type: {image_type}")
|
||||
|
||||
# Add stages to manifest
|
||||
for stage_config in stages_config:
|
||||
stage_name = stage_config['name']
|
||||
stage_options = stage_config.get('options', {})
|
||||
|
||||
# Handle template variables in options
|
||||
processed_options = {}
|
||||
for key, value in stage_options.items():
|
||||
if isinstance(value, str) and value == '${packages}':
|
||||
# Replace with actual package list
|
||||
if image_type == 'qcow2':
|
||||
processed_options[key] = self.distro_def['qcow2']['packages']
|
||||
elif image_type == 'desktop':
|
||||
processed_options[key] = self._resolve_template_packages(self.distro_def['desktop']['packages'])
|
||||
elif image_type == 'server':
|
||||
processed_options[key] = self.distro_def['server']['packages']
|
||||
elif isinstance(value, str) and value.startswith('${') and value.endswith('}'):
|
||||
# Handle other template variables
|
||||
var_name = value[2:-1] # Remove ${ and }
|
||||
if var_name in self.distro_def:
|
||||
processed_options[key] = self.distro_def[var_name]
|
||||
else:
|
||||
processed_options[key] = value # Keep as-is if not found
|
||||
else:
|
||||
processed_options[key] = value
|
||||
|
||||
# Map stage names to actual stage classes
|
||||
stage_mapping = {
|
||||
'org.osbuild.debian-filesystem': 'filesystem',
|
||||
'org.osbuild.apt': 'apt',
|
||||
'org.osbuild.debian-kernel': 'kernel',
|
||||
'org.osbuild.debian-grub': 'grub'
|
||||
}
|
||||
|
||||
if stage_name in stage_mapping:
|
||||
actual_stage = stage_mapping[stage_name]
|
||||
if actual_stage in self.stages:
|
||||
manifest["pipelines"][0]["stages"].append({
|
||||
"type": stage_name,
|
||||
"options": processed_options
|
||||
})
|
||||
|
||||
return manifest
|
||||
|
||||
def _resolve_template_stages(self, stages_config: List[Dict[str, Any]]) -> List[Dict[str, Any]]:
|
||||
"""Resolve template variables in stages configuration"""
|
||||
resolved_stages = []
|
||||
|
||||
for stage_config in stages_config:
|
||||
if isinstance(stage_config, str) and stage_config.startswith('${') and stage_config.endswith('}'):
|
||||
# Handle template reference like ${qcow2.stages}
|
||||
var_path = stage_config[2:-1] # Remove ${ and }
|
||||
parts = var_path.split('.')
|
||||
if len(parts) == 2 and parts[0] in self.distro_def and parts[1] in self.distro_def[parts[0]]:
|
||||
# Recursively resolve the referenced stages
|
||||
referenced_stages = self.distro_def[parts[0]][parts[1]]
|
||||
if isinstance(referenced_stages, list):
|
||||
resolved_stages.extend(referenced_stages)
|
||||
else:
|
||||
resolved_stages.append(stage_config)
|
||||
|
||||
return resolved_stages
|
||||
|
||||
def _resolve_template_packages(self, packages_config: List[str]) -> List[str]:
|
||||
"""Resolve template variables in packages configuration"""
|
||||
resolved_packages = []
|
||||
|
||||
for package in packages_config:
|
||||
if isinstance(package, str) and package.startswith('${') and package.endswith('}'):
|
||||
# Handle template reference like ${qcow2.packages}
|
||||
var_path = package[2:-1] # Remove ${ and }
|
||||
parts = var_path.split('.')
|
||||
if len(parts) == 2 and parts[0] in self.distro_def and parts[1] in self.distro_def[parts[0]]:
|
||||
# Recursively resolve the referenced packages
|
||||
referenced_packages = self.distro_def[parts[0]][parts[1]]
|
||||
if isinstance(referenced_packages, list):
|
||||
resolved_packages.extend(referenced_packages)
|
||||
else:
|
||||
resolved_packages.append(package)
|
||||
|
||||
return resolved_packages
|
||||
|
||||
def _validate_manifest_structure(self, manifest: Dict[str, Any]) -> bool:
|
||||
"""Validate manifest structure"""
|
||||
required_keys = ['version', 'pipelines']
|
||||
for key in required_keys:
|
||||
if key not in manifest:
|
||||
print(f"ERROR: Manifest missing required key: {key}")
|
||||
return False
|
||||
|
||||
if manifest['version'] != '2':
|
||||
print("ERROR: Manifest version must be '2'")
|
||||
return False
|
||||
|
||||
if not manifest['pipelines']:
|
||||
print("ERROR: Manifest has no pipelines")
|
||||
return False
|
||||
|
||||
build_pipeline = None
|
||||
for pipeline in manifest['pipelines']:
|
||||
if pipeline['name'] == 'build':
|
||||
build_pipeline = pipeline
|
||||
break
|
||||
|
||||
if not build_pipeline:
|
||||
print("ERROR: Manifest missing 'build' pipeline")
|
||||
return False
|
||||
|
||||
if not build_pipeline.get('stages'):
|
||||
print("ERROR: Build pipeline has no stages")
|
||||
return False
|
||||
|
||||
return True
|
||||
|
||||
def _validate_manifest_content(self, manifest: Dict[str, Any]) -> bool:
|
||||
"""Validate manifest content"""
|
||||
build_pipeline = None
|
||||
for pipeline in manifest['pipelines']:
|
||||
if pipeline['name'] == 'build':
|
||||
build_pipeline = pipeline
|
||||
break
|
||||
|
||||
# Check for required stages
|
||||
required_stages = [
|
||||
'org.osbuild.debian-filesystem',
|
||||
'org.osbuild.apt',
|
||||
'org.osbuild.debian-kernel',
|
||||
'org.osbuild.debian-grub'
|
||||
]
|
||||
|
||||
found_stages = set()
|
||||
for stage in build_pipeline['stages']:
|
||||
found_stages.add(stage['type'])
|
||||
|
||||
missing_stages = set(required_stages) - found_stages
|
||||
if missing_stages:
|
||||
print(f"ERROR: Missing required stages: {missing_stages}")
|
||||
return False
|
||||
|
||||
# Validate stage options
|
||||
for stage in build_pipeline['stages']:
|
||||
if not self._validate_stage_options(stage):
|
||||
return False
|
||||
|
||||
return True
|
||||
|
||||
def _validate_stage_options(self, stage: Dict[str, Any]) -> bool:
|
||||
"""Validate stage options"""
|
||||
stage_type = stage['type']
|
||||
options = stage.get('options', {})
|
||||
|
||||
if stage_type == 'org.osbuild.debian-filesystem':
|
||||
required_options = ['rootfs_type', 'ostree_integration']
|
||||
for opt in required_options:
|
||||
if opt not in options:
|
||||
print(f"ERROR: Filesystem stage missing required option: {opt}")
|
||||
return False
|
||||
|
||||
elif stage_type == 'org.osbuild.apt':
|
||||
required_options = ['packages', 'release', 'arch']
|
||||
for opt in required_options:
|
||||
if opt not in options:
|
||||
print(f"ERROR: APT stage missing required option: {opt}")
|
||||
return False
|
||||
|
||||
elif stage_type == 'org.osbuild.debian-kernel':
|
||||
required_options = ['kernel_package', 'ostree_integration']
|
||||
for opt in required_options:
|
||||
if opt not in options:
|
||||
print(f"ERROR: Kernel stage missing required option: {opt}")
|
||||
return False
|
||||
|
||||
elif stage_type == 'org.osbuild.debian-grub':
|
||||
required_options = ['ostree_integration']
|
||||
for opt in required_options:
|
||||
if opt not in options:
|
||||
print(f"ERROR: GRUB stage missing required option: {opt}")
|
||||
return False
|
||||
|
||||
return True
|
||||
|
||||
def test_stage_configuration_optimization(self) -> bool:
|
||||
"""Test stage configuration optimization"""
|
||||
print("\n=== Testing Stage Configuration Optimization ===")
|
||||
|
||||
# Test different configuration scenarios
|
||||
test_configs = [
|
||||
{
|
||||
'name': 'Minimal QCOW2',
|
||||
'image_type': 'qcow2',
|
||||
'expected_stages': 4
|
||||
},
|
||||
{
|
||||
'name': 'Desktop with KDE',
|
||||
'image_type': 'desktop',
|
||||
'expected_stages': 5
|
||||
},
|
||||
{
|
||||
'name': 'Server with hardening',
|
||||
'image_type': 'server',
|
||||
'expected_stages': 5
|
||||
}
|
||||
]
|
||||
|
||||
for config in test_configs:
|
||||
print(f"Testing {config['name']}...")
|
||||
|
||||
try:
|
||||
manifest = self._generate_manifest(config['image_type'])
|
||||
stage_count = len(manifest['pipelines'][0]['stages'])
|
||||
|
||||
if stage_count < config['expected_stages']:
|
||||
print(f" WARNING: Expected {config['expected_stages']} stages, got {stage_count}")
|
||||
|
||||
# Validate stage dependencies
|
||||
if not self._validate_stage_dependencies(manifest):
|
||||
print(f" ERROR: Stage dependencies validation failed")
|
||||
return False
|
||||
|
||||
except Exception as e:
|
||||
print(f" ERROR: Configuration test failed: {e}")
|
||||
return False
|
||||
|
||||
print("✓ Stage configuration optimization validated")
|
||||
return True
|
||||
|
||||
def _validate_stage_dependencies(self, manifest: Dict[str, Any]) -> bool:
|
||||
"""Validate stage dependencies in manifest"""
|
||||
build_pipeline = manifest['pipelines'][0]
|
||||
stages = build_pipeline['stages']
|
||||
|
||||
# Check that filesystem stage comes first
|
||||
if stages[0]['type'] != 'org.osbuild.debian-filesystem':
|
||||
print(" ERROR: Filesystem stage must be first")
|
||||
return False
|
||||
|
||||
# Check that APT stage comes after filesystem
|
||||
apt_found = False
|
||||
for stage in stages:
|
||||
if stage['type'] == 'org.osbuild.apt':
|
||||
apt_found = True
|
||||
break
|
||||
elif stage['type'] == 'org.osbuild.debian-filesystem':
|
||||
continue
|
||||
else:
|
||||
print(f" ERROR: APT stage must come after filesystem, found {stage['type']} first")
|
||||
return False
|
||||
|
||||
if not apt_found:
|
||||
print(" ERROR: APT stage not found")
|
||||
return False
|
||||
|
||||
# Check that kernel and GRUB stages come after APT
|
||||
kernel_found = False
|
||||
grub_found = False
|
||||
|
||||
for stage in stages:
|
||||
if stage['type'] == 'org.osbuild.apt':
|
||||
continue
|
||||
elif stage['type'] == 'org.osbuild.debian-kernel':
|
||||
kernel_found = True
|
||||
elif stage['type'] == 'org.osbuild.debian-grub':
|
||||
grub_found = True
|
||||
elif stage['type'] == 'org.osbuild.debian-filesystem':
|
||||
continue
|
||||
else:
|
||||
# Custom stages can come anywhere
|
||||
pass
|
||||
|
||||
if not kernel_found:
|
||||
print(" ERROR: Kernel stage not found")
|
||||
return False
|
||||
|
||||
if not grub_found:
|
||||
print(" ERROR: GRUB stage not found")
|
||||
return False
|
||||
|
||||
return True
|
||||
|
||||
def cleanup(self):
|
||||
"""Clean up test environment"""
|
||||
if self.test_dir and os.path.exists(self.test_dir):
|
||||
import shutil
|
||||
shutil.rmtree(self.test_dir)
|
||||
print(f"Cleaned up test directory: {self.test_dir}")
|
||||
|
||||
def run_all_tests(self) -> bool:
|
||||
"""Run all integration tests"""
|
||||
print("=== Debian bootc-image-builder Manifest Integration Test ===")
|
||||
print("Phase 3.1 - Distribution Definition Refinement")
|
||||
print("=" * 60)
|
||||
|
||||
try:
|
||||
# Set up test environment
|
||||
if not self.setup():
|
||||
return False
|
||||
|
||||
# Run all tests
|
||||
tests = [
|
||||
self.test_stage_dependencies,
|
||||
self.test_package_list_optimization,
|
||||
self.test_manifest_generation,
|
||||
self.test_stage_configuration_optimization
|
||||
]
|
||||
|
||||
passed = 0
|
||||
total = len(tests)
|
||||
|
||||
for test in tests:
|
||||
if test():
|
||||
passed += 1
|
||||
else:
|
||||
print(f"❌ Test failed: {test.__name__}")
|
||||
|
||||
print("\n" + "=" * 60)
|
||||
print(f"Test Results: {passed}/{total} tests passed")
|
||||
|
||||
if passed == total:
|
||||
print("✅ All integration tests passed!")
|
||||
print("\nPhase 3.1 Status: READY FOR PRODUCTION")
|
||||
print("Next: Integrate with bootc-image-builder Go code")
|
||||
else:
|
||||
print("❌ Some tests failed - review and fix issues")
|
||||
|
||||
return passed == total
|
||||
|
||||
except Exception as e:
|
||||
print(f"ERROR: Test execution failed: {e}")
|
||||
return False
|
||||
|
||||
finally:
|
||||
self.cleanup()
|
||||
|
||||
|
||||
def main():
|
||||
"""Main test runner"""
|
||||
test = ManifestIntegrationTest()
|
||||
success = test.run_all_tests()
|
||||
sys.exit(0 if success else 1)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
main()
|
||||
Loading…
Add table
Add a link
Reference in a new issue