Skip to content

Commit cb1c14f

Browse files
Use class-based queries and type-hinted documents in DSL documentation examples (#2857) (#2862)
* Use class-based queries and type-hinted documents in DSL documentation examples * DSL migrating section (cherry picked from commit d492524) Co-authored-by: Miguel Grinberg <[email protected]>
1 parent c31463e commit cb1c14f

File tree

6 files changed

+189
-131
lines changed

6 files changed

+189
-131
lines changed

docs/reference/dsl_how_to_guides.md

+110-98
Large diffs are not rendered by default.

docs/reference/dsl_migrating.md

+35
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,35 @@
1+
# Migrating from the `elasticsearch-dsl` package [_migrating_from_elasticsearch_dsl_package]
2+
3+
In the past the Elasticsearch Python DSL module was distributed as a standalone package called `elasticsearch-dsl`. This package is now deprecated, since all its functionality has been integrated into the main Python client. We recommend all developers to migrate their applications and eliminate their dependency on the `elasticsearch-dsl` package.
4+
5+
To migrate your application, all references to `elasticsearch_dsl` as a top-level package must be changed to `elasticsearch.dsl`. In other words, the underscore from the package name should be replaced by a period.
6+
7+
Here are a few examples:
8+
9+
```python
10+
# from:
11+
from elasticsearch_dsl import Date, Document, InnerDoc, Text, connections
12+
# to:
13+
from elasticsearch.dsl import Date, Document, InnerDoc, Text, connections
14+
15+
# from:
16+
from elasticsearch_dsl.query import MultiMatch
17+
# to:
18+
from elasticsearch.dsl.query import MultiMatch
19+
20+
# from:
21+
import elasticsearch_dsl as dsl
22+
# to:
23+
from elasticsearch import dsl
24+
25+
# from:
26+
import elasticsearch_dsl
27+
# to:
28+
from elasticsearch import dsl as elasticsearch_dsl
29+
30+
# from:
31+
import elasticsearch_dsl
32+
# to:
33+
from elasticsearch import dsl
34+
# and replace all references to "elasticsearch_dsl" in the code with "dsl"
35+
```

docs/reference/dsl_tutorials.md

+19-24
Original file line numberDiff line numberDiff line change
@@ -47,17 +47,17 @@ Let’s rewrite the example using the DSL module:
4747

4848
```python
4949
from elasticsearch import Elasticsearch
50-
from elasticsearch.dsl import Search
50+
from elasticsearch.dsl import Search, query, aggs
5151

5252
client = Elasticsearch("https://localhost:9200")
5353

5454
s = Search(using=client, index="my-index") \
55-
.filter("term", category="search") \
56-
.query("match", title="python") \
57-
.exclude("match", description="beta")
55+
.query(query.Match("title", "python")) \
56+
.filter(query.Term("category", "search")) \
57+
.exclude(query.Match("description", "beta"))
5858

59-
s.aggs.bucket('per_tag', 'terms', field='tags') \
60-
.metric('max_lines', 'max', field='lines')
59+
s.aggs.bucket('per_tag', aggs.Terms(field="tags")) \
60+
.metric('max_lines', aggs.Max(field='lines'))
6161

6262
response = s.execute()
6363

@@ -68,9 +68,9 @@ for tag in response.aggregations.per_tag.buckets:
6868
print(tag.key, tag.max_lines.value)
6969
```
7070

71-
As you see, the library took care of:
71+
As you see, the DSL module took care of:
7272

73-
* creating appropriate `Query` objects by name (eq. "match")
73+
* creating appropriate `Query` objects from classes
7474
* composing queries into a compound `bool` query
7575
* putting the `term` query in a filter context of the `bool` query
7676
* providing a convenient access to response data
@@ -89,19 +89,19 @@ from elasticsearch.dsl import Document, Date, Integer, Keyword, Text, connection
8989
connections.create_connection(hosts="https://localhost:9200")
9090

9191
class Article(Document):
92-
title = Text(analyzer='snowball', fields={'raw': Keyword()})
93-
body = Text(analyzer='snowball')
94-
tags = Keyword()
95-
published_from = Date()
96-
lines = Integer()
92+
title: str = mapped_field(Text(analyzer='snowball', fields={'raw': Keyword()}))
93+
body: str = mapped_field(Text(analyzer='snowball'))
94+
tags: str = mapped_field(Keyword())
95+
published_from: datetime
96+
lines: int
9797

9898
class Index:
9999
name = 'blog'
100100
settings = {
101101
"number_of_shards": 2,
102102
}
103103

104-
def save(self, ** kwargs):
104+
def save(self, **kwargs):
105105
self.lines = len(self.body.split())
106106
return super(Article, self).save(** kwargs)
107107

@@ -127,7 +127,7 @@ print(connections.get_connection().cluster.health())
127127
In this example you can see:
128128

129129
* providing a default connection
130-
* defining fields with mapping configuration
130+
* defining fields with Python type hints and additional mapping configuration when necessary
131131
* setting index name
132132
* defining custom methods
133133
* overriding the built-in `.save()` method to hook into the persistence life cycle
@@ -141,12 +141,6 @@ You can see more in the `persistence` chapter.
141141

142142
If you have your `Document`s defined you can very easily create a faceted search class to simplify searching and filtering.
143143

144-
::::{note}
145-
This feature is experimental and may be subject to change.
146-
147-
::::
148-
149-
150144
```python
151145
from elasticsearch.dsl import FacetedSearch, TermsFacet, DateHistogramFacet
152146

@@ -208,11 +202,12 @@ Using the DSL, we can now express this query as such:
208202
```python
209203
from elasticsearch import Elasticsearch
210204
from elasticsearch.dsl import Search, UpdateByQuery
205+
from elasticsearch.dsl.query import Match
211206

212207
client = Elasticsearch()
213208
ubq = UpdateByQuery(using=client, index="my-index") \
214-
.query("match", title="python") \
215-
.exclude("match", description="beta") \
209+
.query(Match("title", "python")) \
210+
.exclude(Match("description", "beta")) \
216211
.script(source="ctx._source.likes++", lang="painless")
217212

218213
response = ubq.execute()
@@ -232,7 +227,7 @@ body = {...} # insert complicated query here
232227
s = Search.from_dict(body)
233228

234229
# Add some filters, aggregations, queries, ...
235-
s.filter("term", tags="python")
230+
s.filter(query.Term("tags", "python"))
236231

237232
# Convert back to dict to plug back into existing code
238233
body = s.to_dict()

docs/reference/elasticsearch-dsl.md

+8-6
Original file line numberDiff line numberDiff line change
@@ -9,11 +9,12 @@ Elasticsearch DSL is a module of the official Python client that aims to help wi
99

1010
```python
1111
from elasticsearch.dsl import Search
12+
from elasticsearch.dsl.query import Match, Term
1213

1314
s = Search(index="my-index") \
14-
.filter("term", category="search") \
15-
.query("match", title="python") \
16-
.exclude("match", description="beta")
15+
.query(Match("title", "python")) \
16+
.filter(Term("category", "search")) \
17+
.exclude(Match("description", "beta"))
1718
for hit in s:
1819
print(hit.title)
1920
```
@@ -22,12 +23,13 @@ Or with asynchronous Python:
2223

2324
```python
2425
from elasticsearch.dsl import AsyncSearch
26+
from elasticsearch.dsl.query import Match, Term
2527

2628
async def run_query():
2729
s = AsyncSearch(index="my-index") \
28-
.filter("term", category="search") \
29-
.query("match", title="python") \
30-
.exclude("match", description="beta")
30+
.query(Match("title", "python")) \
31+
.filter(Term("category", "search")) \
32+
.exclude(Match("description", "beta"))
3133
async for hit in s:
3234
print(hit.title)
3335
```

docs/reference/toc.yml

+1
Original file line numberDiff line numberDiff line change
@@ -16,4 +16,5 @@ toc:
1616
- file: dsl_tutorials.md
1717
- file: dsl_how_to_guides.md
1818
- file: dsl_examples.md
19+
- file: dsl_migrating.md
1920
- file: client-helpers.md

elasticsearch/dsl/search_base.py

+16-3
Original file line numberDiff line numberDiff line change
@@ -72,6 +72,9 @@ def __nonzero__(self) -> bool:
7272
__bool__ = __nonzero__
7373

7474
def __call__(self, *args: Any, **kwargs: Any) -> _S:
75+
"""
76+
Add a query.
77+
"""
7578
s = self._search._clone()
7679

7780
# we cannot use self._proxied since we just cloned self._search and
@@ -354,18 +357,22 @@ class SearchBase(Request[_R]):
354357
post_filter = ProxyDescriptor[Self]("post_filter")
355358
_response: Response[_R]
356359

357-
def __init__(self, **kwargs: Any):
360+
def __init__(
361+
self,
362+
using: AnyUsingType = "default",
363+
index: Optional[Union[str, List[str]]] = None,
364+
**kwargs: Any,
365+
):
358366
"""
359367
Search request to elasticsearch.
360368
361369
:arg using: `Elasticsearch` instance to use
362370
:arg index: limit the search to index
363-
:arg doc_type: only query this type.
364371
365372
All the parameters supplied (or omitted) at creation type can be later
366373
overridden by methods (`using`, `index` and `doc_type` respectively).
367374
"""
368-
super().__init__(**kwargs)
375+
super().__init__(using=using, index=index, **kwargs)
369376

370377
self.aggs = AggsProxy[_R](self)
371378
self._sort: List[Union[str, Dict[str, Dict[str, str]]]] = []
@@ -383,9 +390,15 @@ def __init__(self, **kwargs: Any):
383390
self._post_filter_proxy = QueryProxy(self, "post_filter")
384391

385392
def filter(self, *args: Any, **kwargs: Any) -> Self:
393+
"""
394+
Add a query in filter context.
395+
"""
386396
return self.query(Bool(filter=[Q(*args, **kwargs)]))
387397

388398
def exclude(self, *args: Any, **kwargs: Any) -> Self:
399+
"""
400+
Add a negative query in filter context.
401+
"""
389402
return self.query(Bool(filter=[~Q(*args, **kwargs)]))
390403

391404
def __getitem__(self, n: Union[int, slice]) -> Self:

0 commit comments

Comments
 (0)