2020-07-17 14:32:23 +02:00
|
|
|
#!/usr/bin/env python3
|
|
|
|
|
|
|
|
import argparse
|
|
|
|
import re
|
|
|
|
import subprocess
|
|
|
|
from dataclasses import dataclass
|
|
|
|
import sys
|
|
|
|
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
class Version:
|
|
|
|
major: int
|
|
|
|
minor: int
|
|
|
|
patch: int
|
|
|
|
beta: int = 0
|
|
|
|
dev: bool = False
|
|
|
|
|
|
|
|
def __str__(self):
|
2021-03-07 20:03:16 +01:00
|
|
|
return f"{self.major}.{self.minor}.{self.full_patch}"
|
2020-07-17 14:32:23 +02:00
|
|
|
|
|
|
|
@property
|
|
|
|
def full_patch(self):
|
2021-03-07 20:03:16 +01:00
|
|
|
res = f"{self.patch}"
|
2020-07-17 14:32:23 +02:00
|
|
|
if self.beta > 0:
|
2021-03-07 20:03:16 +01:00
|
|
|
res += f"b{self.beta}"
|
2020-07-17 14:32:23 +02:00
|
|
|
if self.dev:
|
2021-03-07 20:03:16 +01:00
|
|
|
res += "-dev"
|
2020-07-17 14:32:23 +02:00
|
|
|
return res
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
def parse(cls, value):
|
2021-03-07 20:03:16 +01:00
|
|
|
match = re.match(r"(\d+).(\d+).(\d+)(b\d+)?(-dev)?", value)
|
2020-07-17 14:32:23 +02:00
|
|
|
assert match is not None
|
|
|
|
major = int(match[1])
|
|
|
|
minor = int(match[2])
|
|
|
|
patch = int(match[3])
|
|
|
|
beta = int(match[4][1:]) if match[4] else 0
|
|
|
|
dev = bool(match[5])
|
2021-03-07 20:03:16 +01:00
|
|
|
return Version(major=major, minor=minor, patch=patch, beta=beta, dev=dev)
|
2020-07-17 14:32:23 +02:00
|
|
|
|
|
|
|
|
|
|
|
def sub(path, pattern, repl, expected_count=1):
|
|
|
|
with open(path) as fh:
|
|
|
|
content = fh.read()
|
2020-07-25 23:19:10 +02:00
|
|
|
content, count = re.subn(pattern, repl, content, flags=re.MULTILINE)
|
2020-07-17 14:32:23 +02:00
|
|
|
if expected_count is not None:
|
2020-07-25 23:19:10 +02:00
|
|
|
assert count == expected_count, f"Pattern {pattern} replacement failed!"
|
2020-07-17 14:32:23 +02:00
|
|
|
with open(path, "wt") as fh:
|
|
|
|
fh.write(content)
|
|
|
|
|
|
|
|
|
|
|
|
def write_version(version: Version):
|
|
|
|
sub(
|
2021-03-07 20:03:16 +01:00
|
|
|
"esphome/const.py",
|
2021-07-15 21:30:04 +02:00
|
|
|
r"^__version__ = .*$",
|
|
|
|
f'__version__ = "{version}"',
|
2020-07-17 14:32:23 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
|
|
|
|
def main():
|
|
|
|
parser = argparse.ArgumentParser()
|
2021-03-07 20:03:16 +01:00
|
|
|
parser.add_argument("new_version", type=str)
|
2020-07-17 14:32:23 +02:00
|
|
|
args = parser.parse_args()
|
|
|
|
|
|
|
|
version = Version.parse(args.new_version)
|
|
|
|
print(f"Bumping to {version}")
|
|
|
|
write_version(version)
|
2020-07-25 19:26:30 +02:00
|
|
|
return 0
|
2020-07-17 14:32:23 +02:00
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
sys.exit(main() or 0)
|