risingwave_frontend/handler/
create_sql_function.rs

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
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
// Copyright 2024 RisingWave Labs
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
//     http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.

use std::collections::HashMap;

use fancy_regex::Regex;
use risingwave_common::catalog::FunctionId;
use risingwave_common::types::DataType;
use risingwave_pb::catalog::function::{Kind, ScalarFunction, TableFunction};
use risingwave_pb::catalog::Function;
use risingwave_sqlparser::parser::{Parser, ParserError};

use super::*;
use crate::binder::UdfContext;
use crate::catalog::CatalogError;
use crate::expr::{Expr, ExprImpl, Literal};
use crate::{bind_data_type, Binder};

/// The error type for hint display
/// Currently we will try invalid parameter first
/// Then try to find non-existent functions
enum ErrMsgType {
    Parameter,
    Function,
    // Not yet support
    None,
}

const DEFAULT_ERR_MSG: &str = "Failed to conduct semantic check";

/// Used for hint display
const PROMPT: &str = "In SQL UDF definition: ";

/// Used for detecting non-existent function
const FUNCTION_KEYWORD: &str = "function";

/// Used for detecting invalid parameters
pub const SQL_UDF_PATTERN: &str = "[sql udf]";

/// Validate the error message to see if
/// it's possible to improve the display to users
fn validate_err_msg(invalid_msg: &str) -> ErrMsgType {
    // First try invalid parameters
    if invalid_msg.contains(SQL_UDF_PATTERN) {
        ErrMsgType::Parameter
    } else if invalid_msg.contains(FUNCTION_KEYWORD) {
        ErrMsgType::Function
    } else {
        // Nothing could be better display
        ErrMsgType::None
    }
}

/// Extract the target name to hint display
/// according to the type of the error message item
fn extract_hint_display_target(err_msg_type: ErrMsgType, invalid_msg: &str) -> Option<&str> {
    match err_msg_type {
        // e.g., [sql udf] failed to find named parameter <target name>
        ErrMsgType::Parameter => invalid_msg.split_whitespace().last(),
        // e.g., function <target name> does not exist
        ErrMsgType::Function => {
            let func = invalid_msg.split_whitespace().nth(1).unwrap_or("null");
            // Note: we do not want the parenthesis
            func.find('(').map(|i| &func[0..i])
        }
        // Nothing to hint display, return default error message
        ErrMsgType::None => None,
    }
}

/// Find the pattern for better hint display
/// return the exact index where the pattern first appears
fn find_target(input: &str, target: &str) -> Option<usize> {
    // Regex pattern to find `target` not preceded or followed by an ASCII letter
    // The pattern uses negative lookbehind (?<!...) and lookahead (?!...) to ensure
    // the target is not surrounded by ASCII alphabetic characters
    let pattern = format!(r"(?<![A-Za-z]){0}(?![A-Za-z])", fancy_regex::escape(target));
    let Ok(re) = Regex::new(&pattern) else {
        return None;
    };

    let Ok(Some(ma)) = re.find(input) else {
        return None;
    };

    Some(ma.start())
}

/// Create a mock `udf_context`, which is used for semantic check
fn create_mock_udf_context(
    arg_types: Vec<DataType>,
    arg_names: Vec<String>,
) -> HashMap<String, ExprImpl> {
    let mut ret: HashMap<String, ExprImpl> = (1..=arg_types.len())
        .map(|i| {
            let mock_expr =
                ExprImpl::Literal(Box::new(Literal::new(None, arg_types[i - 1].clone())));
            (format!("${i}"), mock_expr)
        })
        .collect();

    for (i, arg_name) in arg_names.into_iter().enumerate() {
        let mock_expr = ExprImpl::Literal(Box::new(Literal::new(None, arg_types[i].clone())));
        ret.insert(arg_name, mock_expr);
    }

    ret
}

pub async fn handle_create_sql_function(
    handler_args: HandlerArgs,
    or_replace: bool,
    temporary: bool,
    name: ObjectName,
    args: Option<Vec<OperateFunctionArg>>,
    returns: Option<CreateFunctionReturns>,
    params: CreateFunctionBody,
) -> Result<RwPgResponse> {
    if or_replace {
        bail_not_implemented!("CREATE OR REPLACE FUNCTION");
    }

    if temporary {
        bail_not_implemented!("CREATE TEMPORARY FUNCTION");
    }

    let language = "sql".to_string();

    // Just a basic sanity check for `language`
    if !matches!(params.language, Some(lang) if lang.real_value().to_lowercase() == "sql") {
        return Err(ErrorCode::InvalidParameterValue(
            "`language` for sql udf must be `sql`".to_string(),
        )
        .into());
    }

    // SQL udf function supports both single quote (i.e., as 'select $1 + $2')
    // and double dollar (i.e., as $$select $1 + $2$$) for as clause
    let body = match &params.as_ {
        Some(FunctionDefinition::SingleQuotedDef(s)) => s.clone(),
        Some(FunctionDefinition::DoubleDollarDef(s)) => s.clone(),
        Some(FunctionDefinition::Identifier(_)) => {
            return Err(ErrorCode::InvalidParameterValue("expect quoted string".to_string()).into())
        }
        None => {
            if params.return_.is_none() {
                return Err(ErrorCode::InvalidParameterValue(
                    "AS or RETURN must be specified".to_string(),
                )
                .into());
            }
            // Otherwise this is a return expression
            // Note: this is a current work around, and we are assuming return sql udf
            // will NOT involve complex syntax, so just reuse the logic for select definition
            format!("select {}", &params.return_.unwrap().to_string())
        }
    };

    // Sanity check for link, this must be none with sql udf function
    if let Some(CreateFunctionUsing::Link(_)) = params.using {
        return Err(ErrorCode::InvalidParameterValue(
            "USING must NOT be specified with sql udf function".to_string(),
        )
        .into());
    };

    // Get return type for the current sql udf function
    let return_type;
    let kind = match returns {
        Some(CreateFunctionReturns::Value(data_type)) => {
            return_type = bind_data_type(&data_type)?;
            Kind::Scalar(ScalarFunction {})
        }
        Some(CreateFunctionReturns::Table(columns)) => {
            if columns.len() == 1 {
                // return type is the original type for single column
                return_type = bind_data_type(&columns[0].data_type)?;
            } else {
                // return type is a struct for multiple columns
                let datatypes = columns
                    .iter()
                    .map(|c| bind_data_type(&c.data_type))
                    .collect::<Result<Vec<_>>>()?;
                let names = columns
                    .iter()
                    .map(|c| c.name.real_value())
                    .collect::<Vec<_>>();
                return_type = DataType::new_struct(datatypes, names);
            }
            Kind::Table(TableFunction {})
        }
        None => {
            return Err(ErrorCode::InvalidParameterValue(
                "return type must be specified".to_string(),
            )
            .into())
        }
    };

    let mut arg_names = vec![];
    let mut arg_types = vec![];
    for arg in args.unwrap_or_default() {
        arg_names.push(arg.name.map_or("".to_string(), |n| n.real_value()));
        arg_types.push(bind_data_type(&arg.data_type)?);
    }

    // resolve database and schema id
    let session = &handler_args.session;
    let db_name = session.database();
    let (schema_name, function_name) = Binder::resolve_schema_qualified_name(db_name, name)?;
    let (database_id, schema_id) = session.get_database_and_schema_id_for_create(schema_name)?;

    // check if function exists
    if (session.env().catalog_reader().read_guard())
        .get_schema_by_id(&database_id, &schema_id)?
        .get_function_by_name_args(&function_name, &arg_types)
        .is_some()
    {
        let name = format!(
            "{function_name}({})",
            arg_types.iter().map(|t| t.to_string()).join(",")
        );
        return Err(CatalogError::Duplicated("function", name).into());
    }

    // Parse function body here
    // Note that the parsing here is just basic syntax / semantic check, the result will NOT be stored
    // e.g., The provided function body contains invalid syntax, return type mismatch, ..., etc.
    let parse_result = Parser::parse_sql(body.as_str());
    if let Err(ParserError::ParserError(err)) | Err(ParserError::TokenizerError(err)) = parse_result
    {
        // Here we just return the original parse error message
        return Err(ErrorCode::InvalidInputSyntax(err).into());
    } else {
        debug_assert!(parse_result.is_ok());

        // Conduct semantic check (e.g., see if the inner calling functions exist, etc.)
        let ast = parse_result.unwrap();
        let mut binder = Binder::new_for_system(session);

        binder
            .udf_context_mut()
            .update_context(create_mock_udf_context(
                arg_types.clone(),
                arg_names.clone(),
            ));

        // Need to set the initial global count to 1
        // otherwise the context will not be probed during the semantic check
        binder.udf_context_mut().incr_global_count();

        if let Ok(expr) = UdfContext::extract_udf_expression(ast) {
            match binder.bind_expr(expr) {
                Ok(expr) => {
                    // Check if the return type mismatches
                    if expr.return_type() != return_type {
                        return Err(ErrorCode::InvalidInputSyntax(format!(
                            "\nreturn type mismatch detected\nexpected: [{}]\nactual: [{}]\nplease adjust your function definition accordingly",
                            return_type,
                            expr.return_type()
                        ))
                        .into());
                    }
                }
                Err(e) => {
                    if let ErrorCode::BindErrorRoot { expr: _, error } = e.inner() {
                        let invalid_msg = error.to_string();

                        // First validate the message
                        let err_msg_type = validate_err_msg(invalid_msg.as_str());

                        // Get the name of the invalid item
                        // We will just display the first one found
                        let Some(invalid_item_name) =
                            extract_hint_display_target(err_msg_type, invalid_msg.as_str())
                        else {
                            return Err(
                                ErrorCode::InvalidInputSyntax(DEFAULT_ERR_MSG.into()).into()
                            );
                        };

                        // Find the invalid parameter / column / function
                        let Some(idx) = find_target(body.as_str(), invalid_item_name) else {
                            return Err(
                                ErrorCode::InvalidInputSyntax(DEFAULT_ERR_MSG.into()).into()
                            );
                        };

                        // The exact error position for `^` to point to
                        let position = format!(
                            "{}{}",
                            " ".repeat(idx + PROMPT.len() + 1),
                            "^".repeat(invalid_item_name.len())
                        );

                        return Err(ErrorCode::InvalidInputSyntax(format!(
                            "{}\n{}\n{}`{}`\n{}",
                            DEFAULT_ERR_MSG, invalid_msg, PROMPT, body, position
                        ))
                        .into());
                    }

                    // Otherwise return the default error message
                    return Err(ErrorCode::InvalidInputSyntax(DEFAULT_ERR_MSG.into()).into());
                }
            }
        } else {
            return Err(ErrorCode::InvalidInputSyntax(
                "failed to parse the input query and extract the udf expression,
                please recheck the syntax"
                    .to_string(),
            )
            .into());
        }
    }

    // Create the actual function, will be stored in function catalog
    let function = Function {
        id: FunctionId::placeholder().0,
        schema_id,
        database_id,
        name: function_name,
        kind: Some(kind),
        arg_names,
        arg_types: arg_types.into_iter().map(|t| t.into()).collect(),
        return_type: Some(return_type.into()),
        language,
        runtime: None,
        identifier: None,
        body: Some(body),
        compressed_binary: None,
        link: None,
        owner: session.user_id(),
        always_retry_on_network_error: false,
    };

    let catalog_writer = session.catalog_writer()?;
    catalog_writer.create_function(function).await?;

    Ok(PgResponse::empty_result(StatementType::CREATE_FUNCTION))
}