Skip to content

use minimum should match #400

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

Draft
wants to merge 7 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
Expand Up @@ -41,13 +41,20 @@ def to_es(queryables_mapping: Dict[str, Any], query: Dict[str, Any]) -> Dict[str
LogicalOp.OR: "should",
LogicalOp.NOT: "must_not",
}[query["op"]]
return {

# For OR conditions, we need to ensure at least one condition must match
bool_query: Dict[str, Any] = {
"bool": {
bool_type: [
to_es(queryables_mapping, sub_query) for sub_query in query["args"]
]
}
}
# # Add minimum_should_match for OR conditions
# if query["op"] == LogicalOp.OR:
# bool_query["bool"]["minimum_should_match"] = 1

return bool_query

elif query["op"] in [
ComparisonOp.EQ,
Expand Down
98 changes: 98 additions & 0 deletions stac_fastapi/tests/extensions/test_filter.py
Original file line number Diff line number Diff line change
Expand Up @@ -674,3 +674,101 @@ async def test_queryables_enum_platform(
# Clean up
r = await app_client.delete(f"/collections/{collection_id}")
r.raise_for_status()


@pytest.mark.asyncio
async def test_search_filter_ext_or_with_must_condition(
app_client,
load_test_data,
monkeypatch: pytest.MonkeyPatch,
):
"""
Test that OR conditions require at least one match when combined with MUST.
This test will fail if minimum_should_match=1 is not set in the ES/OS query.
"""

# Arrange
# Enforce instant database refresh
# TODO: Is there a better way to do this?
monkeypatch.setenv("DATABASE_REFRESH", "true")

# Arrange: Create a unique collection for this test
collection_data = load_test_data("test_collection.json")
collection_id = collection_data["id"] = f"or-test-collection-{uuid.uuid4()}"
r = await app_client.post("/collections", json=collection_data)
r.raise_for_status()

# Add three items:
# 1. Matches both must and should
# 2. Matches must but not should
# 3. Matches neither
items = [
{
"eo:cloud_cover": 0,
"proj:epsg": 32756,
}, # Should be returned when should matches
{
"eo:cloud_cover": 5,
"proj:epsg": 88888,
}, # Should NOT be returned if min_should_match=1
{"eo:cloud_cover": -5, "proj:epsg": 99999}, # Should not be returned at all
]
for idx, props in enumerate(items):
item_data = load_test_data("test_item.json")
item_data["id"] = f"or-test-item-{idx}"
item_data["collection"] = collection_id
item_data["properties"]["eo:cloud_cover"] = props["eo:cloud_cover"]
item_data["properties"]["proj:epsg"] = props["proj:epsg"]
r = await app_client.post(f"/collections/{collection_id}/items", json=item_data)
r.raise_for_status()

# Case 1: At least one OR condition matches (should return only the first item)
params = {
"filter": {
"op": "and",
"args": [
{"op": ">=", "args": [{"property": "eo:cloud_cover"}, 0]},
{
"op": "or",
"args": [
{
"op": "<",
"args": [{"property": "eo:cloud_cover"}, 1],
}, # Only first item matches
{
"op": "=",
"args": [{"property": "proj:epsg"}, 32756],
}, # Only first item matches
],
},
],
}
}
resp = await app_client.post("/search", json=params)
assert resp.status_code == 200
features = resp.json()["features"]
assert any(
f["properties"].get("eo:cloud_cover") == 0 for f in features
), "Should return the item where at least one OR condition matches"
assert all(
f["properties"].get("eo:cloud_cover") == 0 for f in features
), "Should only return the item matching the should clause"

# Case 2: No OR conditions match (should NOT return the second item if minimum_should_match=1 is set)
params["filter"]["args"][1]["args"][0]["args"][
1
] = -10 # cloud_cover < -10 (false for all)
params["filter"]["args"][1]["args"][1]["args"][
1
] = 12345 # proj:epsg == 12345 (false for all)
resp = await app_client.post("/search", json=params)
assert resp.status_code == 200
features = resp.json()["features"]
assert len(features) == 0, (
"Should NOT return items that match only the must clause when no OR conditions match "
"(requires minimum_should_match=1)"
)

# Clean up
r = await app_client.delete(f"/collections/{collection_id}")
r.raise_for_status()