Skip to content

Commit

Permalink
[ci] Add auto-updating 'green' tag
Browse files Browse the repository at this point in the history
This adds a script that runs on a cron to discover the last commit where CI all passed (every job was successful and `tvm-ci/branch` is included) and updates a git tag `green` to point to this commit on `main`. This can be used for checking out the latest unbroken TVM, which can be useful for developers wanting a good changeset to base their changes on or for infra needing a clean, up-to-date TVM.
  • Loading branch information
driazati committed Jan 25, 2022
1 parent 73bbfbb commit ca470d2
Show file tree
Hide file tree
Showing 4 changed files with 334 additions and 2 deletions.
45 changes: 45 additions & 0 deletions .github/workflows/update_tag.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
# 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.

# GH actions.
# We use it to cover windows and mac builds
# Jenkins is still the primary CI

name: Update last-successful tag

on:
workflow_dispatch:
schedule:
cron: 15/* * * * *

concurrency:
group: update-last-successful-tag
cancel-in-progress: true

jobs:
update-last-successful-tag:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v2
with:
submodules: "recursive"
- name: Update last-successful tag
env:
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
run: |
set -eux
python tests/scripts/update_tag.py || echo step failed
96 changes: 96 additions & 0 deletions tests/python/unittest/test_ci.py
Original file line number Diff line number Diff line change
Expand Up @@ -26,6 +26,102 @@
REPO_ROOT = pathlib.Path(__file__).resolve().parent.parent.parent.parent


def test_update_tag():
update_script = REPO_ROOT / "tests" / "scripts" / "update_tag.py"

def run(statuses, expected_rc, expected_output):
commit = {
"statusCheckRollup": {"contexts": {"nodes": statuses}},
"oid": "123",
"messageHeadline": "hello",
}
data = {
"data": {
"repository": {
"defaultBranchRef": {"target": {"history": {"edges": [], "nodes": [commit]}}}
}
}
}
proc = subprocess.run(
[str(update_script), "--dry-run", "--json", json.dumps(data)],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
encoding="utf-8",
)

if proc.returncode != expected_rc:
raise RuntimeError(
f"Wrong return code:\nstdout:\n{proc.stdout}\n\nstderr:\n{proc.stderr}"
)

if expected_output not in proc.stdout:
raise RuntimeError(
f"Missing {expected_output}:\nstdout:\n{proc.stdout}\n\nstderr:\n{proc.stderr}"
)

# Missing expected tvm-ci/branch test
run(
statuses=[
{
"context": "test",
"state": "SUCCESS",
}
],
expected_rc=1,
expected_output="No good commits found in the last 1 commits",
)

# Only has the right passing test
run(
statuses=[
{
"context": "tvm-ci/branch",
"state": "SUCCESS",
}
],
expected_rc=0,
expected_output="Found last good commit: 123: hello",
)

# Check with many statuses
run(
statuses=[
{
"context": "tvm-ci/branch",
"state": "SUCCESS",
},
{
"context": "tvm-ci/branch2",
"state": "SUCCESS",
},
{
"context": "tvm-ci/branch3",
"state": "FAILED",
},
],
expected_rc=1,
expected_output="No good commits found in the last 1 commits",
)
run(
statuses=[
{
"context": "tvm-ci/branch",
"state": "SUCCESS",
},
{
"context": "tvm-ci/branch2",
"state": "SUCCESS",
},
{
"context": "tvm-ci/branch3",
"state": "SUCCESS",
},
],
expected_rc=0,
expected_output="Found last good commit: 123: hello",
)


def test_cc_reviewers():
reviewers_script = REPO_ROOT / "tests" / "scripts" / "github_cc_reviewers.py"

Expand Down
4 changes: 2 additions & 2 deletions tests/scripts/git_utils.py
Original file line number Diff line number Diff line change
Expand Up @@ -88,8 +88,8 @@ def parse_remote(remote: str) -> Tuple[str, str]:
return m.groups()


def git(command):
def git(command, **kwargs):
command = ["git"] + command
print("Running", command)
proc = subprocess.run(command, stdout=subprocess.PIPE, check=True)
proc = subprocess.run(command, stdout=subprocess.PIPE, check=True, **kwargs)
return proc.stdout.decode().strip()
191 changes: 191 additions & 0 deletions tests/scripts/update_tag.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,191 @@
#!/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.

import os
import json
import argparse
import tempfile
from typing import Any, Dict

from git_utils import git, GitHubRepo, parse_remote


_commit_query_fields = """
messageHeadline
oid
statusCheckRollup {
contexts(last:100) {
nodes {
... on CheckRun {
conclusion
status
name
checkSuite {
workflowRun {
workflow {
name
}
}
}
}
... on StatusContext {
context
state
}
}
}
}
"""


def commits_query(user: str, repo: str, cursor: str = None):
"""
Create a GraphQL query to find the last N commits along with their statuses
and some metadata (paginated after 'cursor')
"""
after = ""
if cursor is not None:
after = f', after:"{cursor}"'

return f"""
{{
repository(name: "{repo}", owner: "{user}") {{
defaultBranchRef {{
target {{
... on Commit {{
history(first: 15{after}) {{
edges {{ cursor }}
nodes {{
{_commit_query_fields}
}}
}}
}}
}}
}}
}}
}}
"""


def commit_passed_ci(commit: Dict[str, Any]) -> bool:
"""
Returns true if all of a commit's statuses are SUCCESS
"""
statuses = commit["statusCheckRollup"]["contexts"]["nodes"]

# GitHub Actions statuses are different from external GitHub statuses, so
# unify them into 1 representation
unified_statuses = []
for status in statuses:
if "context" in status:
# Parse non-GHA status
unified_statuses.append((status["context"], status["state"] == "SUCCESS"))
else:
# Parse GitHub Actions item
workflow = status["checkSuite"]["workflowRun"]["workflow"]["name"]
name = f"{workflow} / {status['name']}"
unified_statuses.append((name, status["conclusion"] == "SUCCESS"))

print(f"Statuses on {commit['oid']}:", json.dumps(unified_statuses, indent=2))

# Assert that specific jobs are present in the commit statuses (i.e. don't
# approve if CI was broken and didn't schedule a job)
expected_jobs = {"tvm-ci/branch"}
job_names = {name for name, status in unified_statuses}
for job in expected_jobs:
if job not in job_names:
# Did not find expected job name
return False

passed_ci = all(status for name, status in unified_statuses)
return passed_ci


def update_tag(user: str, repo: str, sha: str, tag_name: str, message: str) -> None:
with tempfile.TemporaryDirectory() as f:
# Clone only a specific commit: https://stackoverflow.com/a/3489576
git(["init"], cwd=f)
git(["remote", "add", "origin", f"git@github.com:{user}/{repo}.git"], cwd=f)
git(["fetch", "origin", sha], cwd=f)
git(["reset", "--hard", "FETCH_HEAD"], cwd=f)

# Create a push the tag
git(["tag", "--annotate", tag_name, f"--message={message}"], cwd=f)
git(["push", "origin", "--force", tag_name], cwd=f)
print(f"Pushed tag {tag_name} with commit {sha}")


if __name__ == "__main__":
help = "Push the a tag to the last commit that passed all CI runs"
parser = argparse.ArgumentParser(description=help)
parser.add_argument("--remote", default="origin", help="ssh remote to parse")
parser.add_argument("--dry-run", action="store_true", help="don't submit to GitHub")
parser.add_argument("--tag", default="last-successful", help="tag name")
parser.add_argument(
"--message", default="last 'main' commit that passed CI", help="label to add"
)
parser.add_argument("--json", help="(testing) data to use instead of fetching from GitHub")
args = parser.parse_args()

remote = git(["config", "--get", f"remote.{args.remote}.url"])
user, repo = parse_remote(remote)

if args.json:
r = json.loads(args.json)
else:
github = GitHubRepo(token=os.environ["GITHUB_TOKEN"], user=user, repo=repo)
q = commits_query(user, repo)
r = github.graphql(q)

commits = r["data"]["repository"]["defaultBranchRef"]["target"]["history"]["nodes"]

# Limit GraphQL pagination
MAX_COMMITS_TO_CHECK = 50
i = 0

while i < MAX_COMMITS_TO_CHECK:
# Check each commit
for commit in commits:
if commit_passed_ci(commit):
print(f"Found last good commit: {commit['oid']}: {commit['messageHeadline']}")
if not args.dry_run:
update_tag(
user="driazati",
# user=user,
repo=repo,
sha=commit["oid"],
tag_name=args.tag,
message=args.message,
)
# Nothing to do after updating the tag, exit early
exit(0)

# No good commit found, proceed to next page of results
edges = r["data"]["repository"]["defaultBranchRef"]["target"]["history"]["edges"]
if len(edges) == 0:
break
else:
q = commits_query(user, repo, cursor=edges[-1]["cursor"])
r = github.graphql(q)
commits = r["data"]["repository"]["defaultBranchRef"]["target"]["history"]["nodes"]

# Backstop to prevent looking through all the past commits
i += len(commits)

print(f"No good commits found in the last {len(commits)} commits")
exit(1)

0 comments on commit ca470d2

Please sign in to comment.