diff --git a/hospexplorer/ask/llm_connector.py b/hospexplorer/ask/llm_connector.py
index 25f897d..8f4d597 100644
--- a/hospexplorer/ask/llm_connector.py
+++ b/hospexplorer/ask/llm_connector.py
@@ -1,7 +1,8 @@
-import requests
+import httpx
from django.conf import settings
-def query_llm(query):
+
+async def query_llm(query):
headers = {
"Authorization": f"Bearer {settings.LLM_TOKEN}",
"Content-Type": "application/json",
@@ -19,8 +20,13 @@ def query_llm(query):
"max_tokens": settings.LLM_MAX_TOKENS
}
- response = requests.post(settings.LLM_HOST + settings.LLM_QUERY_ENDPOINT, json=payload, headers=headers, timeout=60)
+ async with httpx.AsyncClient() as client:
+ response = await client.post(
+ settings.LLM_HOST + settings.LLM_QUERY_ENDPOINT,
+ json=payload,
+ headers=headers,
+ timeout=settings.LLM_TIMEOUT
+ )
- response.raise_for_status() # raises on 4xx/5xx
- print(response)
+ response.raise_for_status()
return response.json()
\ No newline at end of file
diff --git a/hospexplorer/ask/migrations/0001_initial.py b/hospexplorer/ask/migrations/0001_initial.py
new file mode 100644
index 0000000..345cf72
--- /dev/null
+++ b/hospexplorer/ask/migrations/0001_initial.py
@@ -0,0 +1,31 @@
+# Generated by Django 6.0.2 on 2026-02-10 16:50
+
+import django.db.models.deletion
+import uuid
+from django.conf import settings
+from django.db import migrations, models
+
+
+class Migration(migrations.Migration):
+
+ initial = True
+
+ dependencies = [
+ migrations.swappable_dependency(settings.AUTH_USER_MODEL),
+ ]
+
+ operations = [
+ migrations.CreateModel(
+ name='QueryTask',
+ fields=[
+ ('id', models.UUIDField(default=uuid.uuid4, editable=False, primary_key=True, serialize=False)),
+ ('query_text', models.TextField()),
+ ('status', models.CharField(choices=[('pending', 'Pending'), ('processing', 'Processing'), ('completed', 'Completed'), ('failed', 'Failed')], db_index=True, default='pending', max_length=20)),
+ ('result', models.TextField(blank=True, default='')),
+ ('error_message', models.TextField(blank=True, default='')),
+ ('created_at', models.DateTimeField(auto_now_add=True)),
+ ('updated_at', models.DateTimeField(auto_now=True)),
+ ('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='query_tasks', to=settings.AUTH_USER_MODEL)),
+ ],
+ ),
+ ]
diff --git a/hospexplorer/ask/models.py b/hospexplorer/ask/models.py
index 71a8362..db98399 100644
--- a/hospexplorer/ask/models.py
+++ b/hospexplorer/ask/models.py
@@ -1,3 +1,30 @@
+import uuid
+
+from django.conf import settings
from django.db import models
-# Create your models here.
+
+class QueryTask(models.Model):
+ class Status(models.TextChoices):
+ PENDING = "pending", "Pending"
+ PROCESSING = "processing", "Processing"
+ COMPLETED = "completed", "Completed"
+ FAILED = "failed", "Failed"
+
+ id = models.UUIDField(primary_key=True, default=uuid.uuid4, editable=False)
+ user = models.ForeignKey(
+ settings.AUTH_USER_MODEL,
+ on_delete=models.CASCADE,
+ related_name="query_tasks",
+ )
+ query_text = models.TextField()
+ status = models.CharField(
+ max_length=20,
+ choices=Status.choices,
+ default=Status.PENDING,
+ db_index=True,
+ )
+ result = models.TextField(blank=True, default="")
+ error_message = models.TextField(blank=True, default="")
+ created_at = models.DateTimeField(auto_now_add=True)
+ updated_at = models.DateTimeField(auto_now=True)
diff --git a/hospexplorer/ask/templates/_base.html b/hospexplorer/ask/templates/_base.html
index 6665c53..8b9ed9e 100644
--- a/hospexplorer/ask/templates/_base.html
+++ b/hospexplorer/ask/templates/_base.html
@@ -11,6 +11,7 @@
+
diff --git a/hospexplorer/ask/templates/_response.html b/hospexplorer/ask/templates/_response.html
new file mode 100644
index 0000000..397c21b
--- /dev/null
+++ b/hospexplorer/ask/templates/_response.html
@@ -0,0 +1,3 @@
+
diff --git a/hospexplorer/ask/templates/index.html b/hospexplorer/ask/templates/index.html
index c015a36..a74a172 100644
--- a/hospexplorer/ask/templates/index.html
+++ b/hospexplorer/ask/templates/index.html
@@ -17,30 +17,88 @@ Hopper
userQuery: '',
answers: [],
isLoading: false,
+ pollInterval: null,
async getAnswer() {
+ if (!this.userQuery.trim()) return;
this.isLoading = true;
+
try {
- const response = await fetch('{% url 'ask:query-llm' %}?query=' + encodeURIComponent(this.userQuery));
- const data = await response.json();
- if (!response.ok || data.error) {
- this.answers.push('Something went wrong. Please try again.');
- } else {
- this.answers.push(data.message);
+ const submitResponse = await fetch(
+ '{% url 'ask:submit-query' %}?query=' + encodeURIComponent(this.userQuery)
+ );
+ const submitData = await submitResponse.json();
+
+ if (!submitResponse.ok || submitData.error) {
+ this.answers.push(submitData.error || 'Something went wrong. Please try again.');
+ this.isLoading = false;
+ return;
}
+
+ this.pollForResult(submitData.task_id);
} catch (error) {
this.answers.push('Something went wrong. Please try again.');
+ this.isLoading = false;
}
- this.isLoading = false;
+ },
+
+ pollForResult(taskId) {
+ if (this.pollInterval) clearInterval(this.pollInterval);
+
+ let attempts = 0;
+ const maxAttempts = 50;
+ const pollUrl = '{% url 'ask:poll-query' task_id='00000000-0000-0000-0000-000000000000' %}'.replace(
+ '00000000-0000-0000-0000-000000000000', taskId
+ );
+
+ this.pollInterval = setInterval(async () => {
+ attempts++;
+ if (attempts >= maxAttempts) {
+ clearInterval(this.pollInterval);
+ this.pollInterval = null;
+ this.answers.push('Request timed out. Please try again.');
+ this.isLoading = false;
+ return;
+ }
+
+ try {
+ const pollResponse = await fetch(pollUrl);
+ const pollData = await pollResponse.json();
+
+ if (pollData.status === 'completed') {
+ clearInterval(this.pollInterval);
+ this.pollInterval = null;
+ this.answers.push(pollData.result);
+ this.isLoading = false;
+ } else if (pollData.status === 'failed') {
+ clearInterval(this.pollInterval);
+ this.pollInterval = null;
+ this.answers.push(pollData.error || 'Something went wrong. Please try again.');
+ this.isLoading = false;
+ }
+ } catch (error) {
+ clearInterval(this.pollInterval);
+ this.pollInterval = null;
+ this.answers.push('Something went wrong. Please try again.');
+ this.isLoading = false;
+ }
+ }, 3000);
}
}">
-
-
-
-
+
+
-
+
@@ -50,9 +108,5 @@ Hopper
-
-
-
{% endblock %}
-
diff --git a/hospexplorer/ask/urls.py b/hospexplorer/ask/urls.py
index 2a75452..09963a9 100644
--- a/hospexplorer/ask/urls.py
+++ b/hospexplorer/ask/urls.py
@@ -7,4 +7,6 @@
path("", views.index, name="index"),
path("mock", views.mock_response, name="mock-response"),
path("query", views.query, name="query-llm"),
+ path("submit", views.submit_query, name="submit-query"),
+ path("poll/", views.poll_query, name="poll-query"),
]
\ No newline at end of file
diff --git a/hospexplorer/ask/views.py b/hospexplorer/ask/views.py
index b948680..3c2d07e 100644
--- a/hospexplorer/ask/views.py
+++ b/hospexplorer/ask/views.py
@@ -1,8 +1,44 @@
-from django.shortcuts import render
-from django.http import JsonResponse
-from django.conf import settings
+import asyncio
+import logging
+import threading
+
from django.contrib.auth.decorators import login_required
+from django.db import close_old_connections
+from django.http import JsonResponse
+from django.shortcuts import render
+from django.views.decorators.http import require_GET
+
import ask.llm_connector
+from ask.models import QueryTask
+
+
+logger = logging.getLogger(__name__)
+
+
+def _run_llm_task(task_id):
+ """Background thread that calls the LLM and writes the result to the DB."""
+ try:
+ task = QueryTask.objects.get(pk=task_id)
+ task.status = QueryTask.Status.PROCESSING
+ task.save(update_fields=["status", "updated_at"])
+
+ llm_response = asyncio.run(ask.llm_connector.query_llm(task.query_text))
+ content = llm_response["choices"][0]["message"]["content"]
+
+ task.result = content
+ task.status = QueryTask.Status.COMPLETED
+ task.save(update_fields=["result", "status", "updated_at"])
+ except Exception:
+ logger.exception("Background LLM task failed for task_id=%s", task_id)
+ try:
+ task = QueryTask.objects.get(pk=task_id)
+ task.status = QueryTask.Status.FAILED
+ task.error_message = "Something went wrong. Please try again."
+ task.save(update_fields=["status", "error_message", "updated_at"])
+ except Exception:
+ logger.exception("Failed to mark task as failed, task_id=%s", task_id)
+ finally:
+ close_old_connections()
@login_required
@@ -16,13 +52,55 @@ def mock_response(request):
"message": "Okay, the user wants a three-sentence bedtime story about a unicorn. Let's start by thinking about the key elements of a good bedtime story. They usually have a peaceful setting, a gentle conflict or quest, and a happy ending.\n\nFirst sentence needs to set the scene. Maybe a magical forest with a unicorn. Luna is a common unicorn name, sounds soft. Moonlight and stars could add a calming effect.\n\nSecond sentence should introduce a small problem or something the unicorn does. Healing powers are typical for unicorns. Maybe she finds an injured animal, like a fox. Using her horn to heal adds magic.\n\nThird sentence wraps it up with a happy ending. The fox recovers, they become friends, and the forest is peaceful. Emphasize safety and dreams to make it soothing for bedtime.\n\nCheck if it's exactly three sentences. Yes. Language is simple and comforting, suitable for a child. Avoid any scary elements. Make sure it flows smoothly and conveys warmth.\n\n\nUnder the shimmering moonlit sky, a silver-maned unicorn named Luna trotted through the enchanted forest, her hooves leaving trails of stardust. When she discovered a wounded fox whimpering beneath an ancient oak, she touched her glowing horn to its paw, weaving magic that healed the hurt. With the fox curled beside her, Luna rested on a bed of moss, her heart full as the forest whispered lullabies, ensuring all creatures drifted into dreams of peace."
})
+
@login_required
-def query(request):
+async def query(request):
try:
- llm_response = ask.llm_connector.query_llm(request.GET["query"])
+ llm_response = await ask.llm_connector.query_llm(request.GET["query"])
content = llm_response["choices"][0]["message"]["content"]
return JsonResponse({"message": content})
- except (KeyError, IndexError, TypeError) as e:
- return JsonResponse({"error": f"Unexpected response from server: {e}"}, status=500)
- except Exception as e:
- return JsonResponse({"error": f"Failed to connect to server: {e}"}, status=500)
\ No newline at end of file
+ except Exception:
+ logger.exception("Failed to query LLM")
+ return JsonResponse({"error": "Something went wrong. Please try again."}, status=500)
+
+
+@login_required
+@require_GET
+def submit_query(request):
+ """Accept a query, create a task, spawn a background thread, return task ID."""
+ query_text = request.GET.get("query", "").strip()
+ if not query_text:
+ return JsonResponse({"error": "Query is required."}, status=400)
+
+ task = QueryTask.objects.create(
+ user=request.user,
+ query_text=query_text,
+ status=QueryTask.Status.PENDING,
+ )
+
+ thread = threading.Thread(target=_run_llm_task, args=(task.id,), daemon=True)
+ thread.start()
+
+ return JsonResponse({"task_id": str(task.id)})
+
+
+@login_required
+@require_GET
+def poll_query(request, task_id):
+ """Return the current status of a QueryTask. Only the owning user can poll."""
+ try:
+ task = QueryTask.objects.get(pk=task_id, user=request.user)
+ except QueryTask.DoesNotExist:
+ return JsonResponse({"error": "Task not found."}, status=404)
+
+ response_data = {
+ "task_id": str(task.id),
+ "status": task.status,
+ }
+
+ if task.status == QueryTask.Status.COMPLETED:
+ response_data["result"] = task.result
+ elif task.status == QueryTask.Status.FAILED:
+ response_data["error"] = task.error_message
+
+ return JsonResponse(response_data)
diff --git a/hospexplorer/hospexplorer/settings.py b/hospexplorer/hospexplorer/settings.py
index 62eb38e..54a94a4 100644
--- a/hospexplorer/hospexplorer/settings.py
+++ b/hospexplorer/hospexplorer/settings.py
@@ -148,6 +148,8 @@
LLM_TOKEN = os.getenv("LLM_TOKEN", "")
LLM_MODEL = os.getenv("LLM_MODEL", "")
LLM_QUERY_ENDPOINT = os.getenv("LLM_QUERY_ENDPOINT", "v1/chat/completions")
+# Timeout in seconds for LLM API requests.
+LLM_TIMEOUT = int(os.getenv("LLM_TIMEOUT", 120))
LLM_MAX_TOKENS = int(os.getenv("LLM_MAX_TOKENS", "4096"))
diff --git a/pyproject.toml b/pyproject.toml
index 7f924c8..1becec2 100644
--- a/pyproject.toml
+++ b/pyproject.toml
@@ -8,6 +8,7 @@ dependencies = [
"django>=6.0.1",
"django-allauth>=65.0.0",
"gunicorn>=23.0.0",
+ "httpx>=0.27.0",
"psycopg[binary]>=3.0",
"requests>=2.32.5",
]
diff --git a/uv.lock b/uv.lock
index 2befa91..bcd8528 100644
--- a/uv.lock
+++ b/uv.lock
@@ -2,13 +2,26 @@ version = 1
revision = 3
requires-python = ">=3.12"
+[[package]]
+name = "anyio"
+version = "4.12.1"
+source = { registry = "https://pypi.org/simple" }
+dependencies = [
+ { name = "idna" },
+ { name = "typing-extensions", marker = "python_full_version < '3.13'" },
+]
+sdist = { url = "https://files.pythonhosted.org/packages/96/f0/5eb65b2bb0d09ac6776f2eb54adee6abe8228ea05b20a5ad0e4945de8aac/anyio-4.12.1.tar.gz", hash = "sha256:41cfcc3a4c85d3f05c932da7c26d0201ac36f72abd4435ba90d0464a3ffed703", size = 228685, upload-time = "2026-01-06T11:45:21.246Z" }
+wheels = [
+ { url = "https://files.pythonhosted.org/packages/38/0e/27be9fdef66e72d64c0cdc3cc2823101b80585f8119b5c112c2e8f5f7dab/anyio-4.12.1-py3-none-any.whl", hash = "sha256:d405828884fc140aa80a3c667b8beed277f1dfedec42ba031bd6ac3db606ab6c", size = 113592, upload-time = "2026-01-06T11:45:19.497Z" },
+]
+
[[package]]
name = "asgiref"
-version = "3.11.0"
+version = "3.11.1"
source = { registry = "https://pypi.org/simple" }
-sdist = { url = "https://files.pythonhosted.org/packages/76/b9/4db2509eabd14b4a8c71d1b24c8d5734c52b8560a7b1e1a8b56c8d25568b/asgiref-3.11.0.tar.gz", hash = "sha256:13acff32519542a1736223fb79a715acdebe24286d98e8b164a73085f40da2c4", size = 37969, upload-time = "2025-11-19T15:32:20.106Z" }
+sdist = { url = "https://files.pythonhosted.org/packages/63/40/f03da1264ae8f7cfdbf9146542e5e7e8100a4c66ab48e791df9a03d3f6c0/asgiref-3.11.1.tar.gz", hash = "sha256:5f184dc43b7e763efe848065441eac62229c9f7b0475f41f80e207a114eda4ce", size = 38550, upload-time = "2026-02-03T13:30:14.33Z" }
wheels = [
- { url = "https://files.pythonhosted.org/packages/91/be/317c2c55b8bbec407257d45f5c8d1b6867abc76d12043f2d3d58c538a4ea/asgiref-3.11.0-py3-none-any.whl", hash = "sha256:1db9021efadb0d9512ce8ffaf72fcef601c7b73a8807a1bb2ef143dc6b14846d", size = 24096, upload-time = "2025-11-19T15:32:19.004Z" },
+ { url = "https://files.pythonhosted.org/packages/5c/0a/a72d10ed65068e115044937873362e6e32fab1b7dce0046aeb224682c989/asgiref-3.11.1-py3-none-any.whl", hash = "sha256:e8667a091e69529631969fd45dc268fa79b99c92c5fcdda727757e52146ec133", size = 24345, upload-time = "2026-02-03T13:30:13.039Z" },
]
[[package]]
@@ -79,16 +92,16 @@ wheels = [
[[package]]
name = "django"
-version = "6.0.1"
+version = "6.0.2"
source = { registry = "https://pypi.org/simple" }
dependencies = [
{ name = "asgiref" },
{ name = "sqlparse" },
{ name = "tzdata", marker = "sys_platform == 'win32'" },
]
-sdist = { url = "https://files.pythonhosted.org/packages/b5/9b/016f7e55e855ee738a352b05139d4f8b278d0b451bd01ebef07456ef3b0e/django-6.0.1.tar.gz", hash = "sha256:ed76a7af4da21551573b3d9dfc1f53e20dd2e6c7d70a3adc93eedb6338130a5f", size = 11069565, upload-time = "2026-01-06T18:55:53.069Z" }
+sdist = { url = "https://files.pythonhosted.org/packages/26/3e/a1c4207c5dea4697b7a3387e26584919ba987d8f9320f59dc0b5c557a4eb/django-6.0.2.tar.gz", hash = "sha256:3046a53b0e40d4b676c3b774c73411d7184ae2745fe8ce5e45c0f33d3ddb71a7", size = 10886874, upload-time = "2026-02-03T13:50:31.596Z" }
wheels = [
- { url = "https://files.pythonhosted.org/packages/95/b5/814ed98bd21235c116fd3436a7ed44d47560329a6d694ec8aac2982dbb93/django-6.0.1-py3-none-any.whl", hash = "sha256:a92a4ff14f664a896f9849009cb8afaca7abe0d6fc53325f3d1895a15253433d", size = 8338791, upload-time = "2026-01-06T18:55:46.175Z" },
+ { url = "https://files.pythonhosted.org/packages/96/ba/a6e2992bc5b8c688249c00ea48cb1b7a9bc09839328c81dc603671460928/django-6.0.2-py3-none-any.whl", hash = "sha256:610dd3b13d15ec3f1e1d257caedd751db8033c5ad8ea0e2d1219a8acf446ecc6", size = 8339381, upload-time = "2026-02-03T13:50:15.501Z" },
]
[[package]]
@@ -106,14 +119,23 @@ wheels = [
[[package]]
name = "gunicorn"
-version = "24.1.1"
+version = "25.0.2"
source = { registry = "https://pypi.org/simple" }
dependencies = [
{ name = "packaging" },
]
-sdist = { url = "https://files.pythonhosted.org/packages/78/0a/10739c03537ec5b131a867bf94df2e412b437696c7e5d26970e2198a80d2/gunicorn-24.1.1.tar.gz", hash = "sha256:f006d110e5cb3102859b4f5cd48335dbd9cc28d0d27cd24ddbdafa6c60929408", size = 287567, upload-time = "2026-01-24T01:15:31.359Z" }
+sdist = { url = "https://files.pythonhosted.org/packages/b7/1d/c8e2efc43a720af04832c88f26d10ee58397269769d646bbe0d5ed93174f/gunicorn-25.0.2.tar.gz", hash = "sha256:8e44f2f7cf791de60c84ce119221c26121fd2ffcb27badfbced5a1c919d35d67", size = 9701969, upload-time = "2026-02-06T13:21:40.436Z" }
+wheels = [
+ { url = "https://files.pythonhosted.org/packages/59/90/37e392c44be75fb674f7e0161eef42dd890eb9e6883430d9468e061570b9/gunicorn-25.0.2-py3-none-any.whl", hash = "sha256:288c002141d73ec8d05fdbb7c8453e3d01d3209d8ff6ad425df0ae1430153ca2", size = 171712, upload-time = "2026-02-06T13:21:34.543Z" },
+]
+
+[[package]]
+name = "h11"
+version = "0.16.0"
+source = { registry = "https://pypi.org/simple" }
+sdist = { url = "https://files.pythonhosted.org/packages/01/ee/02a2c011bdab74c6fb3c75474d40b3052059d95df7e73351460c8588d963/h11-0.16.0.tar.gz", hash = "sha256:4e35b956cf45792e4caa5885e69fba00bdbc6ffafbfa020300e549b208ee5ff1", size = 101250, upload-time = "2025-04-24T03:35:25.427Z" }
wheels = [
- { url = "https://files.pythonhosted.org/packages/96/90/cfe637677916fc6f53cd2b05d5746e249f683e1fa14c9e745a88c66f7290/gunicorn-24.1.1-py3-none-any.whl", hash = "sha256:757f6b621fc4f7581a90600b2cd9df593461f06a41d7259cb9b94499dc4095a8", size = 114920, upload-time = "2026-01-24T01:15:29.656Z" },
+ { url = "https://files.pythonhosted.org/packages/04/4b/29cac41a4d98d144bf5f6d33995617b185d14b22401f75ca86f384e87ff1/h11-0.16.0-py3-none-any.whl", hash = "sha256:63cf8bbe7522de3bf65932fda1d9c2772064ffb3dae62d55932da54b31cb6c86", size = 37515, upload-time = "2025-04-24T03:35:24.344Z" },
]
[[package]]
@@ -124,6 +146,7 @@ dependencies = [
{ name = "django" },
{ name = "django-allauth" },
{ name = "gunicorn" },
+ { name = "httpx" },
{ name = "psycopg", extra = ["binary"] },
{ name = "requests" },
]
@@ -133,10 +156,39 @@ requires-dist = [
{ name = "django", specifier = ">=6.0.1" },
{ name = "django-allauth", specifier = ">=65.0.0" },
{ name = "gunicorn", specifier = ">=23.0.0" },
+ { name = "httpx", specifier = ">=0.27.0" },
{ name = "psycopg", extras = ["binary"], specifier = ">=3.0" },
{ name = "requests", specifier = ">=2.32.5" },
]
+[[package]]
+name = "httpcore"
+version = "1.0.9"
+source = { registry = "https://pypi.org/simple" }
+dependencies = [
+ { name = "certifi" },
+ { name = "h11" },
+]
+sdist = { url = "https://files.pythonhosted.org/packages/06/94/82699a10bca87a5556c9c59b5963f2d039dbd239f25bc2a63907a05a14cb/httpcore-1.0.9.tar.gz", hash = "sha256:6e34463af53fd2ab5d807f399a9b45ea31c3dfa2276f15a2c3f00afff6e176e8", size = 85484, upload-time = "2025-04-24T22:06:22.219Z" }
+wheels = [
+ { url = "https://files.pythonhosted.org/packages/7e/f5/f66802a942d491edb555dd61e3a9961140fd64c90bce1eafd741609d334d/httpcore-1.0.9-py3-none-any.whl", hash = "sha256:2d400746a40668fc9dec9810239072b40b4484b640a8c38fd654a024c7a1bf55", size = 78784, upload-time = "2025-04-24T22:06:20.566Z" },
+]
+
+[[package]]
+name = "httpx"
+version = "0.28.1"
+source = { registry = "https://pypi.org/simple" }
+dependencies = [
+ { name = "anyio" },
+ { name = "certifi" },
+ { name = "httpcore" },
+ { name = "idna" },
+]
+sdist = { url = "https://files.pythonhosted.org/packages/b1/df/48c586a5fe32a0f01324ee087459e112ebb7224f646c0b5023f5e79e9956/httpx-0.28.1.tar.gz", hash = "sha256:75e98c5f16b0f35b567856f597f06ff2270a374470a5c2392242528e3e3e42fc", size = 141406, upload-time = "2024-12-06T15:37:23.222Z" }
+wheels = [
+ { url = "https://files.pythonhosted.org/packages/2a/39/e50c7c3a983047577ee07d2a9e53faf5a69493943ec3f6a384bdc792deb2/httpx-0.28.1-py3-none-any.whl", hash = "sha256:d909fcccc110f8c7faf814ca82a9a4d816bc5a6dbfea25d6591d6985b8ba59ad", size = 73517, upload-time = "2024-12-06T15:37:21.509Z" },
+]
+
[[package]]
name = "idna"
version = "3.11"