Book a Demo!
CoCalc Logo Icon
StoreFeaturesDocsShareSupportNewsAboutPoliciesSign UpSign In
SeleniumHQ
GitHub Repository: SeleniumHQ/Selenium
Path: blob/trunk/scripts/update_multitool_binaries.py
1856 views
1
#!/usr/bin/env python
2
3
"""
4
This script updates the version of tool binaries defined in a Bazel rules_multitool lockfile.
5
If the tool has binaries hosted in a public GitHub repo's Release assets, it will update the
6
lockfile's URL and hash to the latest versions, otherwise it will skip it.
7
8
See: https://github.com/theoremlp/rules_multitool
9
10
-----------------------------------------------------------------------------------------------------------
11
usage: update_multitool_binaries.py [-h] [--file LOCKFILE_PATH]
12
13
options:
14
-h, --help show this help message and exit
15
--file LOCKFILE_PATH path to multitool lockfile (defaults to 'multitool.lock.json' in current directory)
16
-----------------------------------------------------------------------------------------------------------
17
"""
18
19
import argparse
20
import json
21
import os
22
import re
23
import urllib.request
24
25
26
def run(lockfile_path):
27
with open(lockfile_path) as f:
28
data = json.load(f)
29
30
for tool in [tool for tool in data if tool != "$schema"]:
31
match = re.search(f"download/(.*?)/{tool}", data[tool]["binaries"][0]["url"])
32
if match:
33
version = match[1]
34
else:
35
continue
36
match = re.search("github.com/(.*?)/releases", data[tool]["binaries"][0]["url"])
37
if match:
38
releases_url = f"https://api.github.com/repos/{match[1]}/releases/latest"
39
else:
40
continue
41
try:
42
with urllib.request.urlopen(releases_url) as response:
43
json_resp = json.loads(response.read())
44
new_version = json_resp["tag_name"]
45
assets = json_resp["assets"]
46
except Exception:
47
continue
48
if new_version != version:
49
print(f"found new version of '{tool}': {new_version}")
50
urls = [asset.get("browser_download_url") for asset in assets]
51
hashes = [asset.get("digest").split(":")[1] for asset in assets]
52
for binary in data[tool]["binaries"]:
53
new_url = binary["url"].replace(version, new_version)
54
new_hash = hashes[urls.index(new_url)]
55
binary["url"] = new_url
56
binary["sha256"] = new_hash
57
58
with open(lockfile_path, "w") as f:
59
json.dump(data, f, indent=2)
60
61
print(f"\ngenerated new '{lockfile_path}' with updated urls and hashes")
62
63
64
def main():
65
parser = argparse.ArgumentParser()
66
parser.add_argument(
67
"--file",
68
dest="lockfile_path",
69
default=os.path.join(os.getcwd(), "multitool.lock.json"),
70
help="path to multitool lockfile (defaults to 'multitool.lock.json' in current directory)",
71
)
72
args = parser.parse_args()
73
run(args.lockfile_path)
74
75
76
if __name__ == "__main__":
77
main()
78
79