pythonic.rs 14.8 KB
Newer Older
1
2
use std::sync::OnceLock;

3
4
5
6
7
8
9
/// Pythonic format parser for tool calls
///
/// Handles Python function call syntax within square brackets:
/// ```text
/// [tool1(arg1=val1, arg2=val2), tool2(arg1=val3)]
/// ```
///
10
/// This format is used by Llama models and uses Python literals
11
/// rather than JSON for arguments.
12
/// Reference: https://huggingface.co/meta-llama/Llama-4-Scout-17B-16E-Instruct?chat_template=default
13
use async_trait::async_trait;
14
use num_traits::ToPrimitive;
15
use regex::Regex;
16
17
18
19
use rustpython_parser::{
    ast::{Constant, Expr, Mod, UnaryOp},
    parse, Mode,
};
20
use serde_json::{Map, Number, Value};
21

22
23
24
25
26
27
28
29
use crate::{
    protocols::common::Tool,
    tool_parser::{
        errors::{ParserError, ParserResult},
        parsers::helpers,
        traits::ToolParser,
        types::{FunctionCall, StreamingParseResult, ToolCall, ToolCallItem},
    },
30
31
};

32
33
34
35
36
37
38
39
40
41
42
43
static PYTHONIC_BLOCK_REGEX: OnceLock<Regex> = OnceLock::new();

/// Lazily compiled regex that locates pythonic tool call blocks.
fn pythonic_block_regex() -> &'static Regex {
    PYTHONIC_BLOCK_REGEX.get_or_init(|| {
        // Matches one or more function calls inside a list. The `(?s)` flag allows
        // newlines inside argument lists while keeping the pattern anchored to
        // identifiers followed by parentheses, preventing plain lists like
        // `[1, 2, 3]` from matching.
        Regex::new(r"(?s)\[\s*[A-Za-z_]\w*\s*\(.*?\)\s*(?:,\s*[A-Za-z_]\w*\s*\(.*?\)\s*)*\]")
            .expect("pythonic tool call regex must compile")
    })
44
45
}

46
/// Parser for Pythonic tool call format
47
48
49
50
51
52
53
54
55
56
pub struct PythonicParser {
    /// Buffer for accumulating chunks
    buffer: String,
}

impl Default for PythonicParser {
    fn default() -> Self {
        Self::new()
    }
}
57

58
59
60
impl PythonicParser {
    /// Create a new Pythonic parser
    pub fn new() -> Self {
61
62
63
        Self {
            buffer: String::new(),
        }
64
65
    }

66
67
    /// Extract the first pythonic tool call block and return it along with the
    /// surrounding "normal" content.
68
    fn extract_tool_calls(&self, text: &str) -> Option<(String, String)> {
69
70
71
72
73
        pythonic_block_regex().find(text).map(|mat| {
            let block = mat.as_str().to_string();
            let normal = format!("{}{}", &text[..mat.start()], &text[mat.end()..]);
            (block, normal)
        })
74
75
    }

76
    /// Strip special tokens that Llama models might output
77
78
79
80
81
    fn strip_special_tokens(text: &str) -> String {
        text.replace("<|python_start|>", "")
            .replace("<|python_end|>", "")
    }

82
    fn parse_tool_call_block(&self, block: &str) -> ParserResult<Vec<ToolCall>> {
83
84
85
86
87
88
89
90
        let expr = parse_python_expression(block)?;
        match expr {
            Expr::List(list_expr) => list_expr
                .elts
                .into_iter()
                .enumerate()
                .map(|(idx, call_expr)| build_tool_call(call_expr, idx))
                .collect(),
91
            _ => Err(ParserError::ParsingFailed(
92
93
                "Expected a list of function calls in pythonic tool call".to_string(),
            )),
94
95
96
97
98
99
        }
    }
}

#[async_trait]
impl ToolParser for PythonicParser {
100
    async fn parse_complete(&self, text: &str) -> ParserResult<(String, Vec<ToolCall>)> {
101
102
        let cleaned = Self::strip_special_tokens(text);

103
        if let Some((tool_calls_text, normal_text)) = self.extract_tool_calls(&cleaned) {
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
            match self.parse_tool_call_block(&tool_calls_text) {
                Ok(calls) => {
                    if calls.is_empty() {
                        // No tools successfully parsed despite having markers
                        Ok((text.to_string(), vec![]))
                    } else {
                        Ok((normal_text, calls))
                    }
                }
                Err(e) => {
                    // Log warning and return entire text as fallback
                    tracing::warn!("Failed to parse pythonic tool calls: {}", e);
                    Ok((text.to_string(), vec![]))
                }
            }
119
        } else {
120
            Ok((text.to_string(), vec![]))
121
122
123
124
        }
    }

    async fn parse_incremental(
125
        &mut self,
126
        chunk: &str,
127
        tools: &[Tool],
128
    ) -> ParserResult<StreamingParseResult> {
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
        self.buffer.push_str(chunk);

        let cleaned = Self::strip_special_tokens(&self.buffer);

        // Look for opening bracket
        if let Some(start) = cleaned.find('[') {
            let normal_text = if start > 0 {
                cleaned[..start].to_string()
            } else {
                String::new()
            };

            // Look for matching closing bracket
            if let Some(end) = find_matching_bracket(&cleaned, start) {
                // Found complete tool call - extract it and parse using parse_complete
                let call_text = &cleaned[start..=end];

                match self.parse_complete(call_text).await {
                    Ok((_, calls)) => {
                        // Update buffer with remaining text after tool call
                        let remaining_text = &cleaned[end + 1..];
                        self.buffer = remaining_text.to_string();

                        // Validate tool names and convert ToolCall to ToolCallItem
                        let tool_indices = helpers::get_tool_indices(tools);
                        let items: Vec<ToolCallItem> = calls
                            .into_iter()
                            .enumerate()
                            .filter_map(|(idx, tool)| {
                                if !tool_indices.contains_key(&tool.function.name) {
                                    tracing::warn!(
                                        "Invalid tool name '{}' - skipping",
                                        tool.function.name
                                    );
                                    return None;
                                }

                                Some(ToolCallItem {
                                    tool_index: idx,
                                    name: Some(tool.function.name),
                                    parameters: tool.function.arguments,
                                })
                            })
                            .collect();

                        return Ok(StreamingParseResult {
                            normal_text,
                            calls: items,
                        });
                    }
                    Err(e) => {
                        tracing::warn!("Failed to parse pythonic tool call: {}", e);
                        // Clear buffer on error
                        self.buffer.clear();
                        return Ok(StreamingParseResult::default());
                    }
                }
            } else {
                // We have an opening bracket but no closing bracket yet
                // Put back everything from the bracket onwards
                self.buffer = cleaned[start..].to_string();

                if !normal_text.is_empty() {
                    return Ok(StreamingParseResult {
                        normal_text,
                        calls: vec![],
                    });
196
                }
197
198
199

                // Still accumulating a potential tool call
                return Ok(StreamingParseResult::default());
200
201
202
            }
        }

203
204
205
206
207
208
        // No tool call bracket found
        self.buffer.clear();
        Ok(StreamingParseResult {
            normal_text: cleaned,
            calls: vec![],
        })
209
210
    }

211
    fn has_tool_markers(&self, text: &str) -> bool {
212
        let cleaned = Self::strip_special_tokens(text);
213
214
215
216
        if pythonic_block_regex().is_match(&cleaned) {
            return true;
        }

217
        false
218
219
220
    }
}

221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
/// Find the matching closing bracket for the opening bracket at start position.
/// Properly handles nested brackets.
fn find_matching_bracket(buffer: &str, start: usize) -> Option<usize> {
    let mut bracket_count = 0;
    let chars: Vec<char> = buffer.chars().collect();

    for (i, &ch) in chars.iter().enumerate().skip(start) {
        if ch == '[' {
            bracket_count += 1;
        } else if ch == ']' {
            bracket_count -= 1;
            if bracket_count == 0 {
                return Some(i);
            }
        }
    }
    None // No matching bracket found
}

240
fn parse_python_expression(source: &str) -> ParserResult<Expr> {
241
    let module = parse(source, Mode::Expression, "<pythonic_tool_call>")
242
        .map_err(|err| ParserError::ParsingFailed(err.to_string()))?;
243
244
245

    match module {
        Mod::Expression(expr_mod) => Ok(*expr_mod.body),
246
        _ => Err(ParserError::ParsingFailed(
247
248
249
250
251
            "Expected a Python expression".to_string(),
        )),
    }
}

252
fn build_tool_call(expr: Expr, _index: usize) -> ParserResult<ToolCall> {
253
254
255
    match expr {
        Expr::Call(call_expr) => {
            if !call_expr.args.is_empty() {
256
                return Err(ParserError::ParsingFailed(
257
258
259
260
261
262
263
                    "Positional arguments are not supported in pythonic tool calls".to_string(),
                ));
            }

            let function_name = match *call_expr.func {
                Expr::Name(name_expr) => name_expr.id.to_string(),
                _ => {
264
                    return Err(ParserError::ParsingFailed(
265
266
267
268
269
270
271
272
                        "Unsupported function reference in pythonic tool call".to_string(),
                    ))
                }
            };

            let mut arguments_map = Map::with_capacity(call_expr.keywords.len());
            for keyword in call_expr.keywords {
                let arg_name = keyword.arg.ok_or_else(|| {
273
                    ParserError::ParsingFailed(
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
                        "pythonic tool calls do not support **kwargs".to_string(),
                    )
                })?;
                let value_json = expression_to_json(&keyword.value)?;
                arguments_map.insert(arg_name.to_string(), value_json);
            }

            let arguments_json = Value::Object(arguments_map);
            let arguments_string = serde_json::to_string(&arguments_json)?;

            Ok(ToolCall {
                function: FunctionCall {
                    name: function_name,
                    arguments: arguments_string,
                },
            })
        }
291
        _ => Err(ParserError::ParsingFailed(
292
293
294
295
296
            "Expected function calls inside pythonic tool call list".to_string(),
        )),
    }
}

297
fn expression_to_json(expr: &Expr) -> ParserResult<Value> {
298
299
300
301
302
303
304
305
306
307
    match expr {
        Expr::Constant(expr_constant) => constant_to_json(&expr_constant.value),
        Expr::List(list_expr) => collect_sequence(&list_expr.elts).map(Value::Array),
        Expr::Tuple(tuple_expr) => collect_sequence(&tuple_expr.elts).map(Value::Array),
        Expr::Dict(dict_expr) => {
            collect_dict(&dict_expr.keys, &dict_expr.values).map(Value::Object)
        }
        Expr::UnaryOp(unary_expr) => match unary_expr.op {
            UnaryOp::USub => match unary_expr.operand.as_ref() {
                Expr::Constant(const_expr) => negate_constant(&const_expr.value),
308
                _ => Err(ParserError::ParsingFailed(
309
310
311
312
                    "Unsupported unary operand in pythonic tool call".to_string(),
                )),
            },
            UnaryOp::UAdd => expression_to_json(unary_expr.operand.as_ref()),
313
            _ => Err(ParserError::ParsingFailed(format!(
314
315
316
317
318
                "Unsupported unary operator in pythonic tool call: {:?}",
                unary_expr.op
            ))),
        },
        Expr::Name(name_expr) => Ok(Value::String(name_expr.id.to_string())),
319
        _ => Err(ParserError::ParsingFailed(format!(
320
321
322
323
324
325
            "Unsupported expression in pythonic tool call: {:?}",
            expr
        ))),
    }
}

326
fn constant_to_json(constant: &Constant) -> ParserResult<Value> {
327
328
329
330
331
    match constant {
        Constant::None => Ok(Value::Null),
        Constant::Bool(b) => Ok(Value::Bool(*b)),
        Constant::Int(value) => Ok(integer_constant_to_value(value, false)),
        Constant::Float(f) => Number::from_f64(*f).map(Value::Number).ok_or_else(|| {
332
            ParserError::ParsingFailed("Invalid float literal in pythonic tool call".to_string())
333
334
335
336
        }),
        Constant::Str(s) => Ok(Value::String(s.clone())),
        Constant::Bytes(bytes) => Ok(Value::String(String::from_utf8_lossy(bytes).into_owned())),
        Constant::Tuple(values) => constant_tuple_to_array(values).map(Value::Array),
337
        Constant::Ellipsis | Constant::Complex { .. } => Err(ParserError::ParsingFailed(
338
339
340
341
342
            "Unsupported literal in pythonic tool call".to_string(),
        )),
    }
}

343
fn negate_constant(constant: &Constant) -> ParserResult<Value> {
344
345
346
    match constant {
        Constant::Int(value) => Ok(integer_constant_to_value(value, true)),
        Constant::Float(f) => Number::from_f64(-f).map(Value::Number).ok_or_else(|| {
347
            ParserError::ParsingFailed("Invalid float literal in pythonic tool call".to_string())
348
        }),
349
        _ => Err(ParserError::ParsingFailed(
350
351
            "Unsupported unary operand in pythonic tool call".to_string(),
        )),
352
353
354
    }
}

355
fn value_to_key_string(value: Value) -> ParserResult<String> {
356
357
358
359
360
    match value {
        Value::String(s) => Ok(s),
        Value::Number(num) => Ok(num.to_string()),
        Value::Bool(b) => Ok(b.to_string()),
        Value::Null => Ok("null".to_string()),
361
        other => Err(ParserError::ParsingFailed(format!(
362
363
364
365
366
367
            "Unsupported key type in pythonic tool call: {:?}",
            other
        ))),
    }
}

368
fn collect_sequence(elements: &[Expr]) -> ParserResult<Vec<Value>> {
369
370
371
    elements.iter().map(expression_to_json).collect()
}

372
fn collect_dict(keys: &[Option<Expr>], values: &[Expr]) -> ParserResult<Map<String, Value>> {
373
374
375
    let mut map = Map::with_capacity(keys.len());
    for (key_expr, value_expr) in keys.iter().zip(values.iter()) {
        let key_expr = key_expr.as_ref().ok_or_else(|| {
376
            ParserError::ParsingFailed("pythonic tool calls do not support **kwargs".to_string())
377
378
379
380
381
382
383
384
385
        })?;
        let key_value = expression_to_json(key_expr)?;
        let key = value_to_key_string(key_value)?;
        let value_json = expression_to_json(value_expr)?;
        map.insert(key, value_json);
    }
    Ok(map)
}

386
fn constant_tuple_to_array(values: &[Constant]) -> ParserResult<Vec<Value>> {
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
    values.iter().map(constant_to_json).collect()
}

fn integer_constant_to_value<T>(value: &T, negate: bool) -> Value
where
    T: ToPrimitive + std::fmt::Display,
{
    if let Some(mut i) = value.to_i64() {
        if negate {
            i = -i;
        }
        return Value::Number(Number::from(i));
    }

    if negate {
        if let Some(u) = value.to_u64() {
            if u <= i64::MAX as u64 {
                return Value::Number(Number::from(-(u as i64)));
            }
            return Value::String(format!("-{}", value));
        }
        Value::String(format!("-{}", value))
    } else if let Some(u) = value.to_u64() {
        Value::Number(Number::from(u))
    } else {
        Value::String(value.to_string())
413
414
    }
}