Line data Source code
1 : use serde_json::Map;
2 : use serde_json::Value;
3 : use tokio_postgres::types::Kind;
4 : use tokio_postgres::types::Type;
5 : use tokio_postgres::Row;
6 :
7 : //
8 : // Convert json non-string types to strings, so that they can be passed to Postgres
9 : // as parameters.
10 : //
11 7 : pub(crate) fn json_to_pg_text(json: Vec<Value>) -> Vec<Option<String>> {
12 7 : json.iter().map(json_value_to_pg_text).collect()
13 7 : }
14 :
15 8 : fn json_value_to_pg_text(value: &Value) -> Option<String> {
16 8 : match value {
17 : // special care for nulls
18 1 : Value::Null => None,
19 :
20 : // convert to text with escaping
21 3 : v @ (Value::Bool(_) | Value::Number(_) | Value::Object(_)) => Some(v.to_string()),
22 :
23 : // avoid escaping here, as we pass this as a parameter
24 1 : Value::String(s) => Some(s.to_string()),
25 :
26 : // special care for arrays
27 3 : Value::Array(_) => json_array_to_pg_array(value),
28 : }
29 8 : }
30 :
31 : //
32 : // Serialize a JSON array to a Postgres array. Contrary to the strings in the params
33 : // in the array we need to escape the strings. Postgres is okay with arrays of form
34 : // '{1,"2",3}'::int[], so we don't check that array holds values of the same type, leaving
35 : // it for Postgres to check.
36 : //
37 : // Example of the same escaping in node-postgres: packages/pg/lib/utils.js
38 : //
39 23 : fn json_array_to_pg_array(value: &Value) -> Option<String> {
40 23 : match value {
41 : // special care for nulls
42 2 : Value::Null => None,
43 :
44 : // convert to text with escaping
45 : // here string needs to be escaped, as it is part of the array
46 13 : v @ (Value::Bool(_) | Value::Number(_) | Value::String(_)) => Some(v.to_string()),
47 2 : v @ Value::Object(_) => json_array_to_pg_array(&Value::String(v.to_string())),
48 :
49 : // recurse into array
50 6 : Value::Array(arr) => {
51 6 : let vals = arr
52 6 : .iter()
53 6 : .map(json_array_to_pg_array)
54 18 : .map(|v| v.unwrap_or_else(|| "NULL".to_string()))
55 6 : .collect::<Vec<_>>()
56 6 : .join(",");
57 6 :
58 6 : Some(format!("{{{vals}}}"))
59 : }
60 : }
61 23 : }
62 :
63 0 : #[derive(Debug, thiserror::Error)]
64 : pub(crate) enum JsonConversionError {
65 : #[error("internal error compute returned invalid data: {0}")]
66 : AsTextError(tokio_postgres::Error),
67 : #[error("parse int error: {0}")]
68 : ParseIntError(#[from] std::num::ParseIntError),
69 : #[error("parse float error: {0}")]
70 : ParseFloatError(#[from] std::num::ParseFloatError),
71 : #[error("parse json error: {0}")]
72 : ParseJsonError(#[from] serde_json::Error),
73 : #[error("unbalanced array")]
74 : UnbalancedArray,
75 : }
76 :
77 : //
78 : // Convert postgres row with text-encoded values to JSON object
79 : //
80 0 : pub(crate) fn pg_text_row_to_json(
81 0 : row: &Row,
82 0 : columns: &[Type],
83 0 : raw_output: bool,
84 0 : array_mode: bool,
85 0 : ) -> Result<Value, JsonConversionError> {
86 0 : let iter = row
87 0 : .columns()
88 0 : .iter()
89 0 : .zip(columns)
90 0 : .enumerate()
91 0 : .map(|(i, (column, typ))| {
92 0 : let name = column.name();
93 0 : let pg_value = row.as_text(i).map_err(JsonConversionError::AsTextError)?;
94 0 : let json_value = if raw_output {
95 0 : match pg_value {
96 0 : Some(v) => Value::String(v.to_string()),
97 0 : None => Value::Null,
98 : }
99 : } else {
100 0 : pg_text_to_json(pg_value, typ)?
101 : };
102 0 : Ok((name.to_string(), json_value))
103 0 : });
104 0 :
105 0 : if array_mode {
106 : // drop keys and aggregate into array
107 0 : let arr = iter
108 0 : .map(|r| r.map(|(_key, val)| val))
109 0 : .collect::<Result<Vec<Value>, JsonConversionError>>()?;
110 0 : Ok(Value::Array(arr))
111 : } else {
112 0 : let obj = iter.collect::<Result<Map<String, Value>, JsonConversionError>>()?;
113 0 : Ok(Value::Object(obj))
114 : }
115 0 : }
116 :
117 : //
118 : // Convert postgres text-encoded value to JSON value
119 : //
120 84 : fn pg_text_to_json(pg_value: Option<&str>, pg_type: &Type) -> Result<Value, JsonConversionError> {
121 84 : if let Some(val) = pg_value {
122 76 : if let Kind::Array(elem_type) = pg_type.kind() {
123 0 : return pg_array_parse(val, elem_type);
124 76 : }
125 76 :
126 76 : match *pg_type {
127 12 : Type::BOOL => Ok(Value::Bool(val == "t")),
128 : Type::INT2 | Type::INT4 => {
129 14 : let val = val.parse::<i32>()?;
130 14 : Ok(Value::Number(serde_json::Number::from(val)))
131 : }
132 : Type::FLOAT4 | Type::FLOAT8 => {
133 23 : let fval = val.parse::<f64>()?;
134 23 : let num = serde_json::Number::from_f64(fval);
135 23 : if let Some(num) = num {
136 14 : Ok(Value::Number(num))
137 : } else {
138 : // Pass Nan, Inf, -Inf as strings
139 : // JS JSON.stringify() does converts them to null, but we
140 : // want to preserve them, so we pass them as strings
141 9 : Ok(Value::String(val.to_string()))
142 : }
143 : }
144 7 : Type::JSON | Type::JSONB => Ok(serde_json::from_str(val)?),
145 20 : _ => Ok(Value::String(val.to_string())),
146 : }
147 : } else {
148 8 : Ok(Value::Null)
149 : }
150 84 : }
151 :
152 : //
153 : // Parse postgres array into JSON array.
154 : //
155 : // This is a bit involved because we need to handle nested arrays and quoted
156 : // values. Unlike postgres we don't check that all nested arrays have the same
157 : // dimensions, we just return them as is.
158 : //
159 22 : fn pg_array_parse(pg_array: &str, elem_type: &Type) -> Result<Value, JsonConversionError> {
160 22 : _pg_array_parse(pg_array, elem_type, false).map(|(v, _)| v)
161 22 : }
162 :
163 39 : fn _pg_array_parse(
164 39 : pg_array: &str,
165 39 : elem_type: &Type,
166 39 : nested: bool,
167 39 : ) -> Result<(Value, usize), JsonConversionError> {
168 39 : let mut pg_array_chr = pg_array.char_indices();
169 39 : let mut level = 0;
170 39 : let mut quote = false;
171 39 : let mut entries: Vec<Value> = Vec::new();
172 39 : let mut entry = String::new();
173 39 :
174 39 : // skip bounds decoration
175 39 : if let Some('[') = pg_array.chars().next() {
176 18 : for (_, c) in pg_array_chr.by_ref() {
177 18 : if c == '=' {
178 1 : break;
179 17 : }
180 : }
181 38 : }
182 :
183 90 : fn push_checked(
184 90 : entry: &mut String,
185 90 : entries: &mut Vec<Value>,
186 90 : elem_type: &Type,
187 90 : ) -> Result<(), JsonConversionError> {
188 90 : if !entry.is_empty() {
189 : // While in usual postgres response we get nulls as None and everything else
190 : // as Some(&str), in arrays we get NULL as unquoted 'NULL' string (while
191 : // string with value 'NULL' will be represented by '"NULL"'). So catch NULLs
192 : // here while we have quotation info and convert them to None.
193 58 : if entry == "NULL" {
194 7 : entries.push(pg_text_to_json(None, elem_type)?);
195 : } else {
196 51 : entries.push(pg_text_to_json(Some(entry), elem_type)?);
197 : }
198 58 : entry.clear();
199 32 : }
200 :
201 90 : Ok(())
202 90 : }
203 :
204 437 : while let Some((mut i, mut c)) = pg_array_chr.next() {
205 415 : let mut escaped = false;
206 415 :
207 415 : if c == '\\' {
208 15 : escaped = true;
209 15 : (i, c) = pg_array_chr.next().unwrap();
210 400 : }
211 :
212 62 : match c {
213 56 : '{' if !quote => {
214 56 : level += 1;
215 56 : if level > 1 {
216 17 : let (res, off) = _pg_array_parse(&pg_array[i..], elem_type, true)?;
217 17 : entries.push(res);
218 195 : for _ in 0..off - 1 {
219 195 : pg_array_chr.next();
220 195 : }
221 39 : }
222 : }
223 56 : '}' if !quote => {
224 56 : level -= 1;
225 56 : if level == 0 {
226 39 : push_checked(&mut entry, &mut entries, elem_type)?;
227 39 : if nested {
228 17 : return Ok((Value::Array(entries), i));
229 22 : }
230 17 : }
231 : }
232 30 : '"' if !escaped => {
233 30 : if quote {
234 : // end of quoted string, so push it manually without any checks
235 : // for emptiness or nulls
236 15 : entries.push(pg_text_to_json(Some(&entry), elem_type)?);
237 15 : entry.clear();
238 15 : }
239 30 : quote = !quote;
240 : }
241 51 : ',' if !quote => {
242 51 : push_checked(&mut entry, &mut entries, elem_type)?;
243 : }
244 222 : _ => {
245 222 : entry.push(c);
246 222 : }
247 : }
248 : }
249 :
250 22 : if level != 0 {
251 0 : return Err(JsonConversionError::UnbalancedArray);
252 22 : }
253 22 :
254 22 : Ok((Value::Array(entries), 0))
255 39 : }
256 :
257 : #[cfg(test)]
258 : mod tests {
259 : use super::*;
260 : use serde_json::json;
261 :
262 : #[test]
263 1 : fn test_atomic_types_to_pg_params() {
264 1 : let json = vec![Value::Bool(true), Value::Bool(false)];
265 1 : let pg_params = json_to_pg_text(json);
266 1 : assert_eq!(
267 1 : pg_params,
268 1 : vec![Some("true".to_owned()), Some("false".to_owned())]
269 1 : );
270 :
271 1 : let json = vec![Value::Number(serde_json::Number::from(42))];
272 1 : let pg_params = json_to_pg_text(json);
273 1 : assert_eq!(pg_params, vec![Some("42".to_owned())]);
274 :
275 1 : let json = vec![Value::String("foo\"".to_string())];
276 1 : let pg_params = json_to_pg_text(json);
277 1 : assert_eq!(pg_params, vec![Some("foo\"".to_owned())]);
278 :
279 1 : let json = vec![Value::Null];
280 1 : let pg_params = json_to_pg_text(json);
281 1 : assert_eq!(pg_params, vec![None]);
282 1 : }
283 :
284 : #[test]
285 1 : fn test_json_array_to_pg_array() {
286 1 : // atoms and escaping
287 1 : let json = "[true, false, null, \"NULL\", 42, \"foo\", \"bar\\\"-\\\\\"]";
288 1 : let json: Value = serde_json::from_str(json).unwrap();
289 1 : let pg_params = json_to_pg_text(vec![json]);
290 1 : assert_eq!(
291 1 : pg_params,
292 1 : vec![Some(
293 1 : "{true,false,NULL,\"NULL\",42,\"foo\",\"bar\\\"-\\\\\"}".to_owned()
294 1 : )]
295 1 : );
296 :
297 : // nested arrays
298 1 : let json = "[[true, false], [null, 42], [\"foo\", \"bar\\\"-\\\\\"]]";
299 1 : let json: Value = serde_json::from_str(json).unwrap();
300 1 : let pg_params = json_to_pg_text(vec![json]);
301 1 : assert_eq!(
302 1 : pg_params,
303 1 : vec![Some(
304 1 : "{{true,false},{NULL,42},{\"foo\",\"bar\\\"-\\\\\"}}".to_owned()
305 1 : )]
306 1 : );
307 : // array of objects
308 1 : let json = r#"[{"foo": 1},{"bar": 2}]"#;
309 1 : let json: Value = serde_json::from_str(json).unwrap();
310 1 : let pg_params = json_to_pg_text(vec![json]);
311 1 : assert_eq!(
312 1 : pg_params,
313 1 : vec![Some(r#"{"{\"foo\":1}","{\"bar\":2}"}"#.to_owned())]
314 1 : );
315 1 : }
316 :
317 : #[test]
318 1 : fn test_atomic_types_parse() {
319 1 : assert_eq!(
320 1 : pg_text_to_json(Some("foo"), &Type::TEXT).unwrap(),
321 1 : json!("foo")
322 1 : );
323 1 : assert_eq!(pg_text_to_json(None, &Type::TEXT).unwrap(), json!(null));
324 1 : assert_eq!(pg_text_to_json(Some("42"), &Type::INT4).unwrap(), json!(42));
325 1 : assert_eq!(pg_text_to_json(Some("42"), &Type::INT2).unwrap(), json!(42));
326 1 : assert_eq!(
327 1 : pg_text_to_json(Some("42"), &Type::INT8).unwrap(),
328 1 : json!("42")
329 1 : );
330 1 : assert_eq!(
331 1 : pg_text_to_json(Some("42.42"), &Type::FLOAT8).unwrap(),
332 1 : json!(42.42)
333 1 : );
334 1 : assert_eq!(
335 1 : pg_text_to_json(Some("42.42"), &Type::FLOAT4).unwrap(),
336 1 : json!(42.42)
337 1 : );
338 1 : assert_eq!(
339 1 : pg_text_to_json(Some("NaN"), &Type::FLOAT4).unwrap(),
340 1 : json!("NaN")
341 1 : );
342 1 : assert_eq!(
343 1 : pg_text_to_json(Some("Infinity"), &Type::FLOAT4).unwrap(),
344 1 : json!("Infinity")
345 1 : );
346 1 : assert_eq!(
347 1 : pg_text_to_json(Some("-Infinity"), &Type::FLOAT4).unwrap(),
348 1 : json!("-Infinity")
349 1 : );
350 :
351 1 : let json: Value =
352 1 : serde_json::from_str("{\"s\":\"str\",\"n\":42,\"f\":4.2,\"a\":[null,3,\"a\"]}")
353 1 : .unwrap();
354 1 : assert_eq!(
355 1 : pg_text_to_json(
356 1 : Some(r#"{"s":"str","n":42,"f":4.2,"a":[null,3,"a"]}"#),
357 1 : &Type::JSONB
358 1 : )
359 1 : .unwrap(),
360 1 : json
361 1 : );
362 1 : }
363 :
364 : #[test]
365 1 : fn test_pg_array_parse_text() {
366 4 : fn pt(pg_arr: &str) -> Value {
367 4 : pg_array_parse(pg_arr, &Type::TEXT).unwrap()
368 4 : }
369 1 : assert_eq!(
370 1 : pt(r#"{"aa\"\\\,a",cha,"bbbb"}"#),
371 1 : json!(["aa\"\\,a", "cha", "bbbb"])
372 1 : );
373 1 : assert_eq!(
374 1 : pt(r#"{{"foo","bar"},{"bee","bop"}}"#),
375 1 : json!([["foo", "bar"], ["bee", "bop"]])
376 1 : );
377 1 : assert_eq!(
378 1 : pt(r#"{{{{"foo",NULL,"bop",bup}}}}"#),
379 1 : json!([[[["foo", null, "bop", "bup"]]]])
380 1 : );
381 1 : assert_eq!(
382 1 : pt(r#"{{"1",2,3},{4,NULL,6},{NULL,NULL,NULL}}"#),
383 1 : json!([["1", "2", "3"], ["4", null, "6"], [null, null, null]])
384 1 : );
385 1 : }
386 :
387 : #[test]
388 1 : fn test_pg_array_parse_bool() {
389 4 : fn pb(pg_arr: &str) -> Value {
390 4 : pg_array_parse(pg_arr, &Type::BOOL).unwrap()
391 4 : }
392 1 : assert_eq!(pb(r#"{t,f,t}"#), json!([true, false, true]));
393 1 : assert_eq!(pb(r#"{{t,f,t}}"#), json!([[true, false, true]]));
394 1 : assert_eq!(
395 1 : pb(r#"{{t,f},{f,t}}"#),
396 1 : json!([[true, false], [false, true]])
397 1 : );
398 1 : assert_eq!(
399 1 : pb(r#"{{t,NULL},{NULL,f}}"#),
400 1 : json!([[true, null], [null, false]])
401 1 : );
402 1 : }
403 :
404 : #[test]
405 1 : fn test_pg_array_parse_numbers() {
406 9 : fn pn(pg_arr: &str, ty: &Type) -> Value {
407 9 : pg_array_parse(pg_arr, ty).unwrap()
408 9 : }
409 1 : assert_eq!(pn(r#"{1,2,3}"#, &Type::INT4), json!([1, 2, 3]));
410 1 : assert_eq!(pn(r#"{1,2,3}"#, &Type::INT2), json!([1, 2, 3]));
411 1 : assert_eq!(pn(r#"{1,2,3}"#, &Type::INT8), json!(["1", "2", "3"]));
412 1 : assert_eq!(pn(r#"{1,2,3}"#, &Type::FLOAT4), json!([1.0, 2.0, 3.0]));
413 1 : assert_eq!(pn(r#"{1,2,3}"#, &Type::FLOAT8), json!([1.0, 2.0, 3.0]));
414 1 : assert_eq!(
415 1 : pn(r#"{1.1,2.2,3.3}"#, &Type::FLOAT4),
416 1 : json!([1.1, 2.2, 3.3])
417 1 : );
418 1 : assert_eq!(
419 1 : pn(r#"{1.1,2.2,3.3}"#, &Type::FLOAT8),
420 1 : json!([1.1, 2.2, 3.3])
421 1 : );
422 1 : assert_eq!(
423 1 : pn(r#"{NaN,Infinity,-Infinity}"#, &Type::FLOAT4),
424 1 : json!(["NaN", "Infinity", "-Infinity"])
425 1 : );
426 1 : assert_eq!(
427 1 : pn(r#"{NaN,Infinity,-Infinity}"#, &Type::FLOAT8),
428 1 : json!(["NaN", "Infinity", "-Infinity"])
429 1 : );
430 1 : }
431 :
432 : #[test]
433 1 : fn test_pg_array_with_decoration() {
434 1 : fn p(pg_arr: &str) -> Value {
435 1 : pg_array_parse(pg_arr, &Type::INT2).unwrap()
436 1 : }
437 1 : assert_eq!(
438 1 : p(r#"[1:1][-2:-1][3:5]={{{1,2,3},{4,5,6}}}"#),
439 1 : json!([[[1, 2, 3], [4, 5, 6]]])
440 1 : );
441 1 : }
442 :
443 : #[test]
444 1 : fn test_pg_array_parse_json() {
445 4 : fn pt(pg_arr: &str) -> Value {
446 4 : pg_array_parse(pg_arr, &Type::JSONB).unwrap()
447 4 : }
448 1 : assert_eq!(pt(r#"{"{}"}"#), json!([{}]));
449 1 : assert_eq!(
450 1 : pt(r#"{"{\"foo\": 1, \"bar\": 2}"}"#),
451 1 : json!([{"foo": 1, "bar": 2}])
452 1 : );
453 1 : assert_eq!(
454 1 : pt(r#"{"{\"foo\": 1}", "{\"bar\": 2}"}"#),
455 1 : json!([{"foo": 1}, {"bar": 2}])
456 1 : );
457 1 : assert_eq!(
458 1 : pt(r#"{{"{\"foo\": 1}", "{\"bar\": 2}"}}"#),
459 1 : json!([[{"foo": 1}, {"bar": 2}]])
460 1 : );
461 1 : }
462 : }
|