Skip to main content

aft/
edit.rs

1//! Shared edit engine: byte-offset conversion, content replacement,
2//! syntax validation, and auto-backup orchestration.
3//!
4//! Used by `write`, `edit_symbol`, `edit_match`, and `batch` commands.
5
6use std::path::Path;
7
8use crate::config::Config;
9use crate::context::AppContext;
10use crate::error::AftError;
11use crate::format;
12use crate::parser::{detect_language, grammar_for, FileParser};
13
14/// Convert 0-indexed line/col to a byte offset within `source`.
15///
16/// Tree-sitter columns are byte-indexed within the line, so `col` is a byte
17/// offset from the start of the line (not a character offset).
18///
19/// Scans raw bytes so both LF and CRLF line endings are counted correctly.
20/// Returns `source.len()` if line is beyond the end of the file.
21pub fn line_col_to_byte(source: &str, line: u32, col: u32) -> usize {
22    let bytes = source.as_bytes();
23    let target_line = line as usize;
24    let mut current_line = 0usize;
25    let mut line_start = 0usize;
26
27    loop {
28        let mut line_end = line_start;
29        while line_end < bytes.len() && bytes[line_end] != b'\n' && bytes[line_end] != b'\r' {
30            line_end += 1;
31        }
32
33        if current_line == target_line {
34            return line_start + (col as usize).min(line_end.saturating_sub(line_start));
35        }
36
37        if line_end >= bytes.len() {
38            return source.len();
39        }
40
41        line_start = if bytes[line_end] == b'\r'
42            && line_end + 1 < bytes.len()
43            && bytes[line_end + 1] == b'\n'
44        {
45            line_end + 2
46        } else {
47            line_end + 1
48        };
49        current_line += 1;
50    }
51}
52
53/// Replace bytes in `[start..end)` with `replacement`.
54///
55/// Returns an error if the range is invalid or does not align to UTF-8 char boundaries.
56pub fn replace_byte_range(
57    source: &str,
58    start: usize,
59    end: usize,
60    replacement: &str,
61) -> Result<String, AftError> {
62    if start > end {
63        return Err(AftError::InvalidRequest {
64            message: format!(
65                "invalid byte range [{}..{}): start must be <= end",
66                start, end
67            ),
68        });
69    }
70    if end > source.len() {
71        return Err(AftError::InvalidRequest {
72            message: format!(
73                "invalid byte range [{}..{}): end exceeds source length {}",
74                start,
75                end,
76                source.len()
77            ),
78        });
79    }
80    if !source.is_char_boundary(start) {
81        return Err(AftError::InvalidRequest {
82            message: format!(
83                "invalid byte range [{}..{}): start is not a char boundary",
84                start, end
85            ),
86        });
87    }
88    if !source.is_char_boundary(end) {
89        return Err(AftError::InvalidRequest {
90            message: format!(
91                "invalid byte range [{}..{}): end is not a char boundary",
92                start, end
93            ),
94        });
95    }
96
97    let mut result = String::with_capacity(
98        source.len().saturating_sub(end.saturating_sub(start)) + replacement.len(),
99    );
100    result.push_str(&source[..start]);
101    result.push_str(replacement);
102    result.push_str(&source[end..]);
103    Ok(result)
104}
105
106/// Validate syntax of a file using a fresh FileParser (D023).
107///
108/// Returns `Ok(Some(true))` if syntax is valid, `Ok(Some(false))` if there are
109/// parse errors, and `Ok(None)` if the language is unsupported.
110pub fn validate_syntax(path: &Path) -> Result<Option<bool>, AftError> {
111    let mut parser = FileParser::new();
112    match parser.parse(path) {
113        Ok((tree, _lang)) => Ok(Some(!tree.root_node().has_error())),
114        Err(AftError::InvalidRequest { .. }) => {
115            // Unsupported language — not an error, just can't validate
116            Ok(None)
117        }
118        Err(e) => Err(e),
119    }
120}
121
122/// Validate syntax of an in-memory string without touching disk.
123///
124/// Uses `detect_language(path)` + `grammar_for(lang)` + `parser.parse()`
125/// to validate syntax of a proposed content string. Returns `None` for
126/// unsupported languages, `Some(true)` for valid, `Some(false)` for invalid.
127pub fn validate_syntax_str(content: &str, path: &Path) -> Option<bool> {
128    let lang = detect_language(path)?;
129    let grammar = grammar_for(lang);
130    let mut parser = tree_sitter::Parser::new();
131    if parser.set_language(&grammar).is_err() {
132        return None;
133    }
134    let tree = parser.parse(content.as_bytes(), None)?;
135    Some(!tree.root_node().has_error())
136}
137
138/// Result of a dry-run diff computation.
139pub struct DryRunResult {
140    /// Unified diff between original and proposed content.
141    pub diff: String,
142    /// Whether the proposed content has valid syntax. `None` for unsupported languages.
143    pub syntax_valid: Option<bool>,
144}
145
146/// Compute a unified diff between original and proposed content, plus syntax validation.
147///
148/// Returns a standard unified diff with `a/` and `b/` path prefixes and 3 lines of context.
149/// Also validates syntax of the proposed content via tree-sitter.
150pub fn dry_run_diff(original: &str, proposed: &str, path: &Path) -> DryRunResult {
151    let display_path = path.display().to_string();
152    let text_diff = similar::TextDiff::from_lines(original, proposed);
153    let diff = text_diff
154        .unified_diff()
155        .context_radius(3)
156        .header(
157            &format!("a/{}", display_path),
158            &format!("b/{}", display_path),
159        )
160        .to_string();
161    let syntax_valid = validate_syntax_str(proposed, path);
162    DryRunResult { diff, syntax_valid }
163}
164
165/// Extract the `dry_run` boolean from request params.
166///
167/// Returns `true` if `params["dry_run"]` is `true`, `false` otherwise.
168pub fn is_dry_run(params: &serde_json::Value) -> bool {
169    params
170        .get("dry_run")
171        .and_then(|v| v.as_bool())
172        .unwrap_or(false)
173}
174
175/// Check if the caller requested diff info in the response.
176pub fn wants_diff(params: &serde_json::Value) -> bool {
177    params
178        .get("include_diff")
179        .and_then(|v| v.as_bool())
180        .unwrap_or(false)
181}
182
183/// Compute diff info between before/after content for UI metadata.
184/// Returns a JSON value with before, after, additions, deletions.
185/// For files >512KB, omits full content and returns only counts.
186pub fn compute_diff_info(before: &str, after: &str) -> serde_json::Value {
187    use similar::ChangeTag;
188
189    let diff = similar::TextDiff::from_lines(before, after);
190    let mut additions = 0usize;
191    let mut deletions = 0usize;
192    for change in diff.iter_all_changes() {
193        match change.tag() {
194            ChangeTag::Insert => additions += 1,
195            ChangeTag::Delete => deletions += 1,
196            ChangeTag::Equal => {}
197        }
198    }
199
200    // For large files, skip sending full content to avoid bloating JSON
201    let size_limit = 512 * 1024; // 512KB
202    if before.len() > size_limit || after.len() > size_limit {
203        serde_json::json!({
204            "additions": additions,
205            "deletions": deletions,
206            "truncated": true,
207        })
208    } else {
209        serde_json::json!({
210            "before": before,
211            "after": after,
212            "additions": additions,
213            "deletions": deletions,
214        })
215    }
216}
217/// Snapshot the file into the backup store before mutation.
218///
219/// Returns `Ok(Some(backup_id))` if the file existed and was backed up,
220/// `Ok(None)` if the file doesn't exist (new file creation).
221///
222/// Drops the RefCell borrow before returning (D029).
223pub fn auto_backup(
224    ctx: &AppContext,
225    path: &Path,
226    description: &str,
227) -> Result<Option<String>, AftError> {
228    if !path.exists() {
229        return Ok(None);
230    }
231    let backup_id = {
232        let mut store = ctx.backup().borrow_mut();
233        store.snapshot(path, description)?
234    }; // borrow dropped here
235    Ok(Some(backup_id))
236}
237
238/// Result of the write → format → validate pipeline.
239///
240/// Returned by `write_format_validate` to give callers a single struct
241/// with all post-write signals for the response JSON.
242pub struct WriteResult {
243    /// Whether tree-sitter syntax validation passed. `None` if unsupported language.
244    pub syntax_valid: Option<bool>,
245    /// Whether the file was auto-formatted.
246    pub formatted: bool,
247    /// Why formatting was skipped, if it was. Values: "not_found", "timeout", "error", "unsupported_language".
248    pub format_skipped_reason: Option<String>,
249    /// Whether full validation was requested (controls whether validation_errors is included in response).
250    pub validate_requested: bool,
251    /// Structured type-checker errors (only populated when validate:"full" is requested).
252    pub validation_errors: Vec<format::ValidationError>,
253    /// Why validation was skipped, if it was. Values: "not_found", "timeout", "error", "unsupported_language".
254    pub validate_skipped_reason: Option<String>,
255    /// LSP diagnostics for the edited file. Only populated when `diagnostics: true` is
256    /// passed in the edit request AND a language server is available.
257    pub lsp_diagnostics: Vec<crate::lsp::diagnostics::StoredDiagnostic>,
258}
259
260impl WriteResult {
261    /// Append LSP diagnostics to a response JSON object.
262    /// Only adds the field when diagnostics were requested and collected.
263    pub fn append_lsp_diagnostics_to(&self, result: &mut serde_json::Value) {
264        if !self.lsp_diagnostics.is_empty() {
265            result["lsp_diagnostics"] = serde_json::json!(self
266                .lsp_diagnostics
267                .iter()
268                .map(|d| {
269                    serde_json::json!({
270                        "file": d.file.display().to_string(),
271                        "line": d.line,
272                        "column": d.column,
273                        "end_line": d.end_line,
274                        "end_column": d.end_column,
275                        "severity": d.severity.as_str(),
276                        "message": d.message,
277                        "code": d.code,
278                        "source": d.source,
279                    })
280                })
281                .collect::<Vec<_>>());
282        }
283    }
284}
285
286/// Write content to disk, auto-format, then validate syntax.
287///
288/// This is the shared tail for all mutation commands. The pipeline order is:
289/// 1. `fs::write` — persist content
290/// 2. `auto_format` — run the project formatter (reads the written file, writes back)
291/// 3. `validate_syntax` — parse the (potentially formatted) file
292/// 4. `validate_full` — run type checker if `params.validate == "full"`
293///
294/// The `params` argument carries the original request parameters. When it
295/// contains `"validate": "full"`, the project's type checker is invoked after
296/// syntax validation and the results are included in `WriteResult`.
297pub fn write_format_validate(
298    path: &Path,
299    content: &str,
300    config: &Config,
301    params: &serde_json::Value,
302) -> Result<WriteResult, AftError> {
303    // Step 1: Write
304    std::fs::write(path, content).map_err(|e| AftError::InvalidRequest {
305        message: format!("failed to write file: {}", e),
306    })?;
307
308    // Step 2: Format (before validate so we validate the formatted content)
309    let (formatted, format_skipped_reason) = format::auto_format(path, config);
310
311    // Step 3: Validate syntax
312    let syntax_valid = match validate_syntax(path) {
313        Ok(sv) => sv,
314        Err(_) => None,
315    };
316
317    // Step 4: Full validation (type checker) — only when requested
318    let validate_requested = params.get("validate").and_then(|v| v.as_str()) == Some("full");
319    let (validation_errors, validate_skipped_reason) = if validate_requested {
320        format::validate_full(path, config)
321    } else {
322        (Vec::new(), None)
323    };
324
325    Ok(WriteResult {
326        syntax_valid,
327        formatted,
328        format_skipped_reason,
329        validate_requested,
330        validation_errors,
331        validate_skipped_reason,
332        lsp_diagnostics: Vec::new(),
333    })
334}
335
336#[cfg(test)]
337mod tests {
338    use super::*;
339
340    // --- line_col_to_byte ---
341
342    #[test]
343    fn line_col_to_byte_empty_string() {
344        assert_eq!(line_col_to_byte("", 0, 0), 0);
345    }
346
347    #[test]
348    fn line_col_to_byte_single_line() {
349        let source = "hello";
350        assert_eq!(line_col_to_byte(source, 0, 0), 0);
351        assert_eq!(line_col_to_byte(source, 0, 3), 3);
352        assert_eq!(line_col_to_byte(source, 0, 5), 5); // end of line
353    }
354
355    #[test]
356    fn line_col_to_byte_multi_line() {
357        let source = "abc\ndef\nghi\n";
358        // line 0: "abc" at bytes 0..3, newline at 3
359        assert_eq!(line_col_to_byte(source, 0, 0), 0);
360        assert_eq!(line_col_to_byte(source, 0, 2), 2);
361        // line 1: "def" at bytes 4..7, newline at 7
362        assert_eq!(line_col_to_byte(source, 1, 0), 4);
363        assert_eq!(line_col_to_byte(source, 1, 3), 7);
364        // line 2: "ghi" at bytes 8..11, newline at 11
365        assert_eq!(line_col_to_byte(source, 2, 0), 8);
366        assert_eq!(line_col_to_byte(source, 2, 2), 10);
367    }
368
369    #[test]
370    fn line_col_to_byte_last_line_no_trailing_newline() {
371        let source = "abc\ndef";
372        // line 1: "def" at bytes 4..7, no trailing newline
373        assert_eq!(line_col_to_byte(source, 1, 0), 4);
374        assert_eq!(line_col_to_byte(source, 1, 3), 7); // end
375    }
376
377    #[test]
378    fn line_col_to_byte_multi_byte_utf8() {
379        // "é" is 2 bytes in UTF-8
380        let source = "café\nbar";
381        // line 0: "café" is 5 bytes (c=1, a=1, f=1, é=2)
382        assert_eq!(line_col_to_byte(source, 0, 0), 0);
383        assert_eq!(line_col_to_byte(source, 0, 5), 5); // end of "café"
384                                                       // line 1: "bar" starts at byte 6
385        assert_eq!(line_col_to_byte(source, 1, 0), 6);
386        assert_eq!(line_col_to_byte(source, 1, 2), 8);
387    }
388
389    #[test]
390    fn line_col_to_byte_beyond_end() {
391        let source = "abc";
392        // Line beyond file returns source.len()
393        assert_eq!(line_col_to_byte(source, 5, 0), source.len());
394    }
395
396    #[test]
397    fn line_col_to_byte_col_clamped_to_line_length() {
398        let source = "ab\ncd";
399        // col=10 on a 2-char line should clamp to 2
400        assert_eq!(line_col_to_byte(source, 0, 10), 2);
401    }
402
403    #[test]
404    fn line_col_to_byte_crlf() {
405        let source = "abc\r\ndef\r\nghi\r\n";
406        assert_eq!(line_col_to_byte(source, 0, 0), 0);
407        assert_eq!(line_col_to_byte(source, 0, 10), 3);
408        assert_eq!(line_col_to_byte(source, 1, 0), 5);
409        assert_eq!(line_col_to_byte(source, 1, 3), 8);
410        assert_eq!(line_col_to_byte(source, 2, 0), 10);
411    }
412
413    // --- replace_byte_range ---
414
415    #[test]
416    fn replace_byte_range_basic() {
417        let source = "hello world";
418        let result = replace_byte_range(source, 6, 11, "rust").unwrap();
419        assert_eq!(result, "hello rust");
420    }
421
422    #[test]
423    fn replace_byte_range_delete() {
424        let source = "hello world";
425        let result = replace_byte_range(source, 5, 11, "").unwrap();
426        assert_eq!(result, "hello");
427    }
428
429    #[test]
430    fn replace_byte_range_insert_at_same_position() {
431        let source = "helloworld";
432        let result = replace_byte_range(source, 5, 5, " ").unwrap();
433        assert_eq!(result, "hello world");
434    }
435
436    #[test]
437    fn replace_byte_range_replace_entire_string() {
438        let source = "old content";
439        let result = replace_byte_range(source, 0, source.len(), "new content").unwrap();
440        assert_eq!(result, "new content");
441    }
442}
443
444/// Format an already-written file (no re-write) without re-writing or validating.
445/// Returns Ok(true) if formatting was applied, Ok(false) if skipped.
446pub fn write_format_only(path: &Path, config: &Config) -> Result<bool, AftError> {
447    use crate::format::detect_formatter;
448    let lang = match crate::parser::detect_language(path) {
449        Some(l) => l,
450        None => return Ok(false),
451    };
452    let formatter = detect_formatter(path, lang, config);
453    if let Some((cmd, args)) = formatter {
454        let status = std::process::Command::new(&cmd)
455            .args(&args)
456            .arg(path)
457            .stdout(std::process::Stdio::null())
458            .stderr(std::process::Stdio::null())
459            .status();
460        match status {
461            Ok(s) if s.success() => Ok(true),
462            _ => Ok(false),
463        }
464    } else {
465        Ok(false)
466    }
467}