-
Notifications
You must be signed in to change notification settings - Fork 858
Add changelog generation tool for GitHub milestones #13063
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
cmcfarlen
wants to merge
5
commits into
apache:master
Choose a base branch
from
cmcfarlen:new-changelog-tool
base: master
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
5 commits
Select commit
Hold shift + click to select a range
dd857dc
Add changelog generation tool for GitHub milestones
cmcfarlen 4237219
Update release process docs to use new changelog tool
cmcfarlen a7a5535
fix python formatting
cmcfarlen cd07fa5
remove old changelog.pl script
cmcfarlen 1b48d9d
copilot review
cmcfarlen File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,368 @@ | ||
| #!/usr/bin/env python3 | ||
| # | ||
| # Licensed to the Apache Software Foundation (ASF) under one | ||
| # or more contributor license agreements. See the NOTICE file | ||
| # distributed with this work for additional information | ||
| # regarding copyright ownership. The ASF licenses this file | ||
| # to you under the Apache License, Version 2.0 (the | ||
| # "License"); you may not use this file except in compliance | ||
| # with the License. You may obtain a copy of the License at | ||
| # | ||
| # http://www.apache.org/licenses/LICENSE-2.0 | ||
| # | ||
| # Unless required by applicable law or agreed to in writing, software | ||
| # distributed under the License is distributed on an "AS IS" BASIS, | ||
| # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
| # See the License for the specific language governing permissions and | ||
| # limitations under the License. | ||
| """Generate a changelog from merged PRs in a GitHub milestone. | ||
|
|
||
| Usage: | ||
| uv run --project tools/changelog python tools/changelog/changelog.py \ | ||
| -o apache -r trafficserver -m 10.2.0 | ||
|
|
||
| Output is written to stdout in the format used by CHANGELOG-* files: | ||
|
|
||
| Changes with Apache Traffic Server 10.2.0 | ||
| #11945 - Make directory operations methods on `Directory` | ||
| #12026 - Static link opentelemetry-cpp libraries to otel_tracer plugin | ||
| ... | ||
|
|
||
| To generate a changelog file for a release: | ||
|
|
||
| uv run --project tools/changelog python tools/changelog/changelog.py \ | ||
| -o apache -r trafficserver -m 10.2.0 > CHANGELOG-10.2.0 | ||
|
|
||
| Use --doc to include extra metadata (merge commit SHA, full commit message, | ||
|
|
||
| labels) for each PR, useful for generating release documentation: | ||
|
|
||
| uv run --project tools/changelog python tools/changelog/changelog.py \ | ||
| -o apache -r trafficserver -m 10.2.0 --doc --format yaml > changelog.yaml | ||
|
|
||
| Requires a GitHub token via GH_TOKEN env var or -a flag to avoid rate limits. | ||
| """ | ||
|
|
||
| import argparse | ||
| import json | ||
| import os | ||
| import subprocess | ||
| import sys | ||
|
|
||
| import httpx | ||
|
|
||
| try: | ||
| import yaml | ||
| except ImportError: | ||
| yaml = None | ||
|
|
||
|
cmcfarlen marked this conversation as resolved.
|
||
| API_URL = "https://api.github.com" | ||
|
|
||
|
|
||
| def gh_cli_available() -> bool: | ||
| try: | ||
| subprocess.run(["gh", "--version"], capture_output=True, check=True) | ||
| return True | ||
| except (FileNotFoundError, subprocess.CalledProcessError): | ||
| return False | ||
|
|
||
|
|
||
| def changelog_via_gh(owner: str, repo: str, milestone: str, verbose: bool, doc: bool) -> list[dict]: | ||
| """Use the gh CLI to fetch milestone PRs (avoids API rate limits).""" | ||
| milestone_id = None | ||
| result = subprocess.run( | ||
| ["gh", "api", f"/repos/{owner}/{repo}/milestones?state=all", "--paginate"], | ||
| capture_output=True, | ||
| text=True, | ||
| ) | ||
| if result.returncode != 0: | ||
| print(f"gh api error: {result.stderr}", file=sys.stderr) | ||
| sys.exit(1) | ||
|
|
||
| milestones = json.loads(result.stdout) | ||
| for ms in milestones: | ||
| if ms["title"] == milestone: | ||
| milestone_id = ms["number"] | ||
| break | ||
|
|
||
| if milestone_id is None: | ||
| print(f"Milestone not found: {milestone}", file=sys.stderr) | ||
| sys.exit(1) | ||
|
|
||
| print(f"Looking for issues from Milestone {milestone}", file=sys.stderr) | ||
|
|
||
| changelog = [] | ||
| page = 1 | ||
| while True: | ||
| print(f"Page {page}", file=sys.stderr) | ||
| result = subprocess.run( | ||
| [ | ||
| "gh", | ||
| "api", | ||
| f"/repos/{owner}/{repo}/issues?milestone={milestone_id}&state=closed&page={page}&per_page=100", | ||
| ], | ||
| capture_output=True, | ||
| text=True, | ||
| ) | ||
| if result.returncode != 0: | ||
| print(f"gh api error: {result.stderr}", file=sys.stderr) | ||
| sys.exit(1) | ||
|
|
||
| issues = json.loads(result.stdout) | ||
| if not issues: | ||
| break | ||
|
|
||
| for issue in issues: | ||
| number = issue["number"] | ||
| title = issue["title"] | ||
| if verbose: | ||
| print(f"Issue #{number} - {title} ", end="", file=sys.stderr) | ||
|
|
||
| if "pull_request" not in issue: | ||
| if verbose: | ||
| print("not a PR.", file=sys.stderr) | ||
| continue | ||
|
|
||
| merge_result = subprocess.run( | ||
| ["gh", "api", f"/repos/{owner}/{repo}/pulls/{number}/merge"], | ||
| capture_output=True, | ||
| text=True, | ||
| ) | ||
| if merge_result.returncode != 0: | ||
| if verbose: | ||
| print("not merged.", file=sys.stderr) | ||
| continue | ||
|
|
||
| if verbose: | ||
| print("added.", file=sys.stderr) | ||
|
|
||
| entry: dict = {"number": number, "title": title} | ||
| if doc: | ||
| labels = [label["name"] for label in issue.get("labels", [])] | ||
| entry["labels"] = labels | ||
| pr_detail = subprocess.run( | ||
| ["gh", "api", f"/repos/{owner}/{repo}/pulls/{number}"], | ||
| capture_output=True, | ||
| text=True, | ||
| ) | ||
| if pr_detail.returncode == 0: | ||
| pr_data = json.loads(pr_detail.stdout) | ||
| entry["sha"] = pr_data.get("merge_commit_sha", "") | ||
| entry["body"] = pr_data.get("body", "") or "" | ||
| else: | ||
| entry["sha"] = "" | ||
| entry["body"] = "" | ||
| changelog.append(entry) | ||
|
|
||
| page += 1 | ||
|
|
||
| return changelog | ||
|
|
||
|
|
||
| def changelog_via_api( | ||
| owner: str, | ||
| repo: str, | ||
| milestone: str, | ||
| token: str | None, | ||
| verbose: bool, | ||
| doc: bool, | ||
| ) -> list[dict]: | ||
| """Use httpx to call the GitHub REST API directly.""" | ||
| headers = { | ||
| "Accept": "application/vnd.github.v3+json", | ||
| "User-Agent": "ATS-Changelog-Tool", | ||
| } | ||
| if token: | ||
| headers["Authorization"] = f"Bearer {token}" | ||
|
|
||
| with httpx.Client(base_url=API_URL, headers=headers, timeout=30) as client: | ||
| milestone_id = _lookup_milestone(client, owner, repo, milestone) | ||
| if milestone_id is None: | ||
| print(f"Milestone not found: {milestone}", file=sys.stderr) | ||
| sys.exit(1) | ||
|
|
||
| print(f"Looking for issues from Milestone {milestone}", file=sys.stderr) | ||
|
|
||
| changelog = [] | ||
| page = 1 | ||
| while True: | ||
| print(f"Page {page}", file=sys.stderr) | ||
| resp = client.get( | ||
| f"/repos/{owner}/{repo}/issues", | ||
| params={ | ||
| "milestone": milestone_id, | ||
| "state": "closed", | ||
| "page": page, | ||
| "per_page": 100, | ||
| }, | ||
| ) | ||
| _check_rate_limit(resp) | ||
| resp.raise_for_status() | ||
| issues = resp.json() | ||
|
|
||
| if not issues: | ||
| break | ||
|
|
||
| for issue in issues: | ||
| number = issue["number"] | ||
| title = issue["title"] | ||
| if verbose: | ||
| print(f"Issue #{number} - {title} ", end="", file=sys.stderr) | ||
|
|
||
| if "pull_request" not in issue: | ||
| if verbose: | ||
| print("not a PR.", file=sys.stderr) | ||
| continue | ||
|
|
||
| if not _is_merged(client, owner, repo, number): | ||
| if verbose: | ||
| print("not merged.", file=sys.stderr) | ||
| continue | ||
|
|
||
| if verbose: | ||
| print("added.", file=sys.stderr) | ||
|
|
||
| entry: dict = {"number": number, "title": title} | ||
| if doc: | ||
| labels = [label["name"] for label in issue.get("labels", [])] | ||
| entry["labels"] = labels | ||
| pr_resp = client.get(f"/repos/{owner}/{repo}/pulls/{number}") | ||
| _check_rate_limit(pr_resp) | ||
| pr_resp.raise_for_status() | ||
| pr_data = pr_resp.json() | ||
| entry["sha"] = pr_data.get("merge_commit_sha", "") | ||
| entry["body"] = pr_data.get("body", "") or "" | ||
| changelog.append(entry) | ||
|
|
||
| page += 1 | ||
|
|
||
| return changelog | ||
|
|
||
|
|
||
| def _lookup_milestone(client: httpx.Client, owner: str, repo: str, title: str) -> int | None: | ||
| page = 1 | ||
| while True: | ||
| resp = client.get(f"/repos/{owner}/{repo}/milestones", params={"state": "all", "per_page": 100, "page": page}) | ||
| _check_rate_limit(resp) | ||
| resp.raise_for_status() | ||
| data = resp.json() | ||
| if not data: | ||
| break | ||
| for ms in data: | ||
| if ms["title"] == title: | ||
| return ms["number"] | ||
| page += 1 | ||
| return None | ||
|
|
||
|
|
||
| def _is_merged(client: httpx.Client, owner: str, repo: str, pr_number: int) -> bool: | ||
| resp = client.get(f"/repos/{owner}/{repo}/pulls/{pr_number}/merge") | ||
| if resp.status_code == 204: | ||
| return True | ||
| if resp.status_code == 404: | ||
| return False | ||
| _check_rate_limit(resp) | ||
| resp.raise_for_status() | ||
| return False | ||
|
|
||
|
|
||
| def _check_rate_limit(resp: httpx.Response) -> None: | ||
| if resp.status_code == 403: | ||
| print( | ||
| "You have exceeded your rate limit. Try using an auth token.", | ||
| file=sys.stderr, | ||
| ) | ||
| sys.exit(2) | ||
|
|
||
|
|
||
| def main(): | ||
|
cmcfarlen marked this conversation as resolved.
|
||
| parser = argparse.ArgumentParser(description="Generate changelog from merged PRs in a GitHub milestone.") | ||
| parser.add_argument("-o", "--owner", required=True, help="Repository owner") | ||
| parser.add_argument("-r", "--repo", required=True, help="Repository name") | ||
| parser.add_argument("-m", "--milestone", required=True, help="Milestone title") | ||
| parser.add_argument("-a", "--auth", default=None, help="GitHub auth token (or set GH_TOKEN env var)") | ||
| parser.add_argument("-v", "--verbose", action="store_true", help="Verbose output") | ||
|
Comment on lines
+281
to
+283
|
||
| parser.add_argument( | ||
| "--doc", | ||
| action="store_true", | ||
| help="Include extra metadata (merge SHA, full commit message, labels) for documentation", | ||
| ) | ||
|
cmcfarlen marked this conversation as resolved.
|
||
| parser.add_argument( | ||
| "--format", | ||
| choices=["text", "yaml"], | ||
| default="text", | ||
| help="Output format (default: text)", | ||
| ) | ||
| parser.add_argument( | ||
| "--use-gh", | ||
| action="store_true", | ||
| help="Use gh CLI instead of direct API calls (avoids rate limits)", | ||
| ) | ||
| args = parser.parse_args() | ||
|
|
||
| token = args.auth or os.environ.get("GH_TOKEN") | ||
|
|
||
| if not token and not args.use_gh: | ||
| print( | ||
| "WARNING: No GitHub token provided. Unauthenticated requests are limited\n" | ||
| "to 60 per hour, which is usually not enough to generate a full changelog.\n" | ||
| "\n" | ||
| "Provide a token via -a or the GH_TOKEN environment variable.\n" | ||
| "\n" | ||
| "To create a token:\n" | ||
| " 1. Go to https://github.com/settings/tokens\n" | ||
| " 2. Click 'Generate new token' -> 'Generate new token (classic)'\n" | ||
| " 3. Select the 'public_repo' scope (sufficient for public repositories)\n" | ||
| " 4. For fine-grained tokens, grant read-only access to Issues and\n" | ||
| " Pull Requests on the target repository\n" | ||
| "\n" | ||
| "Alternatively, use --use-gh to use the gh CLI with its existing auth.\n", | ||
| file=sys.stderr, | ||
| ) | ||
|
|
||
| if args.use_gh: | ||
| if not gh_cli_available(): | ||
| print("gh CLI not found. Install it or omit --use-gh.", file=sys.stderr) | ||
| sys.exit(1) | ||
| changelog = changelog_via_gh(args.owner, args.repo, args.milestone, args.verbose, args.doc) | ||
| else: | ||
| changelog = changelog_via_api( | ||
| args.owner, | ||
| args.repo, | ||
| args.milestone, | ||
| token, | ||
| args.verbose, | ||
| args.doc, | ||
| ) | ||
|
|
||
| if changelog: | ||
| changelog.sort(key=lambda x: x["number"]) | ||
|
|
||
| if args.format == "yaml": | ||
| output = { | ||
| "milestone": args.milestone, | ||
| "owner": args.owner, | ||
| "repo": args.repo, | ||
| "entries": changelog, | ||
| } | ||
| if yaml is None: | ||
| print("ERROR: --format yaml requires PyYAML. Install it with: pip install pyyaml", file=sys.stderr) | ||
| sys.exit(1) | ||
| yaml.dump(output, sys.stdout, default_flow_style=False, sort_keys=False, allow_unicode=True) | ||
| else: | ||
| print(f"Changes with Apache Traffic Server {args.milestone}") | ||
| for entry in changelog: | ||
| print(f" #{entry['number']} - {entry['title']}") | ||
| if args.doc: | ||
| if entry.get("sha"): | ||
| print(f" SHA: {entry['sha']}") | ||
| if entry.get("labels"): | ||
| print(f" Labels: {', '.join(entry['labels'])}") | ||
| if entry.get("body"): | ||
| body_lines = entry["body"].strip().split("\n") | ||
| print(f" Body:") | ||
| for line in body_lines: | ||
| print(f" {line}") | ||
|
|
||
|
|
||
| if __name__ == "__main__": | ||
| main() | ||
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.