-
Notifications
You must be signed in to change notification settings - Fork 3.1k
/
Copy pathupdate-rtd-redirects.py
162 lines (121 loc) · 4.5 KB
/
update-rtd-redirects.py
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
"""Update the 'exact' redirects on Read the Docs to match an in-tree file's contents.
Relevant API reference: https://docs.readthedocs.io/en/stable/api/v3.html#redirects
"""
# /// script
# requires-python = ">=3.11"
# dependencies = ["httpx", "rich", "pyyaml"]
# ///
import operator
import os
import sys
from pathlib import Path
from typing import Dict, List
import httpx
import rich
import yaml
try:
_TOKEN = os.environ["RTD_API_TOKEN"]
except KeyError:
rich.print(
"[bold]error[/]: [red]No API token provided. Please set `RTD_API_TOKEN`.[/]",
file=sys.stderr,
)
sys.exit(1)
RTD_API_HEADERS = {"Authorization": f"token {_TOKEN}"}
RTD_API_BASE_URL = "https://readthedocs.org/api/v3/projects/pip/"
REPO_ROOT = Path(__file__).resolve().parent.parent
# --------------------------------------------------------------------------------------
# Helpers
# --------------------------------------------------------------------------------------
def next_step(msg: str) -> None:
rich.print(f"> [blue]{msg}[/]")
def log_response(response: httpx.Response) -> None:
request = response.request
rich.print(f"[bold magenta]{request.method}[/] {request.url} -> {response}")
def get_rtd_api() -> httpx.Client:
return httpx.Client(
headers=RTD_API_HEADERS,
base_url=RTD_API_BASE_URL,
event_hooks={"response": [log_response]},
)
# --------------------------------------------------------------------------------------
# Actual logic
# --------------------------------------------------------------------------------------
next_step("Loading local redirects from the yaml file.")
with open(REPO_ROOT / ".readthedocs-custom-redirects.yml") as f:
local_redirects = yaml.safe_load(f)
rich.print("Loaded local redirects!")
for src, dst in sorted(local_redirects.items()):
rich.print(f" [yellow]{src}[/] --> {dst}")
rich.print(f"{len(local_redirects)} entries.")
next_step("Fetch redirects configured on RTD.")
with get_rtd_api() as rtd_api:
response = rtd_api.get("redirects/")
response.raise_for_status()
rtd_redirects = response.json()
for redirect in sorted(
rtd_redirects["results"], key=operator.itemgetter("type", "from_url", "to_url")
):
if redirect["type"] != "exact":
rich.print(f" [magenta]{redirect['type']}[/]")
continue
pk = redirect["pk"]
src = redirect["from_url"]
dst = redirect["to_url"]
rich.print(f" [yellow]{src}[/] -({pk:^5})-> {dst}")
rich.print(f"{rtd_redirects['count']} entries.")
next_step("Compare and determine modifications.")
redirects_to_remove: List[int] = []
redirects_to_add: Dict[str, str] = {}
for redirect in rtd_redirects["results"]:
if redirect["type"] != "exact":
continue
rtd_src = redirect["from_url"]
rtd_dst = redirect["to_url"]
redirect_id = redirect["pk"]
if rtd_src not in local_redirects:
redirects_to_remove.append(redirect_id)
continue
local_dst = local_redirects[rtd_src]
if local_dst != rtd_dst:
redirects_to_remove.append(redirect_id)
redirects_to_add[rtd_src] = local_dst
del local_redirects[rtd_src]
for src, dst in sorted(local_redirects.items()):
redirects_to_add[src] = dst
del local_redirects[src]
assert not local_redirects
if not redirects_to_remove:
rich.print("Nothing to remove.")
else:
rich.print(f"To remove: ({len(redirects_to_remove)} entries)")
for redirect_id in redirects_to_remove:
rich.print(" ", redirect_id)
if not redirects_to_add:
rich.print("Nothing to add.")
else:
rich.print(f"To add: ({len(redirects_to_add)} entries)")
for src, dst in redirects_to_add.items():
rich.print(f" {src} --> {dst}")
next_step("Update the RTD redirects.")
if not (redirects_to_add or redirects_to_remove):
rich.print("[green]Nothing to do![/]")
sys.exit(0)
exit_code = 0
with get_rtd_api() as rtd_api:
for redirect_id in redirects_to_remove:
response = rtd_api.delete(f"redirects/{redirect_id}/")
response.raise_for_status()
if response.status_code != 204:
rich.print("[red]This might not have been removed correctly.[/]")
exit_code = 1
for src, dst in redirects_to_add.items():
response = rtd_api.post(
"redirects/",
json={"from_url": src, "to_url": dst, "type": "exact"},
)
response.raise_for_status()
if response.status_code != 201:
rich.print("[red]This might not have been added correctly.[/]")
exit_code = 1
sys.exit(exit_code)