Skip to content

Auto update Test Matrix for Spring Boot #7

Auto update Test Matrix for Spring Boot

Auto update Test Matrix for Spring Boot #7

name: Update Spring Boot Versions
on:
schedule:
# Run every Monday at 9:00 AM UTC
- cron: '0 9 * * 1'
workflow_dispatch: # Allow manual triggering
pull_request: # remove this before merging
permissions:
contents: write
pull-requests: write
jobs:
update-spring-boot-versions:
runs-on: ubuntu-latest
steps:
- name: Checkout repository
uses: actions/checkout@v5
with:
token: ${{ secrets.GITHUB_TOKEN }}
- name: Set up Python
uses: actions/setup-python@v6
with:
python-version: '3.11'
- name: Install dependencies
run: |
pip install requests packaging
- name: Update Spring Boot versions
run: |
cat << 'EOF' > update_versions.py
import json
import re
import requests
from packaging import version
import sys
from pathlib import Path
def get_spring_boot_versions():
"""Fetch all Spring Boot versions from Maven Central with retry logic"""
# Use the versions API instead of the general search
url = "https://search.maven.org/solrsearch/select"
params = {
"q": "g:org.springframework.boot AND a:spring-boot",
"core": "gav",
"rows": 500,
"wt": "json"
}
max_retries = 3
timeout = 60 # Increased timeout
for attempt in range(max_retries):
try:
print(f"Fetching versions (attempt {attempt + 1}/{max_retries})...")
response = requests.get(url, params=params, timeout=timeout)
response.raise_for_status()
data = response.json()
if 'response' not in data or 'docs' not in data['response']:
raise Exception(f"Unexpected API response structure: {data}")
docs = data['response']['docs']
print(f"Found {len(docs)} documents in response")
if docs and len(docs) > 0:
print(f"Sample doc structure: {list(docs[0].keys())}")
versions = []
for doc in docs:
# Try different possible version field names
version_field = None
if 'v' in doc:
version_field = doc['v']
elif 'version' in doc:
version_field = doc['version']
elif 'latestVersion' in doc:
# This might be a summary doc, skip it
print(f"Skipping summary doc with latestVersion: {doc.get('latestVersion')}")
continue
else:
print(f"Warning: No version field found in doc: {doc}")
continue
# Only include release versions (no SNAPSHOT, RC, M versions for 2.x and 3.x)
if not any(suffix in version_field for suffix in ['SNAPSHOT', 'RC', 'BUILD']):
versions.append(version_field)
print(f"Successfully fetched {len(versions)} versions")
return sorted(versions, key=version.parse)
except requests.exceptions.Timeout as e:
print(f"Attempt {attempt + 1} timed out: {e}")
if attempt < max_retries - 1:
print("Retrying...")
continue
except Exception as e:
print(f"Attempt {attempt + 1} failed: {e}")
if attempt < max_retries - 1:
print("Retrying...")
continue
print("All attempts failed")
return []
def parse_current_versions(workflow_file):
"""Parse current Spring Boot versions from workflow file"""
content = Path(workflow_file).read_text()
# Find the springboot-version matrix line
pattern = r'springboot-version:\s*\[\s*([^\]]+)\s*\]'
match = re.search(pattern, content)
if not match:
return []
# Extract versions from the match
versions_str = match.group(1)
versions = []
for v in versions_str.split(','):
v = v.strip().strip("'\"")
if v:
versions.append(v)
return versions
def get_latest_patch(all_versions, minor_version):
"""Get the latest patch version for a given minor version"""
target_minor = '.'.join(minor_version.split('.')[:2])
patches = [v for v in all_versions if v.startswith(target_minor + '.')]
return max(patches, key=version.parse) if patches else minor_version
def update_version_matrix(current_versions, all_versions, major_version):
"""Update version matrix based on available versions"""
if not current_versions or not all_versions:
return current_versions, False
# Filter versions for this major version
major_versions = [v for v in all_versions if v.startswith(f"{major_version}.")]
if not major_versions:
return current_versions, False
updated_versions = []
changes_made = False
# Always keep the minimum supported version (first version)
min_version = current_versions[0]
updated_versions.append(min_version)
# Update patch versions for existing minor versions
for curr_version in current_versions[1:]: # Skip min version
if any(suffix in curr_version for suffix in ['M', 'RC', 'SNAPSHOT']):
# Keep milestone/RC versions as-is for pre-release majors
updated_versions.append(curr_version)
continue
latest_patch = get_latest_patch(major_versions, curr_version)
if latest_patch != curr_version:
print(f"Updating {curr_version} -> {latest_patch}")
changes_made = True
updated_versions.append(latest_patch)
# Check for new minor versions
current_minors = set()
for v in current_versions:
if not any(suffix in v for suffix in ['M', 'RC', 'SNAPSHOT']):
current_minors.add('.'.join(v.split('.')[:2]))
available_minors = set()
for v in major_versions:
if not any(suffix in v for suffix in ['M', 'RC', 'SNAPSHOT']):
available_minors.add('.'.join(v.split('.')[:2]))
new_minors = available_minors - current_minors
if new_minors:
# Add latest patch of new minor versions
for new_minor in sorted(new_minors, key=version.parse):
latest_patch = get_latest_patch(major_versions, new_minor + '.0')
updated_versions.append(latest_patch)
print(f"Adding new minor version: {latest_patch}")
changes_made = True
# Remove second oldest minor (but keep absolute minimum)
if len(updated_versions) > 7: # If we have more than 7 versions
# Sort by version, keep min version and remove second oldest
sorted_versions = sorted(updated_versions, key=version.parse)
min_version = sorted_versions[0]
other_versions = sorted_versions[1:]
# Keep all but the oldest of the "other" versions
if len(other_versions) > 6:
updated_versions = [min_version] + other_versions[1:]
print(f"Removed second oldest version: {other_versions[0]}")
changes_made = True
# Sort final versions
min_version = updated_versions[0]
other_versions = sorted([v for v in updated_versions if v != min_version], key=version.parse)
final_versions = [min_version] + other_versions
return final_versions, changes_made
def update_workflow_file(workflow_file, new_versions):
"""Update the workflow file with new versions"""
content = Path(workflow_file).read_text()
# Format new versions for YAML
versions_str = ", ".join([f"'{v}'" for v in new_versions])
new_matrix_line = f" springboot-version: [ {versions_str} ]"
# Replace the matrix line
pattern = r'(\s*)springboot-version:\s*\[\s*[^\]]+\s*\]'
replacement = new_matrix_line
updated_content = re.sub(pattern, replacement, content)
if updated_content != content:
Path(workflow_file).write_text(updated_content)
return True
return False
def main():
print("Fetching Spring Boot versions...")
all_versions = get_spring_boot_versions()
if not all_versions:
print("No versions found, exiting")
sys.exit(1)
print(f"Found {len(all_versions)} versions")
workflows = [
(".github/workflows/spring-boot-2-matrix.yml", "2"),
(".github/workflows/spring-boot-3-matrix.yml", "3"),
(".github/workflows/spring-boot-4-matrix.yml", "4")
]
changes_made = False
change_summary = []
for workflow_file, major_version in workflows:
if not Path(workflow_file).exists():
continue
print(f"\nProcessing {workflow_file} (Spring Boot {major_version}.x)")
current_versions = parse_current_versions(workflow_file)
if not current_versions:
continue
print(f"Current versions: {current_versions}")
new_versions, file_changed = update_version_matrix(current_versions, all_versions, major_version)
if file_changed:
print(f"New versions: {new_versions}")
if update_workflow_file(workflow_file, new_versions):
changes_made = True
change_summary.append(f"Spring Boot {major_version}.x: {' -> '.join([str(current_versions), str(new_versions)])}")
else:
print("No changes needed")
if changes_made:
print(f"\nChanges made to workflows:")
for change in change_summary:
print(f" - {change}")
# Write summary for later use
with open('version_changes.txt', 'w') as f:
f.write('\n'.join(change_summary))
else:
print("\nNo version updates needed")
sys.exit(0 if changes_made else 1)
if __name__ == "__main__":
main()
EOF
python update_versions.py
- name: Check for changes
id: changes
run: |
if git diff --quiet; then
echo "has_changes=false" >> $GITHUB_OUTPUT
else
echo "has_changes=true" >> $GITHUB_OUTPUT
fi
- name: Create Pull Request
if: steps.changes.outputs.has_changes == 'true'
uses: peter-evans/create-pull-request@v7
with:
token: ${{ secrets.GITHUB_TOKEN }}
base: feat/spring-boot-matrix-auto-update
commit-message: "chore: Update Spring Boot version matrices"
title: "Automated Spring Boot Version Update"
body: |
## Automated Spring Boot Version Update
This PR updates the Spring Boot version matrices in our test workflows based on the latest available versions.
### Changes Made:
$(cat version_changes.txt 2>/dev/null || echo "See diff for changes")
### Update Strategy:
- **Patch updates**: Updated to latest patch version of existing minor versions
- **New minor versions**: Added new minor versions and removed second oldest (keeping minimum supported)
- **Minimum version preserved**: Always keeps the minimum supported version for compatibility testing
This ensures our CI tests stay current with Spring Boot releases while maintaining coverage of older versions that users may still be using.
branch: automated-spring-boot-version-update
delete-branch: true
draft: false
- name: Summary
run: |
if [ "${{ steps.changes.outputs.has_changes }}" = "true" ]; then
echo "✅ Spring Boot version updates found and PR created"
cat version_changes.txt 2>/dev/null || true
else
echo "ℹ️ No Spring Boot version updates needed"
fi