Skip to content

Commit 0de4c72

Browse files
fix: sanitize endpoint path params
1 parent c63f621 commit 0de4c72

48 files changed

Lines changed: 1038 additions & 872 deletions

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

src/gradient/_utils/__init__.py

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
from ._path import path_template as path_template
12
from ._sync import asyncify as asyncify
23
from ._proxy import LazyProxy as LazyProxy
34
from ._utils import (

src/gradient/_utils/_path.py

Lines changed: 127 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,127 @@
1+
from __future__ import annotations
2+
3+
import re
4+
from typing import (
5+
Any,
6+
Mapping,
7+
Callable,
8+
)
9+
from urllib.parse import quote
10+
11+
# Matches '.' or '..' where each dot is either literal or percent-encoded (%2e / %2E).
12+
_DOT_SEGMENT_RE = re.compile(r"^(?:\.|%2[eE]){1,2}$")
13+
14+
_PLACEHOLDER_RE = re.compile(r"\{(\w+)\}")
15+
16+
17+
def _quote_path_segment_part(value: str) -> str:
18+
"""Percent-encode `value` for use in a URI path segment.
19+
20+
Considers characters not in `pchar` set from RFC 3986 §3.3 to be unsafe.
21+
https://datatracker.ietf.org/doc/html/rfc3986#section-3.3
22+
"""
23+
# quote() already treats unreserved characters (letters, digits, and -._~)
24+
# as safe, so we only need to add sub-delims, ':', and '@'.
25+
# Notably, unlike the default `safe` for quote(), / is unsafe and must be quoted.
26+
return quote(value, safe="!$&'()*+,;=:@")
27+
28+
29+
def _quote_query_part(value: str) -> str:
30+
"""Percent-encode `value` for use in a URI query string.
31+
32+
Considers &, = and characters not in `query` set from RFC 3986 §3.4 to be unsafe.
33+
https://datatracker.ietf.org/doc/html/rfc3986#section-3.4
34+
"""
35+
return quote(value, safe="!$'()*+,;:@/?")
36+
37+
38+
def _quote_fragment_part(value: str) -> str:
39+
"""Percent-encode `value` for use in a URI fragment.
40+
41+
Considers characters not in `fragment` set from RFC 3986 §3.5 to be unsafe.
42+
https://datatracker.ietf.org/doc/html/rfc3986#section-3.5
43+
"""
44+
return quote(value, safe="!$&'()*+,;=:@/?")
45+
46+
47+
def _interpolate(
48+
template: str,
49+
values: Mapping[str, Any],
50+
quoter: Callable[[str], str],
51+
) -> str:
52+
"""Replace {name} placeholders in `template`, quoting each value with `quoter`.
53+
54+
Placeholder names are looked up in `values`.
55+
56+
Raises:
57+
KeyError: If a placeholder is not found in `values`.
58+
"""
59+
# re.split with a capturing group returns alternating
60+
# [text, name, text, name, ..., text] elements.
61+
parts = _PLACEHOLDER_RE.split(template)
62+
63+
for i in range(1, len(parts), 2):
64+
name = parts[i]
65+
if name not in values:
66+
raise KeyError(f"a value for placeholder {{{name}}} was not provided")
67+
val = values[name]
68+
if val is None:
69+
parts[i] = "null"
70+
elif isinstance(val, bool):
71+
parts[i] = "true" if val else "false"
72+
else:
73+
parts[i] = quoter(str(values[name]))
74+
75+
return "".join(parts)
76+
77+
78+
def path_template(template: str, /, **kwargs: Any) -> str:
79+
"""Interpolate {name} placeholders in `template` from keyword arguments.
80+
81+
Args:
82+
template: The template string containing {name} placeholders.
83+
**kwargs: Keyword arguments to interpolate into the template.
84+
85+
Returns:
86+
The template with placeholders interpolated and percent-encoded.
87+
88+
Safe characters for percent-encoding are dependent on the URI component.
89+
Placeholders in path and fragment portions are percent-encoded where the `segment`
90+
and `fragment` sets from RFC 3986 respectively are considered safe.
91+
Placeholders in the query portion are percent-encoded where the `query` set from
92+
RFC 3986 §3.3 is considered safe except for = and & characters.
93+
94+
Raises:
95+
KeyError: If a placeholder is not found in `kwargs`.
96+
ValueError: If resulting path contains /./ or /../ segments (including percent-encoded dot-segments).
97+
"""
98+
# Split the template into path, query, and fragment portions.
99+
fragment_template: str | None = None
100+
query_template: str | None = None
101+
102+
rest = template
103+
if "#" in rest:
104+
rest, fragment_template = rest.split("#", 1)
105+
if "?" in rest:
106+
rest, query_template = rest.split("?", 1)
107+
path_template = rest
108+
109+
# Interpolate each portion with the appropriate quoting rules.
110+
path_result = _interpolate(path_template, kwargs, _quote_path_segment_part)
111+
112+
# Reject dot-segments (. and ..) in the final assembled path. The check
113+
# runs after interpolation so that adjacent placeholders or a mix of static
114+
# text and placeholders that together form a dot-segment are caught.
115+
# Also reject percent-encoded dot-segments to protect against incorrectly
116+
# implemented normalization in servers/proxies.
117+
for segment in path_result.split("/"):
118+
if _DOT_SEGMENT_RE.match(segment):
119+
raise ValueError(f"Constructed path {path_result!r} contains dot-segment {segment!r} which is not allowed")
120+
121+
result = path_result
122+
if query_template is not None:
123+
result += "?" + _interpolate(query_template, kwargs, _quote_query_part)
124+
if fragment_template is not None:
125+
result += "#" + _interpolate(fragment_template, kwargs, _quote_fragment_part)
126+
127+
return result

src/gradient/resources/agents/agents.py

Lines changed: 21 additions & 31 deletions
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,7 @@
2323
agent_retrieve_usage_params,
2424
)
2525
from ..._types import Body, Omit, Query, Headers, NotGiven, SequenceNotStr, omit, not_given
26-
from ..._utils import maybe_transform, async_maybe_transform
26+
from ..._utils import path_template, maybe_transform, async_maybe_transform
2727
from .api_keys import (
2828
APIKeysResource,
2929
AsyncAPIKeysResource,
@@ -325,9 +325,8 @@ def retrieve(
325325
if not uuid:
326326
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
327327
return self._get(
328-
f"/v2/gen-ai/agents/{uuid}"
329-
if self._client._base_url_overridden
330-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}",
328+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
329+
+ path_template("/v2/gen-ai/agents/{uuid}", uuid=uuid),
331330
options=make_request_options(
332331
extra_headers=extra_headers, extra_query=extra_query, extra_body=extra_body, timeout=timeout
333332
),
@@ -429,9 +428,8 @@ def update(
429428
if not path_uuid:
430429
raise ValueError(f"Expected a non-empty value for `path_uuid` but received {path_uuid!r}")
431430
return self._put(
432-
f"/v2/gen-ai/agents/{path_uuid}"
433-
if self._client._base_url_overridden
434-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{path_uuid}",
431+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
432+
+ path_template("/v2/gen-ai/agents/{path_uuid}", path_uuid=path_uuid),
435433
body=maybe_transform(
436434
{
437435
"agent_log_insights_enabled": agent_log_insights_enabled,
@@ -540,9 +538,8 @@ def delete(
540538
if not uuid:
541539
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
542540
return self._delete(
543-
f"/v2/gen-ai/agents/{uuid}"
544-
if self._client._base_url_overridden
545-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}",
541+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
542+
+ path_template("/v2/gen-ai/agents/{uuid}", uuid=uuid),
546543
options=make_request_options(
547544
extra_headers=extra_headers, extra_query=extra_query, extra_body=extra_body, timeout=timeout
548545
),
@@ -583,9 +580,8 @@ def retrieve_usage(
583580
if not uuid:
584581
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
585582
return self._get(
586-
f"/v2/gen-ai/agents/{uuid}/usage"
587-
if self._client._base_url_overridden
588-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}/usage",
583+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
584+
+ path_template("/v2/gen-ai/agents/{uuid}/usage", uuid=uuid),
589585
options=make_request_options(
590586
extra_headers=extra_headers,
591587
extra_query=extra_query,
@@ -643,9 +639,8 @@ def update_status(
643639
if not path_uuid:
644640
raise ValueError(f"Expected a non-empty value for `path_uuid` but received {path_uuid!r}")
645641
return self._put(
646-
f"/v2/gen-ai/agents/{path_uuid}/deployment_visibility"
647-
if self._client._base_url_overridden
648-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{path_uuid}/deployment_visibility",
642+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
643+
+ path_template("/v2/gen-ai/agents/{path_uuid}/deployment_visibility", path_uuid=path_uuid),
649644
body=maybe_transform(
650645
{
651646
"body_uuid": body_uuid,
@@ -953,9 +948,8 @@ async def retrieve(
953948
if not uuid:
954949
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
955950
return await self._get(
956-
f"/v2/gen-ai/agents/{uuid}"
957-
if self._client._base_url_overridden
958-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}",
951+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
952+
+ path_template("/v2/gen-ai/agents/{uuid}", uuid=uuid),
959953
options=make_request_options(
960954
extra_headers=extra_headers, extra_query=extra_query, extra_body=extra_body, timeout=timeout
961955
),
@@ -1057,9 +1051,8 @@ async def update(
10571051
if not path_uuid:
10581052
raise ValueError(f"Expected a non-empty value for `path_uuid` but received {path_uuid!r}")
10591053
return await self._put(
1060-
f"/v2/gen-ai/agents/{path_uuid}"
1061-
if self._client._base_url_overridden
1062-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{path_uuid}",
1054+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
1055+
+ path_template("/v2/gen-ai/agents/{path_uuid}", path_uuid=path_uuid),
10631056
body=await async_maybe_transform(
10641057
{
10651058
"agent_log_insights_enabled": agent_log_insights_enabled,
@@ -1168,9 +1161,8 @@ async def delete(
11681161
if not uuid:
11691162
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
11701163
return await self._delete(
1171-
f"/v2/gen-ai/agents/{uuid}"
1172-
if self._client._base_url_overridden
1173-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}",
1164+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
1165+
+ path_template("/v2/gen-ai/agents/{uuid}", uuid=uuid),
11741166
options=make_request_options(
11751167
extra_headers=extra_headers, extra_query=extra_query, extra_body=extra_body, timeout=timeout
11761168
),
@@ -1211,9 +1203,8 @@ async def retrieve_usage(
12111203
if not uuid:
12121204
raise ValueError(f"Expected a non-empty value for `uuid` but received {uuid!r}")
12131205
return await self._get(
1214-
f"/v2/gen-ai/agents/{uuid}/usage"
1215-
if self._client._base_url_overridden
1216-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{uuid}/usage",
1206+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
1207+
+ path_template("/v2/gen-ai/agents/{uuid}/usage", uuid=uuid),
12171208
options=make_request_options(
12181209
extra_headers=extra_headers,
12191210
extra_query=extra_query,
@@ -1271,9 +1262,8 @@ async def update_status(
12711262
if not path_uuid:
12721263
raise ValueError(f"Expected a non-empty value for `path_uuid` but received {path_uuid!r}")
12731264
return await self._put(
1274-
f"/v2/gen-ai/agents/{path_uuid}/deployment_visibility"
1275-
if self._client._base_url_overridden
1276-
else f"https://api.digitalocean.com/v2/gen-ai/agents/{path_uuid}/deployment_visibility",
1265+
("https://api.digitalocean.com" if not self._client._base_url_overridden else "")
1266+
+ path_template("/v2/gen-ai/agents/{path_uuid}/deployment_visibility", path_uuid=path_uuid),
12771267
body=await async_maybe_transform(
12781268
{
12791269
"body_uuid": body_uuid,

0 commit comments

Comments
 (0)