instance.rs

   1use agent::ContextServerRegistry;
   2use agent_client_protocol as acp;
   3use anyhow::{Context as _, Result, anyhow, bail};
   4use client::proto::LspWorkProgress;
   5use futures::channel::mpsc;
   6use futures::future::Shared;
   7use futures::{FutureExt as _, StreamExt as _, future};
   8use gpui::{App, AppContext as _, AsyncApp, Entity, Task};
   9use handlebars::Handlebars;
  10use language::{Buffer, DiagnosticSeverity, OffsetRangeExt as _};
  11use language_model::{
  12    LanguageModel, LanguageModelCompletionEvent, LanguageModelRegistry, LanguageModelRequest,
  13    LanguageModelRequestMessage, LanguageModelToolResultContent, MessageContent, Role, TokenUsage,
  14};
  15use project::{DiagnosticSummary, Project, ProjectPath, lsp_store::OpenLspBufferHandle};
  16use prompt_store::{ProjectContext, WorktreeContext};
  17use rand::{distr, prelude::*};
  18use serde::{Deserialize, Serialize};
  19use std::{
  20    fmt::Write as _,
  21    fs::{self, File},
  22    io::Write as _,
  23    path::{Path, PathBuf},
  24    rc::Rc,
  25    sync::{Arc, Mutex},
  26    time::Duration,
  27};
  28use unindent::Unindent as _;
  29use util::{ResultExt as _, command::new_smol_command, markdown::MarkdownCodeBlock};
  30
  31use crate::{
  32    AgentAppState, ToolMetrics,
  33    assertions::{AssertionsReport, RanAssertion, RanAssertionResult},
  34    example::{Example, ExampleContext, FailedAssertion, JudgeAssertion},
  35};
  36
  37pub const ZED_REPO_URL: &str = "https://github.com/zed-industries/zed.git";
  38
  39#[derive(Clone)]
  40pub struct ExampleInstance {
  41    pub thread: Rc<dyn Example>,
  42    pub name: String,
  43    pub run_directory: PathBuf,
  44    pub log_prefix: String,
  45    /// The repetition number for this example (0-based)
  46    /// When running multiple repetitions of the same example, each instance is assigned a unique repetition number.
  47    /// This affects the worktree path and log prefix to avoid clobbering results between runs.
  48    pub repetition: usize,
  49    pub repo_path: PathBuf,
  50    /// Path to the directory containing the requests and responses for the agentic loop
  51    worktrees_dir: PathBuf,
  52}
  53
  54#[derive(Debug, Serialize, Clone)]
  55pub struct RunOutput {
  56    pub repository_diff: String,
  57    pub diagnostic_summary_before: DiagnosticSummary,
  58    pub diagnostic_summary_after: DiagnosticSummary,
  59    pub diagnostics_before: Option<String>,
  60    pub diagnostics_after: Option<String>,
  61    pub token_usage: TokenUsage,
  62    pub tool_metrics: ToolMetrics,
  63    pub thread_markdown: String,
  64    pub programmatic_assertions: AssertionsReport,
  65}
  66
  67#[derive(Debug, Clone, Serialize, Deserialize)]
  68pub struct JudgeDiffInput {
  69    pub repository_diff: String,
  70    pub assertion: String,
  71}
  72
  73#[derive(Debug, Clone, Serialize, Deserialize)]
  74pub struct JudgeThreadInput {
  75    pub messages: String,
  76    pub assertion: String,
  77}
  78
  79#[derive(Debug, Clone, Serialize, Deserialize)]
  80pub struct JudgeOutput {
  81    pub thread: AssertionsReport,
  82    pub diff: AssertionsReport,
  83}
  84
  85impl ExampleInstance {
  86    pub fn new(
  87        thread: Rc<dyn Example>,
  88        repos_dir: &Path,
  89        run_dir: &Path,
  90        worktrees_dir: &Path,
  91        repetition: usize,
  92    ) -> Self {
  93        let name = thread.meta().name;
  94        let run_directory = run_dir.join(&name).join(repetition.to_string());
  95
  96        let repo_path = repo_path_for_url(repos_dir, &thread.meta().url);
  97
  98        Self {
  99            name,
 100            thread,
 101            log_prefix: String::new(),
 102            run_directory,
 103            repetition,
 104            repo_path,
 105            worktrees_dir: worktrees_dir.to_path_buf(),
 106        }
 107    }
 108
 109    pub fn repo_url(&self) -> String {
 110        self.thread.meta().url
 111    }
 112
 113    pub fn revision(&self) -> String {
 114        self.thread.meta().revision
 115    }
 116
 117    pub fn worktree_name(&self) -> String {
 118        format!("{}-{}", self.name, self.repetition)
 119    }
 120
 121    pub fn set_log_prefix_style(&mut self, color: &str, name_width: usize) {
 122        self.log_prefix = format!(
 123            "{}{:<width$}\x1b[0m | ",
 124            color,
 125            self.worktree_name(),
 126            width = name_width
 127        );
 128    }
 129
 130    /// Set up the example by checking out the specified Git revision
 131    pub async fn fetch(&mut self) -> Result<()> {
 132        let meta = self.thread.meta();
 133
 134        let revision_exists = run_git(
 135            &self.repo_path,
 136            &["rev-parse", &format!("{}^{{commit}}", &meta.revision)],
 137        )
 138        .await
 139        .is_ok();
 140
 141        if !revision_exists {
 142            println!("{}Fetching revision {}", self.log_prefix, &meta.revision);
 143            run_git(
 144                &self.repo_path,
 145                &["fetch", "--depth", "1", "origin", &meta.revision],
 146            )
 147            .await?;
 148        }
 149        Ok(())
 150    }
 151
 152    /// Set up the example by checking out the specified Git revision
 153    pub async fn setup(&mut self) -> Result<()> {
 154        let worktree_path = self.worktree_path();
 155        let meta = self.thread.meta();
 156        if worktree_path.is_dir() {
 157            println!("{}Resetting existing worktree", self.log_prefix);
 158
 159            // TODO: consider including "-x" to remove ignored files. The downside of this is that
 160            // it will also remove build artifacts, and so prevent incremental reuse there.
 161            run_git(&worktree_path, &["clean", "--force", "-d"]).await?;
 162            run_git(&worktree_path, &["reset", "--hard", "HEAD"]).await?;
 163            run_git(&worktree_path, &["checkout", &meta.revision]).await?;
 164        } else {
 165            println!("{}Creating worktree", self.log_prefix);
 166
 167            let worktree_path_string = worktree_path.to_string_lossy().into_owned();
 168
 169            run_git(
 170                &self.repo_path,
 171                &[
 172                    "worktree",
 173                    "add",
 174                    "-f",
 175                    &worktree_path_string,
 176                    &meta.revision,
 177                ],
 178            )
 179            .await?;
 180        }
 181
 182        if meta.url == ZED_REPO_URL {
 183            std::fs::write(worktree_path.join(".rules"), std::fs::read(".rules")?)?;
 184        }
 185
 186        std::fs::create_dir_all(&self.run_directory)?;
 187
 188        Ok(())
 189    }
 190
 191    pub fn worktree_path(&self) -> PathBuf {
 192        self.worktrees_dir
 193            .join(self.worktree_name())
 194            .join(self.thread.meta().repo_name())
 195    }
 196
 197    pub fn run(&self, app_state: Arc<AgentAppState>, cx: &mut App) -> Task<Result<RunOutput>> {
 198        let project = Project::local(
 199            app_state.client.clone(),
 200            app_state.node_runtime.clone(),
 201            app_state.user_store.clone(),
 202            app_state.languages.clone(),
 203            app_state.fs.clone(),
 204            None,
 205            false,
 206            cx,
 207        );
 208
 209        let worktree = project.update(cx, |project, cx| {
 210            project.create_worktree(self.worktree_path(), true, cx)
 211        });
 212
 213        let meta = self.thread.meta();
 214        let this = self.clone();
 215
 216        cx.spawn(async move |cx| {
 217            let worktree = worktree.await?;
 218
 219            // Wait for worktree scan to finish before choosing a file to open.
 220            worktree
 221                .update(cx, |worktree, _cx| {
 222                    worktree.as_local().unwrap().scan_complete()
 223                })?
 224                .await;
 225
 226            struct LanguageServerState {
 227                _lsp_open_handle: OpenLspBufferHandle,
 228                language_file_buffer: Entity<Buffer>,
 229            }
 230
 231            let mut diagnostics_before = None;
 232            let mut diagnostic_summary_before = DiagnosticSummary::default();
 233
 234            let lsp = if let Some(language_server) = &meta.language_server {
 235                // Open a file that matches the language to cause LSP to start.
 236                let language_file = worktree.read_with(cx, |worktree, _cx| {
 237                    worktree
 238                        .files(false, 0)
 239                        .find_map(|e| {
 240                            if e.path.clone().extension()
 241                                == Some(&language_server.file_extension)
 242                            {
 243                                Some(ProjectPath {
 244                                    worktree_id: worktree.id(),
 245                                    path: e.path.clone(),
 246                                })
 247                            } else {
 248                                None
 249                            }
 250                        })
 251                        .context("Failed to find a file for example language")
 252                })??;
 253
 254                let open_language_file_buffer_task = project.update(cx, |project, cx| {
 255                    project.open_buffer(language_file.clone(), cx)
 256                })?;
 257
 258                let language_file_buffer = open_language_file_buffer_task.await?;
 259
 260                let lsp_open_handle = project.update(cx, |project, cx| {
 261                    project.register_buffer_with_language_servers(&language_file_buffer, cx)
 262                })?;
 263
 264                wait_for_lang_server(&project, &language_file_buffer, this.log_prefix.clone(), cx).await?;
 265
 266                diagnostic_summary_before = project.read_with(cx, |project, cx| {
 267                      project.diagnostic_summary(false, cx)
 268                })?;
 269
 270                diagnostics_before = query_lsp_diagnostics(project.clone(), cx).await?;
 271                if diagnostics_before.is_some() && language_server.allow_preexisting_diagnostics {
 272                    anyhow::bail!("Example has pre-existing diagnostics. If you want to run this example regardless, set `allow_preexisting_diagnostics` to `true` in `base.toml`");
 273                }
 274
 275                Some(LanguageServerState {
 276                    _lsp_open_handle: lsp_open_handle,
 277                    language_file_buffer,
 278                })
 279            } else {
 280                None
 281            };
 282
 283            anyhow::ensure!(std::env::var("ZED_EVAL_SETUP_ONLY").is_err(), "Setup only mode");
 284
 285            let last_diff_file_path = this.run_directory.join("last.diff");
 286
 287            // Write an empty "last.diff" so that it can be opened in Zed for convenient view of the
 288            // history using undo/redo.
 289            std::fs::write(&last_diff_file_path, "")?;
 290
 291            let thread = cx.update(|cx| {
 292                //todo: Do we want to load rules files here?
 293                let worktrees = project.read(cx).visible_worktrees(cx).map(|worktree| {
 294                    let root_name = worktree.read(cx).root_name_str().into();
 295                    let abs_path = worktree.read(cx).abs_path();
 296
 297                    WorktreeContext {
 298                        root_name,
 299                        abs_path,
 300                        rules_file: None,
 301                    }
 302                }).collect::<Vec<_>>();
 303                let project_context = cx.new(|_cx| ProjectContext::new(worktrees, vec![]));
 304                let context_server_registry = cx.new(|cx| ContextServerRegistry::new(project.read(cx).context_server_store(), cx));
 305
 306                let thread = if let Some(json) = &meta.existing_thread_json {
 307                    let session_id = acp::SessionId::new(
 308                        rand::rng()
 309                            .sample_iter(&distr::Alphanumeric)
 310                            .take(7)
 311                            .map(char::from)
 312                            .collect::<String>(),
 313                    );
 314
 315                    let db_thread = agent::DbThread::from_json(json.as_bytes()).expect("Can't read serialized thread");
 316                    cx.new(|cx| agent::Thread::from_db(session_id, db_thread, project.clone(), project_context, context_server_registry, agent::Templates::new(), cx))
 317                } else {
 318                    cx.new(|cx| agent::Thread::new(project.clone(), project_context, context_server_registry, agent::Templates::new(), None, cx))
 319                };
 320
 321                thread.update(cx, |thread, cx| {
 322                    thread.add_default_tools(Rc::new(EvalThreadEnvironment {
 323                        project: project.clone(),
 324                    }), cx);
 325                    thread.set_profile(meta.profile_id.clone(), cx);
 326                    thread.set_model(
 327                        LanguageModelInterceptor::new(
 328                            LanguageModelRegistry::read_global(cx).default_model().expect("Missing model").model.clone(),
 329                            this.run_directory.clone(),
 330                            last_diff_file_path.clone(),
 331                            this.run_directory.join("last.messages.json"),
 332                            this.worktree_path(),
 333                            this.repo_url(),
 334                        ),
 335                        cx,
 336                    );
 337                });
 338
 339                thread
 340            }).unwrap();
 341
 342            let mut example_cx = ExampleContext::new(
 343                meta.clone(),
 344                this.log_prefix.clone(),
 345                thread.clone(),
 346                cx.clone(),
 347            );
 348            let result = this.thread.conversation(&mut example_cx).await;
 349
 350            if let Err(err) = result
 351                && !err.is::<FailedAssertion>() {
 352                    return Err(err);
 353                }
 354
 355            println!("{}Stopped", this.log_prefix);
 356
 357            println!("{}Getting repository diff", this.log_prefix);
 358            let repository_diff = Self::repository_diff(this.worktree_path(), &this.repo_url()).await?;
 359
 360            std::fs::write(last_diff_file_path, &repository_diff)?;
 361
 362
 363            let mut diagnostics_after = None;
 364            let mut diagnostic_summary_after = Default::default();
 365
 366            if let Some(language_server_state) = lsp {
 367                wait_for_lang_server(&project, &language_server_state.language_file_buffer, this.log_prefix.clone(), cx).await?;
 368
 369                println!("{}Getting diagnostics", this.log_prefix);
 370                diagnostics_after = cx
 371                    .update(|cx| {
 372                        let project = project.clone();
 373                        cx.spawn(async move |cx| query_lsp_diagnostics(project, cx).await)
 374                    })?
 375                    .await?;
 376                println!("{}Got diagnostics", this.log_prefix);
 377
 378                diagnostic_summary_after = project.read_with(cx, |project, cx| {
 379                      project.diagnostic_summary(false, cx)
 380                })?;
 381
 382            }
 383
 384            if let Some(diagnostics_before) = &diagnostics_before {
 385                fs::write(this.run_directory.join("diagnostics_before.txt"), diagnostics_before)?;
 386            }
 387
 388            if let Some(diagnostics_after) = &diagnostics_after {
 389                fs::write(this.run_directory.join("diagnostics_after.txt"), diagnostics_after)?;
 390            }
 391
 392            thread.update(cx, |thread, _cx| {
 393                RunOutput {
 394                    repository_diff,
 395                    diagnostic_summary_before,
 396                    diagnostic_summary_after,
 397                    diagnostics_before,
 398                    diagnostics_after,
 399                    token_usage: thread.latest_request_token_usage().unwrap(),
 400                    tool_metrics: example_cx.tool_metrics.lock().unwrap().clone(),
 401                    thread_markdown: thread.to_markdown(),
 402                    programmatic_assertions: example_cx.assertions,
 403                }
 404            })
 405        })
 406    }
 407
 408    async fn repository_diff(repository_path: PathBuf, repository_url: &str) -> Result<String> {
 409        run_git(&repository_path, &["add", "."]).await?;
 410        let mut diff_args = vec!["diff", "--staged"];
 411        if repository_url == ZED_REPO_URL {
 412            diff_args.push(":(exclude).rules");
 413        }
 414        run_git(&repository_path, &diff_args).await
 415    }
 416
 417    pub async fn judge(
 418        &self,
 419        model: Arc<dyn LanguageModel>,
 420        run_output: &RunOutput,
 421        cx: &AsyncApp,
 422    ) -> JudgeOutput {
 423        let mut output_file =
 424            File::create(self.run_directory.join("judge.md")).expect("failed to create judge.md");
 425
 426        let diff_task = self.judge_diff(model.clone(), run_output, cx);
 427        let thread_task = self.judge_thread(model.clone(), run_output, cx);
 428
 429        let (diff_result, thread_result) = futures::join!(diff_task, thread_task);
 430
 431        let (diff_response, diff_output) = diff_result;
 432        let (thread_response, thread_output) = thread_result;
 433
 434        writeln!(
 435            &mut output_file,
 436            "# Judgment\n\n## Thread\n\n{thread_response}\n\n## Diff\n\n{diff_response}",
 437        )
 438        .log_err();
 439
 440        JudgeOutput {
 441            thread: thread_output,
 442            diff: diff_output,
 443        }
 444    }
 445
 446    async fn judge_diff(
 447        &self,
 448        model: Arc<dyn LanguageModel>,
 449        run_output: &RunOutput,
 450        cx: &AsyncApp,
 451    ) -> (String, AssertionsReport) {
 452        let diff_assertions = self.thread.diff_assertions();
 453
 454        if diff_assertions.is_empty() {
 455            return (
 456                "No diff assertions".to_string(),
 457                AssertionsReport::default(),
 458            );
 459        }
 460
 461        println!("{}Running diff judge", self.log_prefix);
 462
 463        let judge_diff_prompt = include_str!("judge_diff_prompt.hbs");
 464        let judge_diff_prompt_name = "judge_diff_prompt";
 465        let mut hbs = Handlebars::new();
 466        hbs.register_template_string(judge_diff_prompt_name, judge_diff_prompt)
 467            .unwrap();
 468
 469        let to_prompt = |assertion: String| {
 470            hbs.render(
 471                judge_diff_prompt_name,
 472                &JudgeDiffInput {
 473                    repository_diff: run_output.repository_diff.clone(),
 474                    assertion,
 475                },
 476            )
 477            .unwrap()
 478        };
 479
 480        let (responses, report) = self
 481            .judge_assertions(model, diff_assertions, to_prompt, cx)
 482            .await;
 483
 484        println!(
 485            "{}Judge - Diff score: {}%",
 486            self.log_prefix,
 487            report.passed_percentage()
 488        );
 489
 490        (responses, report)
 491    }
 492
 493    async fn judge_thread(
 494        &self,
 495        model: Arc<dyn LanguageModel>,
 496        run_output: &RunOutput,
 497        cx: &AsyncApp,
 498    ) -> (String, AssertionsReport) {
 499        let thread_assertions = self.thread.thread_assertions();
 500
 501        if thread_assertions.is_empty() {
 502            return (
 503                "No thread assertions".to_string(),
 504                AssertionsReport::default(),
 505            );
 506        }
 507
 508        let judge_thread_prompt = include_str!("judge_thread_prompt.hbs");
 509        let judge_thread_prompt_name = "judge_thread_prompt";
 510        let mut hbs = Handlebars::new();
 511        hbs.register_template_string(judge_thread_prompt_name, judge_thread_prompt)
 512            .unwrap();
 513
 514        let complete_messages = &run_output.thread_markdown;
 515        let to_prompt = |assertion: String| {
 516            hbs.render(
 517                judge_thread_prompt_name,
 518                &JudgeThreadInput {
 519                    messages: complete_messages.clone(),
 520                    assertion,
 521                },
 522            )
 523            .unwrap()
 524        };
 525
 526        let (responses, report) = self
 527            .judge_assertions(model, thread_assertions, to_prompt, cx)
 528            .await;
 529
 530        println!(
 531            "{}Judge - Thread score: {}%",
 532            self.log_prefix,
 533            report.passed_percentage()
 534        );
 535
 536        (responses, report)
 537    }
 538
 539    async fn judge_assertions(
 540        &self,
 541        model: Arc<dyn LanguageModel>,
 542        assertions: Vec<JudgeAssertion>,
 543        to_prompt: impl Fn(String) -> String,
 544        cx: &AsyncApp,
 545    ) -> (String, AssertionsReport) {
 546        let assertions = assertions.into_iter().map(|assertion| {
 547            let request = LanguageModelRequest {
 548                thread_id: None,
 549                prompt_id: None,
 550                mode: None,
 551                intent: None,
 552                messages: vec![LanguageModelRequestMessage {
 553                    role: Role::User,
 554                    content: vec![MessageContent::Text(to_prompt(assertion.description))],
 555                    cache: false,
 556                    reasoning_details: None,
 557                }],
 558                temperature: None,
 559                tools: Vec::new(),
 560                tool_choice: None,
 561                stop: Vec::new(),
 562                thinking_allowed: true,
 563            };
 564
 565            let model = model.clone();
 566            let log_prefix = self.log_prefix.clone();
 567            async move {
 568                let response = send_language_model_request(model, request, cx).await;
 569
 570                let (response, result) = match response {
 571                    Ok(response) => (
 572                        response.clone(),
 573                        parse_assertion_result(&response).map_err(|err| err.to_string()),
 574                    ),
 575                    Err(err) => (err.to_string(), Err(err.to_string())),
 576                };
 577
 578                if result.is_ok() {
 579                    println!("{}{}", log_prefix, assertion.id);
 580                } else {
 581                    println!("{}{}", log_prefix, assertion.id);
 582                }
 583
 584                (
 585                    response,
 586                    RanAssertion {
 587                        id: assertion.id,
 588                        result,
 589                    },
 590                )
 591            }
 592        });
 593
 594        let mut responses = String::new();
 595        let mut report = AssertionsReport::default();
 596
 597        for (response, assertion) in future::join_all(assertions).await {
 598            writeln!(&mut responses, "# {}", assertion.id).unwrap();
 599            writeln!(&mut responses, "{}\n\n", response).unwrap();
 600            report.ran.push(assertion);
 601        }
 602
 603        (responses, report)
 604    }
 605}
 606
 607struct EvalThreadEnvironment {
 608    project: Entity<Project>,
 609}
 610
 611struct EvalTerminalHandle {
 612    terminal: Entity<acp_thread::Terminal>,
 613}
 614
 615impl agent::TerminalHandle for EvalTerminalHandle {
 616    fn id(&self, cx: &AsyncApp) -> Result<acp::TerminalId> {
 617        self.terminal.read_with(cx, |term, _cx| term.id().clone())
 618    }
 619
 620    fn wait_for_exit(&self, cx: &AsyncApp) -> Result<Shared<Task<acp::TerminalExitStatus>>> {
 621        self.terminal
 622            .read_with(cx, |term, _cx| term.wait_for_exit())
 623    }
 624
 625    fn current_output(&self, cx: &AsyncApp) -> Result<acp::TerminalOutputResponse> {
 626        self.terminal
 627            .read_with(cx, |term, cx| term.current_output(cx))
 628    }
 629
 630    fn kill(&self, cx: &AsyncApp) -> Result<()> {
 631        cx.update(|cx| {
 632            self.terminal.update(cx, |terminal, cx| {
 633                terminal.kill(cx);
 634            });
 635        })?;
 636        Ok(())
 637    }
 638}
 639
 640impl agent::ThreadEnvironment for EvalThreadEnvironment {
 641    fn create_terminal(
 642        &self,
 643        command: String,
 644        cwd: Option<PathBuf>,
 645        output_byte_limit: Option<u64>,
 646        cx: &mut AsyncApp,
 647    ) -> Task<Result<Rc<dyn agent::TerminalHandle>>> {
 648        let project = self.project.clone();
 649        cx.spawn(async move |cx| {
 650            let language_registry =
 651                project.read_with(cx, |project, _cx| project.languages().clone())?;
 652            let id = acp::TerminalId::new(uuid::Uuid::new_v4().to_string());
 653            let terminal =
 654                acp_thread::create_terminal_entity(command, &[], vec![], cwd.clone(), &project, cx)
 655                    .await?;
 656            let terminal = cx.new(|cx| {
 657                acp_thread::Terminal::new(
 658                    id,
 659                    "",
 660                    cwd,
 661                    output_byte_limit.map(|limit| limit as usize),
 662                    terminal,
 663                    language_registry,
 664                    cx,
 665                )
 666            })?;
 667            Ok(Rc::new(EvalTerminalHandle { terminal }) as Rc<dyn agent::TerminalHandle>)
 668        })
 669    }
 670}
 671
 672struct LanguageModelInterceptor {
 673    model: Arc<dyn LanguageModel>,
 674    request_count: Arc<Mutex<usize>>,
 675    previous_diff: Arc<Mutex<String>>,
 676    example_output_dir: PathBuf,
 677    last_diff_file_path: PathBuf,
 678    messages_json_file_path: PathBuf,
 679    repository_path: PathBuf,
 680    repository_url: String,
 681}
 682
 683impl LanguageModelInterceptor {
 684    fn new(
 685        model: Arc<dyn LanguageModel>,
 686        example_output_dir: PathBuf,
 687        last_diff_file_path: PathBuf,
 688        messages_json_file_path: PathBuf,
 689        repository_path: PathBuf,
 690        repository_url: String,
 691    ) -> Arc<Self> {
 692        Arc::new(Self {
 693            model,
 694            request_count: Arc::new(Mutex::new(0)),
 695            previous_diff: Arc::new(Mutex::new("".to_string())),
 696            example_output_dir,
 697            last_diff_file_path,
 698            messages_json_file_path,
 699            repository_path,
 700            repository_url,
 701        })
 702    }
 703}
 704
 705impl language_model::LanguageModel for LanguageModelInterceptor {
 706    fn id(&self) -> language_model::LanguageModelId {
 707        self.model.id()
 708    }
 709
 710    fn name(&self) -> language_model::LanguageModelName {
 711        self.model.name()
 712    }
 713
 714    fn provider_id(&self) -> language_model::LanguageModelProviderId {
 715        self.model.provider_id()
 716    }
 717
 718    fn provider_name(&self) -> language_model::LanguageModelProviderName {
 719        self.model.provider_name()
 720    }
 721
 722    fn telemetry_id(&self) -> String {
 723        self.model.telemetry_id()
 724    }
 725
 726    fn supports_images(&self) -> bool {
 727        self.model.supports_images()
 728    }
 729
 730    fn supports_tools(&self) -> bool {
 731        self.model.supports_tools()
 732    }
 733
 734    fn supports_tool_choice(&self, choice: language_model::LanguageModelToolChoice) -> bool {
 735        self.model.supports_tool_choice(choice)
 736    }
 737
 738    fn max_token_count(&self) -> u64 {
 739        self.model.max_token_count()
 740    }
 741
 742    fn count_tokens(
 743        &self,
 744        request: LanguageModelRequest,
 745        cx: &App,
 746    ) -> future::BoxFuture<'static, Result<u64>> {
 747        self.model.count_tokens(request, cx)
 748    }
 749
 750    fn stream_completion(
 751        &self,
 752        request: LanguageModelRequest,
 753        cx: &AsyncApp,
 754    ) -> future::BoxFuture<
 755        'static,
 756        Result<
 757            futures::stream::BoxStream<
 758                'static,
 759                Result<LanguageModelCompletionEvent, language_model::LanguageModelCompletionError>,
 760            >,
 761            language_model::LanguageModelCompletionError,
 762        >,
 763    > {
 764        let stream = self.model.stream_completion(request.clone(), cx);
 765        let request_count = self.request_count.clone();
 766        let previous_diff = self.previous_diff.clone();
 767        let example_output_dir = self.example_output_dir.clone();
 768        let last_diff_file_path = self.last_diff_file_path.clone();
 769        let messages_json_file_path = self.messages_json_file_path.clone();
 770        let repository_path = self.repository_path.clone();
 771        let repository_url = self.repository_url.clone();
 772
 773        Box::pin(async move {
 774            let stream = stream.await?;
 775
 776            let response_events = Arc::new(Mutex::new(Vec::new()));
 777            let request_clone = request.clone();
 778
 779            let wrapped_stream = stream.then(move |event| {
 780                let response_events = response_events.clone();
 781                let request = request_clone.clone();
 782                let request_count = request_count.clone();
 783                let previous_diff = previous_diff.clone();
 784                let example_output_dir = example_output_dir.clone();
 785                let last_diff_file_path = last_diff_file_path.clone();
 786                let messages_json_file_path = messages_json_file_path.clone();
 787                let repository_path = repository_path.clone();
 788                let repository_url = repository_url.clone();
 789
 790                async move {
 791                    let event_result = match &event {
 792                        Ok(ev) => Ok(ev.clone()),
 793                        Err(err) => Err(err.to_string()),
 794                    };
 795                    response_events.lock().unwrap().push(event_result);
 796
 797                    let should_execute = matches!(
 798                        &event,
 799                        Ok(LanguageModelCompletionEvent::Stop { .. }) | Err(_)
 800                    );
 801
 802                    if should_execute {
 803                        let current_request_count = {
 804                            let mut count = request_count.lock().unwrap();
 805                            *count += 1;
 806                            *count
 807                        };
 808
 809                        let messages_file_path =
 810                            example_output_dir.join(format!("{current_request_count}.messages.md"));
 811                        let diff_file_path =
 812                            example_output_dir.join(format!("{current_request_count}.diff"));
 813                        let last_messages_file_path = example_output_dir.join("last.messages.md");
 814
 815                        let collected_events = response_events.lock().unwrap().clone();
 816                        let request_markdown = RequestMarkdown::new(&request);
 817                        let response_events_markdown =
 818                            response_events_to_markdown(&collected_events);
 819                        let dialog = ThreadDialog::new(&request, &collected_events);
 820                        let dialog_json =
 821                            serde_json::to_string_pretty(&dialog.to_combined_request())
 822                                .unwrap_or_default();
 823
 824                        let messages = format!(
 825                            "{}\n\n{}",
 826                            request_markdown.messages, response_events_markdown
 827                        );
 828                        fs::write(&messages_file_path, messages.clone())
 829                            .expect("failed to write messages file");
 830                        fs::write(&last_messages_file_path, messages)
 831                            .expect("failed to write last messages file");
 832                        fs::write(&messages_json_file_path, dialog_json)
 833                            .expect("failed to write last.messages.json");
 834
 835                        // Get repository diff
 836                        let diff_result =
 837                            ExampleInstance::repository_diff(repository_path, &repository_url)
 838                                .await;
 839
 840                        match diff_result {
 841                            Ok(diff) => {
 842                                let prev_diff = previous_diff.lock().unwrap().clone();
 843                                if diff != prev_diff {
 844                                    fs::write(&diff_file_path, &diff)
 845                                        .expect("failed to write diff file");
 846                                    fs::write(&last_diff_file_path, &diff)
 847                                        .expect("failed to write last diff file");
 848                                    *previous_diff.lock().unwrap() = diff;
 849                                }
 850                            }
 851                            Err(err) => {
 852                                let error_message = format!("{err:?}");
 853                                fs::write(&diff_file_path, &error_message)
 854                                    .expect("failed to write diff error to file");
 855                                fs::write(&last_diff_file_path, &error_message)
 856                                    .expect("failed to write last diff file");
 857                            }
 858                        }
 859
 860                        if current_request_count == 1 {
 861                            let tools_file_path = example_output_dir.join("tools.md");
 862                            fs::write(tools_file_path, request_markdown.tools)
 863                                .expect("failed to write tools file");
 864                        }
 865                    }
 866
 867                    event
 868                }
 869            });
 870
 871            Ok(Box::pin(wrapped_stream)
 872                as futures::stream::BoxStream<
 873                    'static,
 874                    Result<
 875                        LanguageModelCompletionEvent,
 876                        language_model::LanguageModelCompletionError,
 877                    >,
 878                >)
 879        })
 880    }
 881}
 882
 883pub fn wait_for_lang_server(
 884    project: &Entity<Project>,
 885    buffer: &Entity<Buffer>,
 886    log_prefix: String,
 887    cx: &mut AsyncApp,
 888) -> Task<Result<()>> {
 889    if std::env::var("ZED_EVAL_SKIP_LS").is_ok() {
 890        return Task::ready(Ok(()));
 891    }
 892
 893    println!("{}⏵ Waiting for language server", log_prefix);
 894
 895    let (mut tx, mut rx) = mpsc::channel(1);
 896
 897    let lsp_store = project
 898        .read_with(cx, |project, _| project.lsp_store())
 899        .unwrap();
 900
 901    let has_lang_server = buffer
 902        .update(cx, |buffer, cx| {
 903            lsp_store.update(cx, |lsp_store, cx| {
 904                lsp_store
 905                    .running_language_servers_for_local_buffer(buffer, cx)
 906                    .next()
 907                    .is_some()
 908            })
 909        })
 910        .unwrap_or(false);
 911
 912    if has_lang_server {
 913        project
 914            .update(cx, |project, cx| project.save_buffer(buffer.clone(), cx))
 915            .unwrap()
 916            .detach();
 917    }
 918
 919    let subscriptions =
 920        [
 921            cx.subscribe(&lsp_store, {
 922                let log_prefix = log_prefix.clone();
 923                move |_, event, _| {
 924                    if let project::LspStoreEvent::LanguageServerUpdate {
 925                        message:
 926                            client::proto::update_language_server::Variant::WorkProgress(
 927                                LspWorkProgress {
 928                                    message: Some(message),
 929                                    ..
 930                                },
 931                            ),
 932                        ..
 933                    } = event
 934                    {
 935                        println!("{}{message}", log_prefix)
 936                    }
 937                }
 938            }),
 939            cx.subscribe(project, {
 940                let buffer = buffer.clone();
 941                move |project, event, cx| match event {
 942                    project::Event::LanguageServerAdded(_, _, _) => {
 943                        let buffer = buffer.clone();
 944                        project
 945                            .update(cx, |project, cx| project.save_buffer(buffer, cx))
 946                            .detach();
 947                    }
 948                    project::Event::DiskBasedDiagnosticsFinished { .. } => {
 949                        tx.try_send(()).ok();
 950                    }
 951                    _ => {}
 952                }
 953            }),
 954        ];
 955
 956    cx.spawn(async move |cx| {
 957        let timeout = cx.background_executor().timer(Duration::new(60 * 5, 0));
 958        let result = futures::select! {
 959            _ = rx.next() => {
 960                println!("{}⚑ Language server idle", log_prefix);
 961                anyhow::Ok(())
 962            },
 963            _ = timeout.fuse() => {
 964                anyhow::bail!("LSP wait timed out after 5 minutes");
 965            }
 966        };
 967        drop(subscriptions);
 968        result
 969    })
 970}
 971
 972pub async fn query_lsp_diagnostics(
 973    project: Entity<Project>,
 974    cx: &mut AsyncApp,
 975) -> Result<Option<String>> {
 976    let paths_with_diagnostics = project.update(cx, |project, cx| {
 977        project
 978            .diagnostic_summaries(true, cx)
 979            .filter(|(_, _, summary)| summary.error_count > 0 || summary.warning_count > 0)
 980            .map(|(project_path, _, _)| project_path)
 981            .collect::<Vec<_>>()
 982    })?;
 983
 984    if paths_with_diagnostics.is_empty() {
 985        return Ok(None);
 986    }
 987
 988    let mut output = String::new();
 989    for project_path in paths_with_diagnostics {
 990        let buffer = project
 991            .update(cx, |project, cx| project.open_buffer(project_path, cx))?
 992            .await?;
 993        let snapshot = buffer.read_with(cx, |buffer, _cx| buffer.snapshot())?;
 994
 995        for (_, group) in snapshot.diagnostic_groups(None) {
 996            let entry = &group.entries[group.primary_ix];
 997            let range = entry.range.to_point(&snapshot);
 998            let severity = match entry.diagnostic.severity {
 999                DiagnosticSeverity::ERROR => "error",
1000                DiagnosticSeverity::WARNING => "warning",
1001                _ => continue,
1002            };
1003
1004            writeln!(
1005                output,
1006                "{} at line {}: {}",
1007                severity,
1008                range.start.row + 1,
1009                entry.diagnostic.message
1010            )?;
1011        }
1012    }
1013    anyhow::Ok(Some(output))
1014}
1015
1016fn parse_assertion_result(response: &str) -> Result<RanAssertionResult> {
1017    let analysis = get_tag("analysis", response)?;
1018    let passed = match get_tag("passed", response)?.to_lowercase().as_str() {
1019        "true" => true,
1020        "false" => false,
1021        value @ _ => bail!("invalid judge `passed` tag: {value}"),
1022    };
1023    Ok(RanAssertionResult {
1024        analysis: Some(analysis),
1025        passed,
1026    })
1027}
1028
1029fn get_tag(name: &'static str, response: &str) -> Result<String> {
1030    let start_tag = format!("<{}>", name);
1031    let end_tag = format!("</{}>", name);
1032
1033    let start_ix = response
1034        .find(&start_tag)
1035        .context(format!("{} start tag not found", name))?;
1036    let content_start_ix = start_ix + start_tag.len();
1037
1038    let end_ix = content_start_ix
1039        + response[content_start_ix..]
1040            .find(&end_tag)
1041            .context(format!("{} end tag not found", name))?;
1042
1043    let content = response[content_start_ix..end_ix].trim().unindent();
1044
1045    anyhow::Ok(content)
1046}
1047
1048pub fn repo_path_for_url(repos_dir: &Path, repo_url: &str) -> PathBuf {
1049    let repo_name = repo_url
1050        .trim_start_matches("https://")
1051        .replace(|c: char| !c.is_alphanumeric(), "-");
1052    Path::new(repos_dir).join(repo_name)
1053}
1054
1055pub async fn run_git(repo_path: &Path, args: &[&str]) -> Result<String> {
1056    let output = new_smol_command("git")
1057        .current_dir(repo_path)
1058        .args(args)
1059        .output()
1060        .await?;
1061
1062    anyhow::ensure!(
1063        output.status.success(),
1064        "`git {}` within `{}` failed with status: {}\nstderr:\n{}\nstdout:\n{}",
1065        args.join(" "),
1066        repo_path.display(),
1067        output.status,
1068        String::from_utf8_lossy(&output.stderr),
1069        String::from_utf8_lossy(&output.stdout),
1070    );
1071    Ok(String::from_utf8(output.stdout)?.trim().to_string())
1072}
1073
1074fn push_role(role: &Role, buf: &mut String, assistant_message_number: &mut u32) {
1075    match role {
1076        Role::System => buf.push_str("# ⚙️ SYSTEM\n\n"),
1077        Role::User => buf.push_str("# 👤 USER\n\n"),
1078        Role::Assistant => {
1079            buf.push_str(&format!("# 🤖 ASSISTANT {assistant_message_number}\n\n"));
1080            *assistant_message_number = *assistant_message_number + 1;
1081        }
1082    }
1083}
1084
1085pub async fn send_language_model_request(
1086    model: Arc<dyn LanguageModel>,
1087    request: LanguageModelRequest,
1088    cx: &AsyncApp,
1089) -> anyhow::Result<String> {
1090    match model.stream_completion_text(request, cx).await {
1091        Ok(mut stream) => {
1092            let mut full_response = String::new();
1093            while let Some(chunk_result) = stream.stream.next().await {
1094                match chunk_result {
1095                    Ok(chunk_str) => {
1096                        full_response.push_str(&chunk_str);
1097                    }
1098                    Err(err) => {
1099                        anyhow::bail!("Error receiving response from language model: {err}");
1100                    }
1101                }
1102            }
1103            Ok(full_response)
1104        }
1105        Err(err) => Err(anyhow!(
1106            "Failed to get response from language model. Error was: {err}"
1107        )),
1108    }
1109}
1110
1111pub struct RequestMarkdown {
1112    pub tools: String,
1113    pub messages: String,
1114}
1115
1116impl RequestMarkdown {
1117    pub fn new(request: &LanguageModelRequest) -> Self {
1118        let mut tools = String::new();
1119        let mut messages = String::new();
1120        let mut assistant_message_number: u32 = 1;
1121
1122        // Print the tools
1123        if !request.tools.is_empty() {
1124            for tool in &request.tools {
1125                write!(&mut tools, "# {}\n\n", tool.name).unwrap();
1126                write!(&mut tools, "{}\n\n", tool.description).unwrap();
1127                writeln!(
1128                    &mut tools,
1129                    "{}",
1130                    MarkdownCodeBlock {
1131                        tag: "json",
1132                        text: &format!("{:#}", tool.input_schema)
1133                    }
1134                )
1135                .unwrap();
1136            }
1137        }
1138
1139        // Print the messages
1140        for message in &request.messages {
1141            push_role(&message.role, &mut messages, &mut assistant_message_number);
1142
1143            for content in &message.content {
1144                match content {
1145                    MessageContent::Text(text) => {
1146                        messages.push_str(text);
1147                        messages.push_str("\n\n");
1148                    }
1149                    MessageContent::Image(_) => {
1150                        messages.push_str("[IMAGE DATA]\n\n");
1151                    }
1152                    MessageContent::Thinking { text, signature } => {
1153                        messages.push_str("**Thinking**:\n\n");
1154                        if let Some(sig) = signature {
1155                            messages.push_str(&format!("Signature: {}\n\n", sig));
1156                        }
1157                        messages.push_str(text);
1158                        messages.push_str("\n");
1159                    }
1160                    MessageContent::RedactedThinking(items) => {
1161                        messages.push_str(&format!(
1162                            "**Redacted Thinking**: {} item(s)\n\n",
1163                            items.len()
1164                        ));
1165                    }
1166                    MessageContent::ToolUse(tool_use) => {
1167                        messages.push_str(&format!(
1168                            "**Tool Use**: {} (ID: {})\n",
1169                            tool_use.name, tool_use.id
1170                        ));
1171                        messages.push_str(&format!(
1172                            "{}\n",
1173                            MarkdownCodeBlock {
1174                                tag: "json",
1175                                text: &format!("{:#}", tool_use.input)
1176                            }
1177                        ));
1178                    }
1179                    MessageContent::ToolResult(tool_result) => {
1180                        messages.push_str(&format!(
1181                            "**Tool Result**: {} (ID: {})\n\n",
1182                            tool_result.tool_name, tool_result.tool_use_id
1183                        ));
1184                        if tool_result.is_error {
1185                            messages.push_str("**ERROR:**\n");
1186                        }
1187
1188                        match &tool_result.content {
1189                            LanguageModelToolResultContent::Text(text) => {
1190                                writeln!(messages, "{text}\n").ok();
1191                            }
1192                            LanguageModelToolResultContent::Image(image) => {
1193                                writeln!(messages, "![Image](data:base64,{})\n", image.source).ok();
1194                            }
1195                        }
1196
1197                        if let Some(output) = tool_result.output.as_ref() {
1198                            writeln!(
1199                                messages,
1200                                "**Debug Output**:\n\n```json\n{}\n```\n",
1201                                serde_json::to_string_pretty(output).unwrap()
1202                            )
1203                            .unwrap();
1204                        }
1205                    }
1206                }
1207            }
1208        }
1209
1210        Self { tools, messages }
1211    }
1212}
1213
1214pub fn response_events_to_markdown(
1215    response_events: &[std::result::Result<LanguageModelCompletionEvent, String>],
1216) -> String {
1217    let mut response = String::new();
1218    // Print the response events if any
1219    response.push_str("# Response\n\n");
1220    let mut text_buffer = String::new();
1221    let mut thinking_buffer = String::new();
1222
1223    let flush_buffers =
1224        |output: &mut String, text_buffer: &mut String, thinking_buffer: &mut String| {
1225            if !text_buffer.is_empty() {
1226                output.push_str(&format!("**Text**:\n{}\n\n", text_buffer));
1227                text_buffer.clear();
1228            }
1229            if !thinking_buffer.is_empty() {
1230                output.push_str(&format!("**Thinking**:\n{}\n\n", thinking_buffer));
1231                thinking_buffer.clear();
1232            }
1233        };
1234
1235    for event in response_events {
1236        match event {
1237            Ok(LanguageModelCompletionEvent::Text(text)) => {
1238                text_buffer.push_str(text);
1239            }
1240            Ok(LanguageModelCompletionEvent::Thinking { text, .. }) => {
1241                thinking_buffer.push_str(text);
1242            }
1243            Ok(LanguageModelCompletionEvent::RedactedThinking { .. }) => {}
1244            Ok(LanguageModelCompletionEvent::Stop(reason)) => {
1245                flush_buffers(&mut response, &mut text_buffer, &mut thinking_buffer);
1246                response.push_str(&format!("**Stop**: {:?}\n\n", reason));
1247            }
1248            Ok(LanguageModelCompletionEvent::ToolUse(tool_use)) => {
1249                flush_buffers(&mut response, &mut text_buffer, &mut thinking_buffer);
1250                response.push_str(&format!(
1251                    "**Tool Use**: {} (ID: {})\n",
1252                    tool_use.name, tool_use.id
1253                ));
1254                response.push_str(&format!(
1255                    "{}\n",
1256                    MarkdownCodeBlock {
1257                        tag: "json",
1258                        text: &format!("{:#}", tool_use.input)
1259                    }
1260                ));
1261            }
1262            Ok(
1263                LanguageModelCompletionEvent::UsageUpdate(_)
1264                | LanguageModelCompletionEvent::ToolUseLimitReached
1265                | LanguageModelCompletionEvent::StartMessage { .. }
1266                | LanguageModelCompletionEvent::UsageUpdated { .. }
1267                | LanguageModelCompletionEvent::Queued { .. }
1268                | LanguageModelCompletionEvent::Started
1269                | LanguageModelCompletionEvent::ReasoningDetails(_),
1270            ) => {}
1271            Ok(LanguageModelCompletionEvent::ToolUseJsonParseError {
1272                json_parse_error, ..
1273            }) => {
1274                flush_buffers(&mut response, &mut text_buffer, &mut thinking_buffer);
1275                response.push_str(&format!(
1276                    "**Error**: parse error in tool use JSON: {}\n\n",
1277                    json_parse_error
1278                ));
1279            }
1280            Err(error) => {
1281                flush_buffers(&mut response, &mut text_buffer, &mut thinking_buffer);
1282                response.push_str(&format!("**Error**: {}\n\n", error));
1283            }
1284        }
1285    }
1286
1287    flush_buffers(&mut response, &mut text_buffer, &mut thinking_buffer);
1288
1289    response
1290}
1291
1292#[derive(Clone, Debug, Serialize, Deserialize, PartialEq)]
1293pub struct ThreadDialog {
1294    pub request: LanguageModelRequest,
1295    pub response_events: Vec<std::result::Result<LanguageModelCompletionEvent, String>>,
1296}
1297
1298impl ThreadDialog {
1299    pub fn new(
1300        request: &LanguageModelRequest,
1301        response_events: &[std::result::Result<LanguageModelCompletionEvent, String>],
1302    ) -> Self {
1303        Self {
1304            request: request.clone(),
1305            response_events: response_events.to_vec(),
1306        }
1307    }
1308
1309    /// Represents all request and response messages in a unified format.
1310    ///
1311    /// Specifically, it appends the assistant's response (derived from response events)
1312    /// as a new message to existing messages in the request.
1313    pub fn to_combined_request(&self) -> LanguageModelRequest {
1314        let mut request = self.request.clone();
1315        if let Some(assistant_message) = self.response_events_to_message() {
1316            request.messages.push(assistant_message);
1317        }
1318        request
1319    }
1320    fn response_events_to_message(&self) -> Option<LanguageModelRequestMessage> {
1321        let response_events = &self.response_events;
1322        let mut content: Vec<MessageContent> = Vec::new();
1323        let mut current_text = String::new();
1324
1325        let flush_text = |text: &mut String, content: &mut Vec<MessageContent>| {
1326            if !text.is_empty() {
1327                content.push(MessageContent::Text(std::mem::take(text)));
1328            }
1329        };
1330
1331        for event in response_events {
1332            match event {
1333                Ok(LanguageModelCompletionEvent::Text(text)) => {
1334                    current_text.push_str(text);
1335                }
1336
1337                Ok(LanguageModelCompletionEvent::ToolUse(tool_use)) => {
1338                    flush_text(&mut current_text, &mut content);
1339                    if tool_use.is_input_complete {
1340                        content.push(MessageContent::ToolUse(tool_use.clone()));
1341                    }
1342                }
1343                Ok(LanguageModelCompletionEvent::Thinking { text, signature }) => {
1344                    flush_text(&mut current_text, &mut content);
1345                    content.push(MessageContent::Thinking {
1346                        text: text.clone(),
1347                        signature: signature.clone(),
1348                    });
1349                }
1350
1351                // Skip these
1352                Ok(LanguageModelCompletionEvent::UsageUpdate(_))
1353                | Ok(LanguageModelCompletionEvent::RedactedThinking { .. })
1354                | Ok(LanguageModelCompletionEvent::StartMessage { .. })
1355                | Ok(LanguageModelCompletionEvent::ReasoningDetails(_))
1356                | Ok(LanguageModelCompletionEvent::Stop(_))
1357                | Ok(LanguageModelCompletionEvent::Queued { .. })
1358                | Ok(LanguageModelCompletionEvent::Started)
1359                | Ok(LanguageModelCompletionEvent::UsageUpdated { .. })
1360                | Ok(LanguageModelCompletionEvent::ToolUseLimitReached) => {}
1361
1362                Ok(LanguageModelCompletionEvent::ToolUseJsonParseError {
1363                    json_parse_error,
1364                    ..
1365                }) => {
1366                    flush_text(&mut current_text, &mut content);
1367                    content.push(MessageContent::Text(format!(
1368                        "ERROR: parse error in tool use JSON: {}",
1369                        json_parse_error
1370                    )));
1371                }
1372
1373                Err(error) => {
1374                    flush_text(&mut current_text, &mut content);
1375                    content.push(MessageContent::Text(format!("ERROR: {}", error)));
1376                }
1377            }
1378        }
1379
1380        flush_text(&mut current_text, &mut content);
1381
1382        if !content.is_empty() {
1383            Some(LanguageModelRequestMessage {
1384                role: Role::Assistant,
1385                content,
1386                cache: false,
1387                reasoning_details: None,
1388            })
1389        } else {
1390            None
1391        }
1392    }
1393}
1394
1395#[cfg(test)]
1396mod test {
1397    use super::*;
1398
1399    #[test]
1400    fn test_parse_judge_output() {
1401        let response = r#"
1402            <analysis>The model did a good job but there were still compilations errors.</analysis>
1403            <passed>true</passed>
1404        "#
1405        .unindent();
1406
1407        let output = parse_assertion_result(&response).unwrap();
1408        assert_eq!(
1409            output.analysis,
1410            Some("The model did a good job but there were still compilations errors.".into())
1411        );
1412        assert!(output.passed);
1413
1414        let response = r#"
1415            Text around ignored
1416
1417            <analysis>
1418                Failed to compile:
1419                - Error 1
1420                - Error 2
1421            </analysis>
1422
1423            <passed>false</passed>
1424        "#
1425        .unindent();
1426
1427        let output = parse_assertion_result(&response).unwrap();
1428        assert_eq!(
1429            output.analysis,
1430            Some("Failed to compile:\n- Error 1\n- Error 2".into())
1431        );
1432        assert!(!output.passed);
1433    }
1434}