Skip to content

Using GraphQL Search API

The Find API allows you to search for documents in an index based on specific parameters.

To search for documents using the find query. Below, you can see examples:

query FindSimpleQuery {
find(query: "hello") {
total
documents {
id
score
data
}
}
}
query FindAdvanceQuery {
find(
query: "Austin"
filter: "post_type:post,page"
fields: [{ name: "title", weight: 2 }, { name: "description" }]
orderBy: [{ field: "published_at", direction: desc }]
limit: 100
offset: 200
tolerance: { name: fuzzy, fuzzyDistance: 2 }
options: {
timeDecay: [{ field: "post_date", scale: "30d", decayRate: 0.5 }]
includeFields: ["title", "content", "published_at"]
}
) {
total
documents {
id
score
data
}
}
}

You can write the same query with separated variables:

query FindAdvanceQuery(
$query: String!
$filter: String
$fields: [SearchField!]
$orderBy: [OrderBy!]
$limit: Int!
$offset: Int!
$tolerance: SearchOption!
$options: OptionsInput
) {
find(
query: $query
filter: $filter
fields: $fields
orderBy: $orderBy
limit: $limit
offset: $offset
tolerance: $tolerance
options: $options
) {
total
documents {
id
score
data
}
}
}

GraphQL Variables

{
"query": "Austin",
"filter": "post_type:post,page",
"orderBy": [{ "field": "published_at", "direction": "desc" }],
"offset": 200,
"limit": 100,
"fields": [{ "name": "title", "weight": 2 }, { "name": "description" }],
"tolerance": { "name": "fuzzy", "fuzzyDistance": 2 },
"options": {
"timeDecay": [{ "scale": "30d", "decayRate": 0.5 }],
"includeFields": ["title", "content", "published_at"]
}
}

The query returns a SearchResult object that includes fields:

  • total - an integer of the total documents matching the query. Independent to offset and limit arguments.
  • documents - an array of search documents with fields:
    • id is unique id of the document in the index
    • score is a relevance score, which determines how closely each document matches the query

Using NOT search operator:

query FindNotQuery {
find(query: "Austin NOT Minnesota") {
total
documents {
id
score
data
}
}
}

Using AND search operator:

query FindAndQuery {
find(query: "New York AND Texas") {
total
documents {
id
score
data
}
}
}

Using OR search operator:

query FindOrQuery {
find(query: "New York OR Texas") {
total
documents {
id
score
data
}
}
}

Search field value with greater, less or equal operator

Section titled “Search field value with greater, less or equal operator”
query FindRangeQuery {
find(query: "seats.count:(>4 AND <20)") {
total
documents {
id
score
data
}
}
}

The seats.count field has a value greater than 4 and lower than 20.

It is possible to have two categories which might share the same keywords, Car and Car Sales.

query FindFilterQuery {
find(query: "Toyota", filter: "categories.name:Car") {
total
documents {
id
score
data
}
}
}

Executing the query above will return records where the categories.name field contains both Car and Car Sales etc.

If we only want to return records with Car we must use the keyword field i.e if the path to the field is categories.name we can update it to be categories.name.keyword

query FindKeywordFilterQuery {
find(query: "Toyota", filter: "categories.name.keyword:Car") {
total
documents {
id
score
data
}
}
}

Executing the query above will ensure only the categories which match Car will be returned.

The orderBy input is an array of objects that specify how the results of the find query should be sorted. Each object in the orderBy array has two properties: field and direction.

The following query sorts documents in descending order using the post_date_gmt field:

query OrderByQueryWithDates {
find(
query: "my search query"
orderBy: [{ field: "post_date_gmt", direction: desc }]
) {
total
documents {
id
sort
}
}
}

The following query sorts documents in ascending order using a string field post_title, we must then append .keyword to enable string sorting.

query OrderByQueryWithStrings {
find(
query: "my search query"
orderBy: [{ field: "post_title.keyword", direction: asc }]
) {
total
documents {
id
sort
}
}
}

The following query sorts documents in ascending order using the price field:

query OrderByQueryWithNumbers {
find(
query: "my search query"
orderBy: [{ field: "price", direction: asc }]
) {
total
documents {
id
sort
}
}
}

It is possible to order by one or more clauses, each subsequent ordering clause has less priority than the preceding clause. For example if we order by price and then post_date_gmt, the post_date_gmt comes into effect when two or more records with the same price are the same.

The following query sorts documents using multiple fields, price and post_date_gmt:

query OrderByQueryWithMultipleClauses {
find(
query: "my search query"
orderBy: [
{ field: "price", direction: asc }
{ field: "post_date_gmt", direction: asc }
]
) {
total
documents {
id
sort
}
}
}

The query rescorer allows you to improve search precision by re-scoring the top documents using a more sophisticated algorithm. This is particularly effective for fine-tuning search results by applying phrase matching to specific fields on the most relevant documents from your initial search, rather than applying costly algorithms to all documents in the index.

  • Query rescorer can only be used when results are sorted by _score in descending order (default behavior when no orderBy is specified)
  • Query rescorer is automatically disabled when semanticSearch.searchBias is greater than 6, as semantic search takes precedence in such cases
query QueryRescorer {
find(
query: "juicy cucumber"
semanticSearch: { searchBias: 6, fields: ["post_content"] }
options: {
queryRescorer: {
windowSize: 10
fields: ["post_title"]
slop: 3
queryWeight: 0.9
rescoreQueryWeight: 1.1
}
}
) {
total
documents {
score
id
data
}
}
}

The queryRescorer object accepts the following optional parameters:

  • windowSize (integer, default: 10) - The number of top documents to rescore from the initial query results
  • fields (array of strings, default: [“title”, “content”, “post_title”, “post_content”]) - The fields to apply phrase matching during rescoring
  • slop (integer, default: 2) - The maximum number of positions that terms can be moved apart while still matching the phrase
  • queryWeight (float, default: 0.7) - The weight given to the original query score
  • rescoreQueryWeight (float, default: 1.1) - The weight given to the rescore query score
  1. The initial query returns a set of documents with their relevance scores
  2. The rescorer takes the top windowSize documents from these results
  3. It applies a phrase-based multi-match query to the specified fields using the original search query
  4. The final score is calculated by combining the original score (weighted by queryWeight) with the rescore score (weighted by rescoreQueryWeight)
  5. Documents are re-ranked based on these new combined scores

This approach helps surface documents where the search terms appear as phrases in important fields like titles, while still maintaining the relevance benefits of the original search algorithm.

Search also supports cursor pagination.

  • orderBy would need to be provided in order to avoid sort field of returned documents being empty
  • In order cursor pagination to work properly, {field:"_score"} can’t be provided alone, since it’s a calculated field and needs a second standard field to work as “tiebreaker”.

Here is an example:

query FindTest {
find(
query: "test"
orderBy: [{ field: "_score" }, { field: "post_date_gmt", direction: desc }]
) {
total
documents {
id
sort
}
}
}

And result documents returned are:

{
"data": {
"find": {
"total": 5,
"documents": [
{
"id": "post:19",
"sort": ["4.680951", "2024-01-23T11:06:37"]
},
{
"id": "post:17",
"sort": ["4.680951", "2024-01-23T11:06:25"]
},
{
"id": "post:15",
"sort": ["4.680951", "2024-01-23T11:06:14"]
},
{
"id": "post:13",
"sort": ["4.680951", "2024-01-23T11:06:01"]
},
{
"id": "post:10",
"sort": ["4.680951", "2024-01-23T11:05:46"]
}
]
}
}
}

For returning the results after post:17 we need to provide the sort of that document and make the following call:

query FindTest {
find(
query: "test"
orderBy: [{ field: "_score" }, { field: "post_date_gmt", direction: desc }]
searchAfter: ["4.680951", "2024-01-23T11:06:25"]
) {
total
documents {
id
sort
}
}
}

which will return:

{
"data": {
"find": {
"total": 5,
"documents": [
{
"id": "post:15",
"sort": ["4.680951", "2024-01-23T11:06:14"]
},
{
"id": "post:13",
"sort": ["4.680951", "2024-01-23T11:06:01"]
},
{
"id": "post:10",
"sort": ["4.680951", "2024-01-23T11:05:46"]
}
]
}
}
}

Semantic search uses machine learning to interpret the meaning of words and phrases. The results of a semantic search will return documents matching the meaning of a query, as opposed to full text search that literally matches words in the query.

Hybrid search is a combination of full-text search and semantic search to deliver more relevant and comprehensive results.

Before using Semantic / Hybrid search, you need to configure it. Semantic / Hybrid Search Configuration API is available here.

Once configuration is done, you can use the semanticSearch input in the find query to perform a semantic search.

query FindWithSemanticSearch {
find(
query: "eats carrots and is a rodent"
semanticSearch: { searchBias: 10, fields: ["post_title"] }
) {
total
documents {
score
data
}
}
}
  • semanticSearch is an input that accepts options used by semantic / hybrid search.
  • searchBias: 10 is indicating that we want to use only semantic search and not full-text search. If the value is 0, only full-text search is used. If the value is between 1-9, it’s a combination of full-text and semantic search.
  • fields: ["post_title"] We specify that we want to perform a semantic search on the post_title field. (This field should be configured for semantic search in the configuration step)
  • Sample output from executing the graphql query above:
{
"data": {
"find": {
"total": 2,
"documents": [
{
"score": 2.209324,
"data": {
"ID": 6,
"fieldGroup1": {
"field1": null,
"field2": 0
},
"history": {
"owners": null
},
"post_content": "",
"post_date_gmt": "2024-02-09T15:21:20",
"post_excerpt": "",
"post_modified_gmt": "2024-02-14T16:06:44",
"post_name": "rabbit-1",
"post_status": "publish",
"post_title": "Rabbit-1 rabbit",
"post_type": "rabbit",
"testNumbers": {
"test_number": 0
}
}
},
{
"score": 2.0539768,
"data": {
"ID": 7,
"post_content": "",
"post_date_gmt": "2024-02-09T15:21:23",
"post_excerpt": "",
"post_modified_gmt": "2024-02-09T15:21:23",
"post_name": "rabbit-2",
"post_status": "publish",
"post_title": "Rabbit-2",
"post_type": "rabbit"
}
}
]
}
}
}

Time decay scoring allows you to apply a continuous, time-based decay to search results, making more recent documents score higher than older ones. This is particularly useful for content where recency is important, such as news articles, blog posts, or time-sensitive information.

query FindWithTimeDecay {
find(
query: "search term"
options: { timeDecay: [{ field: "post_date", scale: "30d" }] }
) {
total
documents {
id
score
data
}
}
}

This example applies a time decay where documents that are 30 days old will have their score multiplied by 0.5 (the default decay rate).

query FindWithAdvancedTimeDecay {
find(
query: "search term"
options: {
timeDecay: [
{
field: "post_modified_gmt"
scale: "14d"
decayRate: 0.3
offset: "7d"
}
]
}
) {
total
documents {
id
score
data
}
}
}

In this advanced example:

  • field: "post_modified_gmt" - Uses the modification date instead of the default post_date
  • scale: "14d" - Documents that are 14 days old will be affected by the decay
  • decayRate: 0.3 - At the scale distance (14 days), the score will be multiplied by 0.3
  • offset: "7d" - The decay doesn’t start until 7 days from now

You can apply multiple time decay functions to different fields:

query FindWithMultipleTimeDecay {
find(
query: "search term"
options: {
timeDecay: [
{ field: "post_date", scale: "30d", decayRate: 0.5 }
{ field: "post_modified_gmt", scale: "7d", decayRate: 0.8 }
]
}
) {
total
documents {
id
score
data
}
}
}

The scale and offset parameters accept time periods in the following formats:

  • d for days (e.g., 30d, 7d)
  • h for hours (e.g., 12h, 24h)
  • m for minutes (e.g., 90m, 30m)
  • s for seconds (e.g., 3600s)

The Find API provides two ways to specify which fields to search: global field selection and type-specific field selection.

The root-level fields parameter applies to all document types in your search. This is useful when your documents have a consistent field structure.

query FindWithGlobalFields {
find(
query: "Austin"
fields: [{ name: "title", weight: 2 }, { name: "description", weight: 1 }]
) {
total
documents {
id
score
data
}
}
}

In this example:

  • The query searches in the title field (with weight 2) and description field (with weight 1) for all documents
  • Field weights affect the relevance scoring - higher weights give more importance to matches in that field
  • Default weight is 1 if not specified

The options.fields parameter allows you to specify different search fields for different document types. This is particularly useful when you have multiple content types with different field structures and weight configuration.

query FindWithTypeSpecificFields {
find(
query: "search term"
options: {
fields: {
typeFieldName: "post_type"
types: [
{
type: "post"
fields: [
{ name: "post_title", weight: 3 }
{ name: "post_content", weight: 1 }
]
}
{
type: "page"
fields: [
{ name: "page_title", weight: 2 }
{ name: "page_description", weight: 1 }
]
}
{
type: "product"
fields: [
{ name: "product_name", weight: 4 }
{ name: "product_description", weight: 2 }
{ name: "sku", weight: 1 }
]
}
]
}
}
) {
total
documents {
id
score
data
}
}
}

In this example:

  • typeFieldName: "post_type" specifies which field contains the type information (defaults to “post_type”)
  • Documents with post_type: "post" will search in post_title (weight 3) and post_content (weight 1)
  • Documents with post_type: "page" will search in page_title (weight 2) and page_description (weight 1)
  • Documents with post_type: "product" will search in product_name (weight 4), product_description (weight 2), and sku (weight 1)

Use global fields when:

  • All your documents share the same field structure
  • You want to search the same fields across all content types
  • You have a simple, consistent schema

Use type-specific options.fields when:

  • Different content types have different field names or structures
  • You want to apply different weights to fields based on content type
  • You need fine-grained control over which fields are searched for each type

The options input supports controlling which fields are included or excluded from the search response. This is particularly useful for:

  • Reducing bandwidth by excluding large fields (e.g., full content, base64 images, serialized data)
  • Limiting response to only the fields you need for display
  • Excluding sensitive or internal fields from the response

Use includeFields to return only specific fields in the response:

query FindWithIncludeFields {
find(
query: "search term"
options: { includeFields: ["post_title", "post_excerpt", "post_date"] }
) {
total
documents {
id
score
data
}
}
}

In this example, only post_title, post_excerpt, and post_date will be returned in the data object, even if the documents contain many other fields.

Use excludeFields to omit specific fields from the response:

query FindWithExcludeFields {
find(
query: "search term"
options: { excludeFields: ["post_content", "meta_data", "serialized_data"] }
) {
total
documents {
id
score
data
}
}
}

In this example, all fields except post_content, meta_data, and serialized_data will be returned in the response.

You can use both includeFields and excludeFields together, though this is typically not recommended as it can be confusing:

query FindWithIncludeAndExclude {
find(
query: "search term"
options: {
includeFields: ["post_title", "post_content", "post_date", "author"]
excludeFields: ["post_content"]
}
) {
total
documents {
id
score
data
}
}
}

This will return post_title, post_date, and author (but not post_content since it’s excluded).

Reduce bandwidth for list views:

query FindForListView {
find(
query: "blog posts"
options: {
includeFields: ["post_title", "post_excerpt", "post_date", "author"]
}
) {
documents {
id
data
}
}
}

Exclude large or unnecessary fields:

query FindExcludingLargeFields {
find(
query: "products"
options: {
excludeFields: ["full_description", "image_base64", "reviews_data"]
}
) {
documents {
id
data
}
}
}

The Find API supports geographic filtering to find documents within specific geographic areas. This is useful for location-based searches such as finding nearby stores, events, or services.

Geographic constraints can be applied using:

  • Circle constraints - Find documents within a specified distance from a center point
  • Bounding box constraints - Find documents within a rectangular geographic area
  • Multiple constraints - Combine multiple circles and/or bounding boxes with OR logic

Find documents within a specified distance from a center point:

query FindWithCircleConstraint {
find(
query: "coffee shop"
geoConstraint: {
circle: { center: { lat: 37.7749, lon: -122.4194 }, maxDistance: "5km" }
}
) {
total
documents {
id
score
data
}
}
}

Find documents within a rectangular geographic area:

query FindWithBoundingBoxConstraint {
find(
query: "restaurants"
geoConstraint: {
boundingBox: {
southwest: { lat: 37.7749, lon: -122.4494 }
northeast: { lat: 37.8049, lon: -122.3894 }
}
}
) {
total
documents {
id
score
data
}
}
}

You can combine multiple circles and bounding boxes using OR logic - results will match if they fall within ANY of the specified areas:

query FindWithMultipleGeoConstraints {
find(
query: "events"
geoConstraints: {
circles: [
{ center: { lat: 37.7749, lon: -122.4194 }, maxDistance: "3km" }
{ center: { lat: 37.8044, lon: -122.2711 }, maxDistance: "2mi" }
]
boundingBoxes: [
{
southwest: { lat: 37.7849, lon: -122.4094 }
northeast: { lat: 37.7949, lon: -122.3994 }
}
]
}
) {
total
documents {
id
score
data
}
}
}
  • Coordinate format: Geographic coordinates must be stored as latitude/longitude pairs in the coordinates field
  • Distance units: Supported distance units include:
    • km (kilometers) - e.g., "5km"
    • mi (miles) - e.g., "10.5mi"
    • m (meters) - e.g., "1000m"
    • ft (feet) - e.g., "500ft"
    • yd (yards) - e.g., "100yd"

Geographic coordinates must fall within valid ranges:

  • Latitude: -90.0 to 90.0 degrees
  • Longitude: -180.0 to 180.0 degrees

For bounding boxes, the southwest corner must have lower latitude and longitude values than the northeast corner.

Faceted search is a way to navigate large sets of data by aggregating terms and/or ranges, and then applying filters based on the results to narrow down a search.

Consider the following query:

{
find(
query: "my search query"
aggregate: { terms: [{ field: "categories.name" }] }
) {
total
aggregations {
terms {
field
terms {
term
count
}
}
}
}
}
  • aggregate is an input that accepts a list of terms or ranges
  • terms: [{field: "categories.name"}] is indicating that we want to aggregate on the field categories.name
  • We also specify to return the terms aggregations in the query

Sample output from executing the graphql query above:

{
"find": {
"aggregations": {
"terms": [
{
"field": "categories.name",
"terms": [
{
"count": 5,
"term": "sport"
},
{
"count": 4,
"term": "farming"
},
{
"count": 5,
"term": "shopping"
}
]
}
]
},
"total": 14
}
}
  • The output of the query returns unique terms that occur in the field categories.name
  • term is the instance of the term.
  • count is the amount of occurrences of the term.
  • The total indicates how many documents were considered for the given search query “my search query”

Lets filter the results and select documents where categories.name are equal to sport

{
find(
query: "my search query AND categories.name:sport"
aggregate: { terms: [{ field: "categories.name" }] }
) {
total
aggregations {
terms {
field
terms {
term
count
}
}
}
}
}

Result:

{
"find": {
"aggregations": {
"terms": [
{
"field": "categories.name",
"terms": [
{
"count": 5,
"term": "sport"
}
]
}
]
},
"total": 5
}
}

For the example above we didn’t include the found documents, lets do that now.

{
find(
query: "my search query AND categories.name:sport"
aggregate: { terms: [{ field: "categories.name" }] }
) {
total
aggregations {
terms {
field
terms {
term
count
}
}
}
documents {
data
}
}
}

Result:

{
"find": {
"documents": [
{
"id": "post:2",
"data": {
"ID": 2,
"categories": {
"name": "sport"
},
"post_title": "Search with aggregations query example",
"post_type": "post"
}
}
// 4 more documents
],
"aggregations": {
"terms": [
{
"field": "categories.name",
"terms": [
{
"count": 5,
"term": "sport"
}
]
}
]
},
"total": 5
}
}

Consider the following query:

{
find(
query: "*"
aggregate: {
ranges: [
{
field: "prices.price"
ranges: [{ from: 0, to: 100 }, { from: 101, to: 200 }]
}
]
}
) {
total
documents {
data
}
aggregations {
ranges {
field
ranges {
from
to
count
}
}
}
}
}
  • aggregate is an input that accepts a list of terms or ranges
  • ranges: [{field: "prices.price" ...] is indicating that we want to return the range on the field prices.name
  • We then specify the ranges we want, in this example we want to bucket ranges from 0-100 and 101-200

Sample output from executing the graphql query above:

{
"data": {
"find": {
"total": 5,
"documents": [
{
"data": {
"post_title": "price fifty",
"prices": {
"price": 50
}
}
},
{
"data": {
"post_title": "price sixty",
"prices": {
"price": 60
}
}
},
{
"data": {
"post_title": "price seventy",
"prices": {
"price": 70
}
}
},
{
"data": {
"post_title": "price one hundred and twenty",
"prices": {
"price": 120
}
}
},
{
"data": {
"post_title": "price one hundred and fifty",
"prices": {
"price": 150
}
}
}
],
"aggregations": {
"ranges": [
{
"field": "prices.price",
"ranges": [
{
"from": 0,
"to": 100,
"count": 3
},
{
"from": 101,
"to": 200,
"count": 2
}
]
}
]
}
}
}
}
  • The output of the query returns range aggregations counting documents that match each range that occur in the field prices.prices
  • from designates the start of a range bucket.
  • to designates the end of a range bucket
  • count is the amount of occurrences of the documents in the specified range.
  • The total indicates how many documents were considered for the given search query ”*”

Lets update the query to filter out prices less than 100:

{
find(
query: "prices.price:>100"
aggregate: {
ranges: [
{
field: "prices.price"
ranges: [{ from: 0, to: 100 }, { from: 101, to: 200 }]
}
]
}
) {
total
aggregations {
ranges {
field
ranges {
from
to
count
}
}
}
}
}

Sample output:

{
"data": {
"find": {
"total": 2,
"documents": [
{
"data": {
"post_title": "price one hundred and twenty",
"prices": {
"price": 120
}
}
},
{
"data": {
"post_title": "price one hundred and fifty",
"prices": {
"price": 150
}
}
}
],
"aggregations": {
"ranges": [
{
"field": "prices.price",
"ranges": [
{
"from": 0,
"to": 100,
"count": 0
},
{
"from": 101,
"to": 200,
"count": 2
}
]
}
]
}
}
}
}

The schema defines the GraphQL query type for searching documents in an index. It includes various parameters to customize the search query.

Field Description
find Searches for documents in an index based on specific parameters.
Parameter Type Description
query String! The search query. This is required.
filter String Filter string that will be added to the search query and filter out search results.
geoConstraint GeoConstraintInput Single geographic constraint for proximity-based or area-based filtering.
geoConstraints GeoConstraintsInput Multiple geographic constraints for proximity-based or area-based filtering with OR logic.
orderBy [OrderBy] Used for ordering the search results. By default, a weight policy is applied.
searchAfter [String!] Results offset used for cursor pagination.
offset Int Results offset used for pagination.
limit Int Results limit used for pagination.
fields [SearchField] Specifies the fields to search for in the documents.
tolerance SearchOption = \{ name: stemming \} Selects either Fuzzy or Stemming search option. By default, find will use stemming.
meta MetaInput Optional meta data.
aggregate AggregateInput Aggregation support.
semanticSearch SemanticSearchInput Semantic Search query input.
options OptionsInput Additional options for controlling search behavior, including field inclusion/exclusion and time decay scoring.
Field Type Description
name String! The field name to search for in the document.
weight Int The weight of the field, affecting the order of returned documents.

Optional meta data input for logging

Field Type Description
action String Performed action e.g. index
system String The requester system name
source String The requester hostname
Field Type Description
terms [TermAggregateInput] Aggregation based on terms.
ranges [RangeAggregateInput] Aggregation based on ranges.
Field Type Description
field String! Field name we want to aggregate on
size Int To retrieve additional terms, employ the "size" parameter. By default, the terms aggregation fetches the top ten terms with the highest document counts.
minCount Int If minCount is zero, zero count results are returned (else we omit them)
Field Type Description
field String! Field name we want to aggregate on
ranges [RangeInput] Range Input options
size Int To retrieve additional terms, employ the "size" parameter. By default, the terms aggregation fetches the top ten terms with the highest document counts.

A multi-bucket value source based aggregation that enables the user to define a set of ranges - each representing a bucket

Field Type Description
to Float From value (Inclusive)
from Float To value (Exclusive)
Field Type Description
field String! The field to order the documents by.
direction OrderByDirection The sort direction (asc or desc).
unmappedType String Deprecated: Going to be removed soon. When its present default weight score is applied for ordering
Field Type Description
name SearchOptionEnum! The search option name (fuzzy or stemming).
fuzzyDistance Int Optional fuzzy distance. Applicable only if the fuzzy search option is selected. It represents the number of one-character changes needed to turn one term into another.

Semantic Search query input

Field Type Description
searchBias Int! The search bias of the semantic search query vs full text search - 0 = Full text search only, 10 = Semantic search only - 1-9 mix of both weighted respectfully
fields [String!]! Fields for search
type SEMANTIC_SEARCH_TYPE Semantic Search type

Additional options for controlling search behavior and result formatting

Field Type Description
fields TypeFields Type-specific field searching. Allows you to specify different fields to search for different document types (e.g., search "title" and "content" for post_type:post, but "name" and "description" for post_type:page).
includeFields [String!] Fields to include in the search result. When specified, only these fields will be returned in the document data.
excludeFields [String!] Fields to exclude from the search result. These fields will be omitted from the document data.
timeDecay [TimeDecayInput!] Time-based decay functions to apply to search scoring. Allows boosting more recent documents.
queryRescorer QueryRescorerInput Query rescorer configuration for improving search precision by re-scoring top documents.

Allows you to specify different search fields for different document types. This is useful when different content types have different field structures.

Field Type Description
typeFieldName String The name of the field that contains the type information. Defaults to "post_type".
types [Type!]! List of type-specific field configurations.

Defines which fields to search for a specific document type.

Field Type Description
type String! The type name (e.g., "post", "page", "product").
fields [SearchField!]! The fields to search for this specific type, with optional weights.

Input for applying continuous, time-based decay to search scores

Field Type Description
field String The field to apply the decay function to. Defaults to 'post_date' if not specified.
scale String! The duration from 'now' at which the score multiplier will drop. Must match format like '30d', '12h', '90m', '3600s'. Defaults to '14d' if not specified. This is required.
decayRate Float The score multiplier at the 'scale' distance. Defaults to 0.25 if not provided. Value should be between 0 and 1.
offset String Sets a time offset from 'now' before the decay begins. Defaults to '7d'. Example: '7d'. Uses same format as scale.

Single geographic constraint for query results.

Field Type Description
circle CircleConstraint Circle constraint - results must be within specified distance from center point.
boundingBox BoundingBoxConstraint Bounding box constraint - results must be within rectangular area.

Multiple geographic constraints for query results with OR logic combination:

  • Multiple circles: OR (matches if within ANY circle)
  • Multiple bounding boxes: OR (matches if within ANY bounding box)
  • Circles and bounding boxes: OR (matches if within ANY circle OR ANY bounding box)
Field Type Description
circles [CircleConstraint!] Circle constraints - results must be within specified distance from center points. Multiple circles are combined with OR logic.
boundingBoxes [BoundingBoxConstraint!] Bounding box constraints - results must be within rectangular areas. Multiple bounding boxes are combined with OR logic.

Circular area constraint defined by center point and maximum distance.

Field Type Description
center GeoPointInput! Center point of the circular area
maxDistance Distance! Maximum distance from center point

Bounding box rectangular area defined by southwest and northeast corners.

Field Type Description
southwest GeoPointInput! Southwest corner of the bounding box. This is the minimum latitude and longitude point.
northeast GeoPointInput! Northeast corner of the bounding box. This is the maximum latitude and longitude point.

Geographic coordinate input

Field Type Description
lat Float! Latitude in decimal degrees. Valid range: [-90.0, 90.0]
lon Float! Longitude in decimal degrees. Valid range: [-180.0, 180.0]
Field Type Description
total Int The total number of documents returned.
documents [SearchDocument] The list of documents matching the search.
Field Type Description
id ID! The Search ID of the document.
score Float The Search score of the document.
sort [String] Values used to sort documents. Can be used in combination with searchAfter for cursor pagination.
data Map! The document data.
Name Description
fuzzy The fuzzy search option.
stemming The stemming search option.
Name Description
asc Sort in ascending order.
desc Sort in descending order.
Value Description
BASIC Basic Search type

Distance value with unit. Format: <number><unit>

Supported units:

  • km (kilometers) - e.g., "5km"
  • mi (miles) - e.g., "10.5mi"
  • m (meters) - e.g., "1000m"
  • ft (feet) - e.g., "500ft"
  • yd (yards) - e.g., "100yd"

Examples: "5km", "10.5mi", "1000m"

Notes:

  • Negative values are not allowed
  • Must be positive numeric values
  • Unit is required