risingwave_expr_impl/scalar/
jsonb_set.rs

1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use jsonbb::ValueRef;
16use risingwave_common::types::{JsonbRef, JsonbVal, ListRef};
17use risingwave_expr::{ExprError, Result, function};
18
19/// Returns `target` with the item designated by `path` replaced by `new_value`, or with `new_value`
20/// added if `create_if_missing` is true (which is the default) and the item designated by path does
21/// not exist. All earlier steps in the path must exist, or the `target` is returned unchanged. As
22/// with the path oriented operators, negative integers that appear in the path count from the end
23/// of JSON arrays.
24///
25/// If the last path step is an array index that is out of range, and `create_if_missing` is true,
26/// the new value is added at the beginning of the array if the index is negative, or at the end of
27/// the array if it is positive.
28///
29/// # Examples
30///
31/// ```slt
32/// query T
33/// SELECT jsonb_set('[{"f1":1,"f2":null},2,null,3]', '{0,f1}', '[2,3,4]', false);
34/// ----
35/// [{"f1": [2, 3, 4], "f2": null}, 2, null, 3]
36///
37/// query T
38/// SELECT jsonb_set('[{"f1":1,"f2":null},2]', '{0,f3}', '[2,3,4]');
39/// ----
40/// [{"f1": 1, "f2": null, "f3": [2, 3, 4]}, 2]
41/// ```
42#[function("jsonb_set(jsonb, varchar[], jsonb, boolean) -> jsonb")]
43fn jsonb_set4(
44    target: JsonbRef<'_>,
45    path: ListRef<'_>,
46    new_value: JsonbRef<'_>,
47    create_if_missing: bool,
48) -> Result<JsonbVal> {
49    if target.is_scalar() {
50        return Err(ExprError::InvalidParam {
51            name: "jsonb",
52            reason: "cannot set path in scalar".into(),
53        });
54    }
55    let target: ValueRef<'_> = target.into();
56    let new_value: ValueRef<'_> = new_value.into();
57    let mut builder = jsonbb::Builder::<Vec<u8>>::with_capacity(target.capacity());
58    jsonbb_set_path(target, path, 0, new_value, create_if_missing, &mut builder)?;
59    Ok(JsonbVal::from(builder.finish()))
60}
61
62#[function("jsonb_set(jsonb, varchar[], jsonb) -> jsonb")]
63fn jsonb_set3(
64    target: JsonbRef<'_>,
65    path: ListRef<'_>,
66    new_value: JsonbRef<'_>,
67) -> Result<JsonbVal> {
68    jsonb_set4(target, path, new_value, true)
69}
70
71/// Recursively set `path[i..]` in `target` to `new_value` and write the result to `builder`.
72///
73/// Panics if `i` is out of bounds.
74fn jsonbb_set_path(
75    target: ValueRef<'_>,
76    path: ListRef<'_>,
77    i: usize,
78    new_value: ValueRef<'_>,
79    create_if_missing: bool,
80    builder: &mut jsonbb::Builder,
81) -> Result<()> {
82    let last_step = i == path.len() - 1;
83    match target {
84        ValueRef::Object(obj) => {
85            let key = path
86                .get(i)
87                .unwrap()
88                .ok_or_else(|| ExprError::InvalidParam {
89                    name: "path",
90                    reason: format!("path element at position {} is null", i + 1).into(),
91                })?
92                .into_utf8();
93            builder.begin_object();
94            for (k, v) in obj.iter() {
95                builder.add_string(k);
96                if k != key {
97                    builder.add_value(v);
98                } else if last_step {
99                    builder.add_value(new_value);
100                } else {
101                    // recursively set path[i+1..] in v
102                    jsonbb_set_path(v, path, i + 1, new_value, create_if_missing, builder)?;
103                }
104            }
105            if create_if_missing && last_step && !obj.contains_key(key) {
106                builder.add_string(key);
107                builder.add_value(new_value);
108            }
109            builder.end_object();
110            Ok(())
111        }
112        ValueRef::Array(array) => {
113            let key = path
114                .get(i)
115                .unwrap()
116                .ok_or_else(|| ExprError::InvalidParam {
117                    name: "path",
118                    reason: format!("path element at position {} is null", i + 1).into(),
119                })?
120                .into_utf8();
121            let idx = key.parse::<i32>().map_err(|_| ExprError::InvalidParam {
122                name: "path",
123                reason: format!(
124                    "path element at position {} is not an integer: \"{}\"",
125                    i + 1,
126                    key
127                )
128                .into(),
129            })?;
130            let Some(idx) = normalize_array_index(array.len(), idx) else {
131                // out of bounds index
132                if create_if_missing {
133                    builder.begin_array();
134                    // the new value is added at the beginning of the array if the index is negative
135                    if idx < 0 {
136                        builder.add_value(new_value);
137                    }
138                    for v in array.iter() {
139                        builder.add_value(v);
140                    }
141                    // or at the end of the array if it is positive.
142                    if idx >= 0 {
143                        builder.add_value(new_value);
144                    }
145                    builder.end_array();
146                } else {
147                    builder.add_value(target);
148                }
149                return Ok(());
150            };
151            builder.begin_array();
152            for (j, v) in array.iter().enumerate() {
153                if j != idx {
154                    builder.add_value(v);
155                    continue;
156                }
157                if last_step {
158                    builder.add_value(new_value);
159                } else {
160                    // recursively set path[i+1..] in v
161                    jsonbb_set_path(v, path, i + 1, new_value, create_if_missing, builder)?;
162                }
163            }
164            builder.end_array();
165            Ok(())
166        }
167        _ => {
168            builder.add_value(target);
169            Ok(())
170        }
171    }
172}
173
174/// Normalizes an array index to `0..len`.
175/// Negative indices count from the end. i.e. `-len..0 => 0..len`.
176/// Returns `None` if index is out of bounds.
177fn normalize_array_index(len: usize, index: i32) -> Option<usize> {
178    if index < -(len as i32) || index >= (len as i32) {
179        return None;
180    }
181    if index >= 0 {
182        Some(index as usize)
183    } else {
184        Some((len as i32 + index) as usize)
185    }
186}