DELETE /my_index (1)
PUT /my_index
{ "settings": { "number_of_shards": 1 }} (2)
POST /my_index/my_type/_bulk
{ "index": { "_id": 1 }}
{ "title": "The quick brown fox" }
{ "index": { "_id": 2 }}
{ "title": "The quick brown fox jumps over the lazy dog" }
{ "index": { "_id": 3 }}
{ "title": "The quick brown fox jumps over the quick dog" }
{ "index": { "_id": 4 }}
{ "title": "Brown fox brown dog" }
The match Query
The match query is the go-to query—the first query that you should
reach for whenever you need to query any field. It is a high-level full-text
query, meaning that it knows how to deal with both full-text fields and exact-value fields.
That said, the main use case for the match query is for full-text search. So
let’s take a look at how full-text search works with a simple example.
Index Some Data
First, we’ll create a new index and index some documents using the
bulk API:
-
Delete the index in case it already exists.
-
Later, in [relevance-is-broken], we explain why we created this index with only one primary shard.
A Single-Word Query
Our first example explains what happens when we use the match query to
search within a full-text field for a single word:
GET /my_index/my_type/_search
{
"query": {
"match": {
"title": "QUICK!"
}
}
}
Elasticsearch executes the preceding match query as follows:
-
Check the field type.
The
titlefield is a full-text (analyzed)stringfield, which means that the query string should be analyzed too. -
Analyze the query string.
The query string
QUICK!is passed through the standard analyzer, which results in the single termquick. Because we have just a single term, thematchquery can be executed as a single low-leveltermquery. -
Find matching docs.
The
termquery looks upquickin the inverted index and retrieves the list of documents that contain that term—in this case, documents 1, 2, and 3. -
Score each doc.
The
termquery calculates the relevancescorefor each matching document, by combining the term frequency (how oftenquickappears in thetitlefield of each document), with the inverse document frequency (how oftenquickappears in thetitlefield in _all documents in the index), and the length of each field (shorter fields are considered more relevant). See [relevance-intro].
This process gives us the following (abbreviated) results:
"hits": [
{
"_id": "1",
"_score": 0.5, (1)
"_source": {
"title": "The quick brown fox"
}
},
{
"_id": "3",
"_score": 0.44194174, (2)
"_source": {
"title": "The quick brown fox jumps over the quick dog"
}
},
{
"_id": "2",
"_score": 0.3125, (2)
"_source": {
"title": "The quick brown fox jumps over the lazy dog"
}
}
]
-
Document 1 is most relevant because its
titlefield is short, which means thatquickrepresents a large portion of its content. -
Document 3 is more relevant than document 2 because
quickappears twice.