-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
85 lines (62 loc) · 2.51 KB
/
main.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
import firebase_admin
import os
import random
import string
from typing import Annotated
from google.cloud import firestore
from google.cloud.exceptions import Conflict
from fastapi import FastAPI, HTTPException, Path
from fastapi.responses import RedirectResponse, Response
DATABASE = os.getenv("DATABASE") # Datastore Database
COLLECTION = os.getenv("COLLECTION") # Datastore Database Collection (table)
app = FastAPI()
firebase_init = firebase_admin.initialize_app()
db = firestore.Client(database=DATABASE)
collection = db.collection(COLLECTION)
@app.get("/{url_id}")
def get_smol_url(
url_id: Annotated[str, Path(min_length=4, max_length=4, pattern="[a-zA-Z0-9]{4}")]
) -> RedirectResponse:
"""
Retrieve the original URL for a given shortened URL identifier and redirect to it.
Args:
url_id (str): The unique identifier of the shortened URL.
Raises:
HTTPException: An exception with status code 404 if the URL is not found in the database.
Returns:
RedirectResponse: A redirection to the original URL associated with the given `url_id`.
"""
hit = collection.document(url_id).get().to_dict()
if not hit:
raise HTTPException(status_code=404, detail="Url not found.")
return RedirectResponse(hit["url"], status_code=302)
@app.post("/")
def create_smol_url(url: str) -> Response:
"""
Create a new shortened URL that redirects to the supplied original URL.
Args:
url (str): The original URL that needs to be shortened.
Raises:
HTTPException: An exception with status code 500 indicating a need to retry the request due to a conflict (e.g., duplicate id).
Returns:
Response: the newly generated shortend URL.
"""
raise HTTPException(status_code=500, detail="Not Implemented.")
try:
url_id = create_url_id()
while collection.document(url_id).get().exists:
url_id = create_url_id()
collection.document(url_id).create({"url": url})
except Conflict:
raise HTTPException(status_code=500, detail="Retry Request.")
return Response(status_code=200, content="/" + url_id)
def create_url_id() -> str:
"""
Generate a random, unique identifier for a new shortened URL.
The identifier consists of a string composed of 4 randomly chosen alphanumeric characters.
Returns:
str: A string representing the unique identifier for a shortened URL.
"""
return "".join(
random.SystemRandom().choices(string.ascii_letters + string.digits, k=4)
)