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
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
use super::*;
use crate::TestError;
use serde::{Deserialize, Serialize};

/// QueryParams enables parsing the generated id(s) of mutations sent to the Query Engine
/// so that it can be reused in subsequent queries
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct QueryParams {
    selection: String,
    where_: QueryParamsWhere,
    where_many: QueryParamsWhereMany,
}

impl QueryParams {
    pub fn new<S>(selection: S, where_: QueryParamsWhere, where_many: QueryParamsWhereMany) -> Self
    where
        S: Into<String>,
    {
        QueryParams {
            selection: selection.into(),
            where_,
            where_many,
        }
    }

    /// Parses the JSON result of a mutation sent to the Query Engine in order to extract the generated id(s).
    /// Returns a string that's formatted to be included in another query. eg:
    /// "{ "id": "my_fancy_id" }"
    /// Equivalent of `.where()` in Scala
    pub fn parse(&self, json: serde_json::Value, path: &[&str]) -> Result<String, TestError> {
        let val = self.where_.parse(json, path)?;

        Ok(val)
    }

    /// Parses the JSON result of a mutation sent to the Query Engine in order to extract the generated id(s).
    /// Returns a string that's formatted to be included in another query. eg:
    /// "{ "id": "my_fancy_id" }"
    /// Equivalent of `.where()` in Scala
    pub fn parse_extend(&self, json: serde_json::Value, path: &[&str], meta: &str) -> Result<String, TestError> {
        let val = self.where_.parse_extend(json, path, meta)?;

        Ok(val)
    }

    /// Parses the JSON _array_ result of a mutation sent to the Query Engine in order to extract the generated id(s).
    /// Returns a Vec<String> where each id is formatted to be included in another query. eg:
    /// vec![{ "id": "my_fancy_id" }, { "id": "my_fancy_id_2" }]
    /// Equivalent of `.whereMulti()` in Scala
    pub fn parse_many(&self, json: serde_json::Value, path: &[&str]) -> Result<Vec<String>, TestError> {
        let val = self.where_many.parse(&json, path)?;

        Ok(val)
    }

    /// Parses the JSON _array_ result of a mutation sent to the Query Engine in order to extract the generated id(s).
    /// Returns the first id as a string that's formatted to be included in another query. eg:
    /// "{ "id": "my_fancy_id" }"
    /// Equivalent of `.whereFirst()` in Scala
    pub fn parse_many_first(&self, json: serde_json::Value, path: &[&str]) -> Result<String, TestError> {
        let val = self.where_many.parse(&json, path)?;

        Ok(val.first().unwrap().to_owned())
    }

    /// Parses the JSON _array_ result of a mutation sent to the Query Engine in order to extract the generated id(s).
    /// Returns all ids, formatted to be included in another query. eg:
    /// "[{ "id": "my_fancy_id" }, { "id": "my_fancy_id_2" }}"
    /// Equivalent of `.whereAll()` in Scala
    pub fn parse_many_all(&self, json: serde_json::Value, path: &[&str]) -> Result<String, TestError> {
        let val = self.where_many.parse(&json, path)?;

        Ok(format!("{}{}{}", "[", val.join(", "), "]"))
    }

    /// Get a reference to the query params's selection.
    pub fn selection(&self) -> &str {
        self.selection.as_str()
    }
}

#[derive(Debug, Clone, Serialize, Deserialize)]
pub enum QueryParamsWhere {
    Identifier(String),
    CompoundIdentifier(Vec<String>, String),
}

impl QueryParamsWhere {
    pub fn identifier(field: impl Into<String>) -> Self {
        Self::Identifier(field.into())
    }

    pub fn compound_identifier<V, F>(fields: V, arg_name: impl Into<String>) -> Self
    where
        F: Into<String>,
        V: Into<Vec<F>>,
    {
        QueryParamsWhere::CompoundIdentifier(fields.into().into_iter().map(|f| f.into()).collect(), arg_name.into())
    }

    pub fn parse(&self, json: serde_json::Value, path: &[&str]) -> Result<String, TestError> {
        match self {
            QueryParamsWhere::Identifier(field) => parse_id(field, &json, path, ""),
            QueryParamsWhere::CompoundIdentifier(fields, arg_name) => {
                parse_compound_id(fields, arg_name, &json, path, "")
            }
        }
    }

    pub fn parse_extend(&self, json: serde_json::Value, path: &[&str], meta: &str) -> Result<String, TestError> {
        match self {
            QueryParamsWhere::Identifier(field) => parse_id(field, &json, path, meta),
            QueryParamsWhere::CompoundIdentifier(fields, arg_name) => {
                parse_compound_id(fields, arg_name, &json, path, meta)
            }
        }
    }
}

#[derive(Debug, Clone, Serialize, Deserialize)]
pub enum QueryParamsWhereMany {
    ManyIds(String),
    ManyCompounds(Vec<String>, String),
}

impl QueryParamsWhereMany {
    pub fn many_ids(field: impl Into<String>) -> Self {
        Self::ManyIds(field.into())
    }

    pub fn many_compounds<V, F>(fields: V, arg_name: impl Into<String>) -> Self
    where
        F: Into<String>,
        V: Into<Vec<F>>,
    {
        QueryParamsWhereMany::ManyCompounds(fields.into().into_iter().map(|f| f.into()).collect(), arg_name.into())
    }

    pub fn parse(&self, json: &serde_json::Value, path: &[&str]) -> Result<Vec<String>, TestError> {
        match self {
            QueryParamsWhereMany::ManyIds(field) => parse_many_ids(field, json, path),
            QueryParamsWhereMany::ManyCompounds(fields, arg_name) => {
                parse_many_compound_ids(fields, arg_name, json, path)
            }
        }
    }
}