Spaces:
Running
Running
File size: 7,666 Bytes
558414b |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 |
import re
import tomllib
from enum import StrEnum
from pathlib import Path
from typing import Any
import click
from rich.console import Console
from rich.panel import Panel
from rich.table import Table
from rich.traceback import install
install(extra_lines=0, max_frames=10)
class VersionLevel(StrEnum):
MAJOR = "major"
MINOR = "minor"
PATCH = "patch"
ALPHA = "alpha"
BETA = "beta"
RC = "rc"
DEV = "dev"
RELEASE = "release"
class SupportedBackend(StrEnum):
POETRY = "poetry"
UV = "uv"
def load_config():
pyproject_path = Path.cwd() / "pyproject.toml"
if pyproject_path.exists():
with open(pyproject_path, "rb") as f:
pyproject_data = tomllib.load(f)
config = pyproject_data.get("tool", {}).get("versioning", {}).get("files")
backend = (
pyproject_data.get("tool", {}).get("versioning", {}).get("backend")
)
if backend is None:
raise RuntimeError(
"`pyproject.toml` file doesn't contain `tool.versioning.backend` property."
)
match SupportedBackend(backend):
case SupportedBackend.POETRY:
version = (
pyproject_data.get("tool", {}).get("poetry", {}).get("version")
)
case SupportedBackend.UV:
version = pyproject_data.get("project", {}).get("version")
if version is None:
raise RuntimeError(
"`pyproject.toml` file doesn't contain `version` property."
)
return version, config
else:
raise RuntimeError("Unable to locate `pyproject.toml` file.")
def parse_version(version) -> dict[str, str | Any]:
VERSION_PATTERN = re.compile(
r"^"
r"(?P<major>\d+)\.(?P<minor>\d+)\.(?P<patch>\d+)"
r"(?:(?P<pre_type>a|b|rc)(?P<pre_num>\d+))?"
r"(?:\.post(?P<post>\d+))?"
r"(?:\.dev(?P<dev>\d+))?"
r"$"
)
pattern_match = VERSION_PATTERN.match(version)
if pattern_match:
return pattern_match.groupdict()
else:
raise ValueError(
f"Invalid version format {version}. Expected format: MAJOR.MINOR.PATCH[preTYPE[preNUM][.dev]]"
)
def find_substring_index(strings: list[str], substring: str) -> int:
return next(i for i, string in enumerate(strings) if substring in string)
def find_variable_and_replace_value_in_file(
file_name: str,
variable_name: str,
new_value: str,
dry_run: bool,
return_changed_line_number: bool = False,
) -> None | int:
file = Path.cwd() / file_name
text = file.read_text().splitlines(keepends=True)
line_index = find_substring_index(text, variable_name)
text[line_index] = text[line_index].replace(
re.search(f"{variable_name}.*$", text[line_index]).group(0),
variable_name + " = " + f'"{new_value}"',
)
if not dry_run:
file.write_text("".join(text))
if return_changed_line_number:
return line_index + 1
def sync_version_in_different_files(
version, config, dry_run: bool
) -> list[dict[str, int | str]]:
files_synced = []
if "version_variable" in config:
for value in config.get("version_variable"):
file_name = value.split(":")[0]
variable_name = value.split(":")[1]
line_number = find_variable_and_replace_value_in_file(
file_name,
variable_name,
version,
dry_run,
return_changed_line_number=True,
)
files_synced.append(
{
"file_path": file_name,
"line_number": line_number,
}
)
return files_synced
def versioning(level: VersionLevel, current_version: str, dry_run: bool) -> str:
version_parts = parse_version(current_version)
match level:
case VersionLevel.MAJOR:
new_version = f"{int(version_parts['major']) + 1}.0.0"
case VersionLevel.MINOR:
new_version = (
f"{version_parts['major']}.{int(version_parts['minor']) + 1}.0"
)
case VersionLevel.PATCH:
new_version = f"{version_parts['major']}.{version_parts['minor']}.{int(version_parts['patch']) + 1}"
case VersionLevel.ALPHA | VersionLevel.BETA | VersionLevel.RC:
pre_type_map = {
VersionLevel.ALPHA: "a",
VersionLevel.BETA: "b",
VersionLevel.RC: "rc",
}
if version_parts["pre_type"] == pre_type_map[level]:
pre_num = int(version_parts["pre_num"] or 0) + 1
else:
pre_num = 1
new_version = f"{version_parts['major']}.{version_parts['minor']}.{version_parts['patch']}{pre_type_map[level]}{pre_num}"
case VersionLevel.DEV:
if version_parts["pre_type"] and version_parts["pre_num"]:
pre_parts = f"{version_parts['pre_type']}{version_parts['pre_num']}"
else:
pre_parts = ""
dev_num = int(version_parts["dev"] or 0) + 1
new_version = f"{version_parts['major']}.{version_parts['minor']}.{version_parts['patch']}{pre_parts}.dev{dev_num}"
case VersionLevel.RELEASE:
if (
version_parts["pre_type"]
or version_parts["pre_num"]
or version_parts["dev"]
):
new_version = f"{version_parts['major']}.{version_parts['minor']}.{version_parts['patch']}"
else:
raise ValueError(
f"The project is already on release version {current_version}"
)
if not dry_run:
find_variable_and_replace_value_in_file(
"pyproject.toml", "version", new_version, dry_run=False
)
return new_version
def display_update_summary(
console: Console, files_synced: list[dict[str, int | str]]
) -> None:
grid = Table.grid()
grid.add_column(justify="center")
for sync_infomation in files_synced:
grid.add_row(
f"Synced version updates in file [cyan]`{sync_infomation['file_path']}`[/cyan] at line [cyan]{sync_infomation['line_number']}[/cyan]"
)
console.print(
Panel(grid, title="Version Update Summary", border_style="blue", padding=(1, 2))
)
@click.command()
@click.argument(
"level", type=click.Choice([vl.value for vl in VersionLevel], case_sensitive=False)
)
@click.option(
"--show-summary",
"-s",
is_flag=True,
help="Show what files changed",
)
@click.option(
"--dry-run",
"-d",
is_flag=True,
help="Show what would be done without making changes",
)
def main(level: str, show_summary: bool, dry_run: bool):
console = Console()
current_version, versioning_config = load_config()
new_version = versioning(VersionLevel(level), current_version, dry_run)
files_synced = sync_version_in_different_files(
new_version, versioning_config, dry_run
)
if dry_run:
console.print(
f"[yellow]Dry Run[/yellow]: Bumped version: [bold cyan]{current_version}[/bold cyan] :arrow_right: [bold green]{new_version}[/bold green]"
)
else:
console.print(
f"Bumped version: [bold cyan]{current_version}[/bold cyan] :arrow_right: [bold green]{new_version}[/bold green]"
)
if show_summary:
display_update_summary(console, files_synced)
if __name__ == "__main__":
main()
|