1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88
use crate::search::*;
use crate::util::*;
/// Returns documents that contain an indexed value for a field.
///
/// An indexed value may not exist for a document’s field due to a variety of reasons:
///
/// - The field in the source JSON is `null` or `[]`
/// - The field has `"index" : false` set in the mapping
/// - The length of the field value exceeded an `ignore_above` setting in the mapping
/// - The field value was malformed and `ignore_malformed` was defined in the mapping
///
/// To create exists query:
/// ```
/// # use elasticsearch_dsl::queries::*;
/// # use elasticsearch_dsl::queries::params::*;
/// # let query =
/// Query::exists("test");
/// ```
/// <https://www.elastic.co/guide/en/elasticsearch/reference/current/query-dsl-exists-query.html>
#[derive(Debug, Clone, PartialEq, Serialize)]
#[serde(remote = "Self")]
pub struct ExistsQuery {
    field: String,
    #[serde(skip_serializing_if = "ShouldSkip::should_skip")]
    boost: Option<f32>,
    #[serde(skip_serializing_if = "ShouldSkip::should_skip")]
    _name: Option<String>,
}
impl Query {
    /// Creates an instance of [`ExistsQuery`]
    ///
    /// - `field` - Name of the field you wish to search.
    ///   While a field is deemed non-existent if the JSON value is `null` or `[]`,
    ///   these values will indicate the field does exist:
    ///   - Empty strings, such as `""` or `"-"`
    ///   - Arrays containing `null` and another value, such as `[null, "foo"]`
    ///   - A custom [`null-value`](https://www.elastic.co/guide/en/elasticsearch/reference/current/null-value.html), defined in field mapping
    pub fn exists<T>(field: T) -> ExistsQuery
    where
        T: ToString,
    {
        ExistsQuery {
            field: field.to_string(),
            boost: None,
            _name: None,
        }
    }
}
impl ExistsQuery {
    add_boost_and_name!();
}
impl ShouldSkip for ExistsQuery {}
serialize_with_root!("exists": ExistsQuery);
#[cfg(test)]
mod tests {
    use super::*;
    #[test]
    fn serialization() {
        assert_serialize_query(
            Query::exists("test"),
            json!({
                "exists": {
                    "field": "test"
                }
            }),
        );
        assert_serialize_query(
            Query::exists("test").boost(2).name("test"),
            json!({
                "exists": {
                    "field": "test",
                    "boost": 2.0,
                    "_name": "test"
                }
            }),
        );
    }
}