Skip to content

Commit d146281

Browse files
authored
feat: release v0.4.0 (#16)
1 parent 1840474 commit d146281

File tree

3 files changed

+185
-1
lines changed

3 files changed

+185
-1
lines changed

.github/workflows/release.yml

+47
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,47 @@
1+
# This workflow is triggered when a PR is merged whose source branch's name starts with "release" and whose target branch is "main".
2+
# It checks for the current package version (in pyproject.toml) and the latest tag on GitHub.
3+
# If package version is more recent, it builds the project, uploads to PYPI, creates a Tag and makes a release on GitHub.
4+
# Secrets PYPI_USERNAME and PYPI_PASSWORD are required!
5+
6+
name: Check and release
7+
on:
8+
pull_request:
9+
branches: [main]
10+
types: [closed]
11+
12+
jobs:
13+
build:
14+
defaults:
15+
run:
16+
shell: bash
17+
18+
if: github.event.pull_request.merged == true && startsWith(github.event.pull_request.head.ref, 'release')
19+
runs-on: ubuntu-latest
20+
steps:
21+
22+
- name: Checkout Repo
23+
uses: actions/checkout@v3
24+
25+
- name: Setup Python
26+
uses: actions/setup-python@v4
27+
with:
28+
python-version: '3.11'
29+
30+
- name: Install Poetry
31+
run: |
32+
export POETRY_HOME=/opt/poetry
33+
python3 -m venv $POETRY_HOME
34+
$POETRY_HOME/bin/pip install poetry==1.4.0
35+
$POETRY_HOME/bin/poetry --version
36+
37+
- name: Run release script
38+
env:
39+
PYPI_USERNAME: __token__
40+
PYPI_PASSWORD: ${{secrets.FETCHBOT_PYPI_TOKEN}}
41+
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
42+
GH_TOKEN: ${{ github.token }}
43+
run: |
44+
pip install tomli packaging poetry
45+
git config --global user.email "[email protected]"
46+
git config --global user.name "CI BOT"
47+
python3 ./scripts/do_release.py

pyproject.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[tool.poetry]
22
name = "fetchai-babble"
3-
version = "0.3.0"
3+
version = "0.4.0"
44
description = "A simple python library for interacting with the Fetch.ai messaging service (called Memorandum)"
55
authors = ["Fetch.AI Limited"]
66
license = "Apache 2.0"

scripts/do_release.py

+137
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,137 @@
1+
"""Release automation script."""
2+
3+
import os
4+
import subprocess
5+
import sys
6+
from pathlib import Path
7+
8+
import tomli
9+
from packaging.version import Version
10+
11+
12+
ROOT = Path(__file__).parent.parent
13+
14+
15+
class EnvCredentials:
16+
"""Credentials from env variables."""
17+
18+
@property
19+
def pypi_username(self) -> str:
20+
"""Get PYPI username."""
21+
return os.environ.get("PYPI_USERNAME") or ""
22+
23+
@property
24+
def pypi_password(self) -> str:
25+
"""Get PYPI password."""
26+
return os.environ.get("PYPI_PASSWORD") or ""
27+
28+
29+
def get_the_latest_release_version() -> Version:
30+
"""Get release version from gihtub tags."""
31+
text = subprocess.check_output("git ls-remote --tags origin", shell=True, text=True)
32+
tags = [i.split("\t")[1].strip() for i in text.splitlines()]
33+
tags = [i for i in tags if i.startswith("refs/tags/v") and not i.endswith("^{}")]
34+
versions = [i.replace("refs/tags/v", "") for i in tags]
35+
return Version(versions[-1])
36+
37+
38+
def get_current_version() -> Version:
39+
"""Get current code version."""
40+
text = (ROOT / "pyproject.toml").read_text()
41+
version = tomli.loads(text)["tool"]["poetry"]["version"]
42+
return Version(version)
43+
44+
45+
def do_we_need_to_release() -> bool:
46+
"""Check is code version is newer than on github."""
47+
current_version = get_current_version()
48+
released_version = get_the_latest_release_version()
49+
return current_version > released_version
50+
51+
52+
def make_tag(current_version: Version) -> None:
53+
"""Make git tag."""
54+
subprocess.check_call(
55+
f"git tag v{current_version} -m 'Release {current_version}'", shell=True
56+
)
57+
58+
59+
def push_tag(current_version) -> None:
60+
"""Push tag to github."""
61+
subprocess.check_call(f"git push origin v{current_version}", shell=True)
62+
63+
64+
def make_release(current_version: Version) -> None:
65+
"""Make release on Github."""
66+
subprocess.check_call(
67+
f"""gh release create v{current_version} --title "v{current_version}"
68+
--generate-notes""",
69+
shell=True,
70+
)
71+
72+
73+
def build_packages():
74+
"""Build packages."""
75+
subprocess.check_call("poetry build", shell=True)
76+
77+
78+
class ReleaseTool:
79+
"""Release helper tool."""
80+
81+
def __init__(self, credentials: EnvCredentials) -> None:
82+
"""Init release tool instance."""
83+
self._credentials = credentials
84+
85+
def upload_packages(self):
86+
"""Upload packages to PYPI."""
87+
result = subprocess.run(
88+
f"poetry publish --skip-existing --username {self._credentials.pypi_username} "
89+
f"--password {self._credentials.pypi_password} --verbose",
90+
check=True,
91+
shell=True,
92+
stdout=sys.stdout,
93+
stderr=sys.stderr,
94+
)
95+
if result.returncode != 0:
96+
raise RuntimeError("Upload pacakges failed!")
97+
98+
def main(self):
99+
"""Run release process."""
100+
current_version = get_current_version()
101+
latest_release_version = get_the_latest_release_version()
102+
103+
print("Current version:", current_version)
104+
print("Latest release version:", latest_release_version)
105+
106+
if current_version > latest_release_version:
107+
print("Current version is newer. Good to go.")
108+
else:
109+
print("Current version is not newer. Exiting.")
110+
return
111+
112+
print("\nBuilding packages")
113+
build_packages()
114+
print("Packages built")
115+
116+
print("\nUpload packages")
117+
self.upload_packages()
118+
print("Packages uploaded")
119+
120+
print("\nMake tag")
121+
make_tag(current_version)
122+
print("Tag made")
123+
124+
print("\nPush tag")
125+
push_tag(current_version)
126+
print("Tag pushed")
127+
128+
print("\nMake release")
129+
make_release(current_version)
130+
print("Release made." "")
131+
132+
print("\nDONE")
133+
134+
135+
if __name__ == "__main__":
136+
creds = EnvCredentials()
137+
ReleaseTool(creds).main()

0 commit comments

Comments
 (0)