-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathnormalize_path.py
48 lines (40 loc) · 1.52 KB
/
normalize_path.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
"""URL path normalization."""
from __future__ import annotations
from .tools import quote, unquote
def normalize_path(path: str, scheme: str) -> str:
"""Normalize path part of the url.
Remove mention of default path number
Params:
path : string : url path, e.g., '/section/page.html'
scheme : string : url scheme, e.g., 'http'
Returns:
string : normalized path data.
"""
# Only perform percent-encoding where it is essential.
# Always use uppercase A-through-F characters when percent-encoding.
# All portions of the URI must be utf-8 encoded NFC from Unicode strings
path = quote(unquote(path), "~:/#[]@!$&'()*+,;=")
# Prevent dot-segments appearing in non-relative URI paths.
if scheme in {"", "http", "https", "ftp", "file"}:
output: list[str] = []
for part in path.split("/"):
if part == "":
if not output:
output.append(part)
elif part == ".":
pass
elif part == "..":
if len(output) > 1:
output.pop()
else:
output.append(part)
# The part variable is used in the final check
last_part = part
if last_part in {"", ".", ".."}:
output.append("")
path = "/".join(output)
# For schemes that define an empty path to be equivalent to a path of "/",
# use "/".
if not path and scheme in {"http", "https", "ftp", "file"}:
path = "/"
return path