-
Notifications
You must be signed in to change notification settings - Fork 107
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Patch endpoints #744
base: main
Are you sure you want to change the base?
Patch endpoints #744
Conversation
I've had to switch from stac-pydantic |
Would a typedDict make more sense? |
Adding default for content_type.
@vincentsarago you're right I had missed that. I've updated Happy to use this pull request to move everything to the |
I could also add a |
collection_id: str, | ||
item_id: str, | ||
patch: Any, | ||
content_type: Optional[str], |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
content_type: Optional[str], | |
content_type: Optional[str] = None, |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Should the default be None
or application/json
? I've set it to None
for now.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think None
is fine.
we could also totally remove it from the arg list and use request: Request
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
fastapi/fastapi#7786 (comment)
I think you can achieve this with openapi customization
def register_patch_item(self):
"""Register patch item endpoint (PATCH
/collections/{collection_id}/items/{item_id})."""
self.router.add_api_route(
name="Patch Item",
path="/collections/{collection_id}/items/{item_id}",
response_model=Item if self.settings.enable_response_models else None,
responses={
200: {
"content": {
MimeTypes.geojson.value: {},
},
"model": Item,
}
},
openapi_extra={
"requestBody": {
"content": {
"application/json-patch+json": {
"schema": ...,
},
"application/merge-patch+json": {
"schema": ...,
},
"application/json": {
"schema": ...,
}
},
"required": True,
},
},
response_class=self.response_class,
response_model_exclude_unset=True,
response_model_exclude_none=True,
methods=["PATCH"],
endpoint=create_async_endpoint(
self.client.patch_item,
PatchItem,
),
)
def register_patch_collection(self):
"""Register patch collection endpoint (PATCH /collections/{collection_id})."""
self.router.add_api_route(
name="Patch Collection",
path="/collections/{collection_id}",
response_model=Collection if self.settings.enable_response_models else None,
responses={
200: {
"content": {
MimeTypes.geojson.value: {},
},
"model": Collection,
}
},
openapi_extra={
"requestBody": {
"content": {
"application/json-patch+json": {
"schema": ...,
},
"application/merge-patch+json": {
"schema": ...,
},
"application/json": {
"schema": ...,
}
},
"required": True,
},
},
response_class=self.response_class,
response_model_exclude_unset=True,
response_model_exclude_none=True,
methods=["PATCH"],
endpoint=create_async_endpoint(
self.client.patch_collection,
PatchCollection,
),
)
I'll let you figure out the schemas
😅
I think if would be fine to advertise support for the 3 content-type
application/json-patch+json,
application/merge-patch+jsonand
application/jsonand then let the application raise
NotImplementedErrorwithin the client method... or we make this configurable... or we just document how people could add the
merge` content-type
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Thanks that's just what I was looking! I've added openapi_extra
for patch item and collection and removed the content_type
parameter.
I've written a conversion from |
@rhysrevans3 yeah that would be great. It will lower the barrier for people to support both patch and merge 🙏 Maybe it could be a method on the PartialItem/PartialCollection model ☝️ while writing this I realized that they are typedDict not pydantic model 🤔 |
Yes I copied the Item/Collection models in the same file. I think the reason for using TypeDict over Pydantic models was performance (avoid validation) I remember there was some discussion when we moved to pydantic v2 #625 which suggested that's no longer an issue? Should I switch to using Pydantic models? |
@rhysrevans3 I'm sorry it's taking longer 😅 I now think (with the addition of a On think I'm still not sure is how the merging/patching is made. I'm looking at https://github.com/rhysrevans3/stac-fastapi-elasticsearch/blob/2b1381821ec978ea254df0c8fae87420186a8789/stac_fastapi/elasticsearch/stac_fastapi/elasticsearch/database_logic.py#L940-L1031 to try to understand what's going on. We should write some pseudo code in the doc (in the docstring first) to show how the def patch_item(
self,
collection_id: str,
item_id: str,
patch: Union[stac.PartialItem, List[stac.PatchOperation]],
**kwargs,
) -> Optional[Union[stac.Item, Response]]:
"""Update an item from a collection.
Called with `PATCH /collections/{collection_id}/items/{item_id}`
Args:
item_id: id of the item.
collection_id: id of the collection.
patch: either the partial item or list of patch operations.
Returns:
The patched item.
"""
# convert patch item to list of merge operations
if isinstance(patch, PartialItem):
patch = merge_to_operations(patch)
# Get Original Item
item = backend.get_item(collection_id, item_id)
# Update Item body from merge op
item = update_item(item, patch)
# Push Item to the backend
_ = backend.create_item(collection_id, item_id, item)
return item |
Yes we should use pydantic model for input validation. It's only for the |
No worries I'd rather it takes a bit longer and we get it right! For Elasticsearch you can update records using Java style scripts so for each operation type I've written an equivalent Elasticsearch script. I'm not sure if you could do the same for PostgreSQL or the other backends. A merge is equivalent to a group of add and remove operations (null values are used to remove). so you can convert from merge to operations to Elasticsearch. |
I've not tested this but this is an example of running a list patch operations on an item: from stac_fastapi.types.stac import PatchOperation
from stac_pydantic import Item
def patch_item(item: Item, operations: PatchOperation) -> Item:
item_dict = item.model_dump()
for operation in operations:
path_parts = operation.path.split('/')
if operation.op == "test":
test_value = item_dict.copy()
for path_part in path_parts:
test_value = test_value[path_part]
assert test_value == operation.value
continue
if operation.op == "replace":
nest = item_dict.copy()
for path_part in path_parts:
assert path_part in nest
nest = nest[path_part]
update = {}
if operation.op in ["add", "copy", "replace", "move"]:
if operation.hasattr("from_"):
from_parts = operation.from_.split('/')
value = item_dict.copy()
for path_part in from_parts:
value = value[path_part]
else:
value = item.value
update = value
for path_part in path_parts.reverse():
update = {path_part: update}
if operation.op in ["remove", "move"]:
if operation.op == "move":
path_parts = from_parts
last_part = path_parts.pop(-1)
nest = item_dict
for path_part in path_parts:
nest = nest[path_part]
del nest[last_part]
return Item.model_validate(item_dict | update) |
Description:
Adds
PATCH
endpoints to transaction extension. Adds support for RFC 6902 and RFC 7396. Pivots on headerContent-Type
value.Related pull request: stac-api-extensions/transaction#14
PR Checklist:
pre-commit
hooks pass locallymake test
)make docs
)