1#[cfg(test)]
2mod context_tests;
3
4use crate::patch::{AssistantEdit, AssistantPatch, AssistantPatchStatus};
5use anyhow::{anyhow, Context as _, Result};
6use assistant_slash_command::{
7 SlashCommandContent, SlashCommandEvent, SlashCommandLine, SlashCommandOutputSection,
8 SlashCommandResult, SlashCommandWorkingSet,
9};
10use assistant_slash_commands::FileCommandMetadata;
11use client::{self, proto, telemetry::Telemetry};
12use clock::ReplicaId;
13use collections::{HashMap, HashSet};
14use fs::{Fs, RemoveOptions};
15use futures::{future::Shared, FutureExt, StreamExt};
16use gpui::{
17 App, AppContext as _, Context, Entity, EventEmitter, RenderImage, SharedString, Subscription,
18 Task,
19};
20use language::{AnchorRangeExt, Bias, Buffer, LanguageRegistry, OffsetRangeExt, Point, ToOffset};
21use language_model::{
22 report_assistant_event, LanguageModel, LanguageModelCacheConfiguration,
23 LanguageModelCompletionEvent, LanguageModelImage, LanguageModelRegistry, LanguageModelRequest,
24 LanguageModelRequestMessage, LanguageModelToolUseId, MaxMonthlySpendReachedError,
25 MessageContent, PaymentRequiredError, Role, StopReason,
26};
27use open_ai::Model as OpenAiModel;
28use paths::contexts_dir;
29use project::Project;
30use prompt_store::PromptBuilder;
31use serde::{Deserialize, Serialize};
32use smallvec::SmallVec;
33use std::{
34 cmp::{max, Ordering},
35 fmt::Debug,
36 iter, mem,
37 ops::Range,
38 path::{Path, PathBuf},
39 str::FromStr as _,
40 sync::Arc,
41 time::{Duration, Instant},
42};
43use telemetry_events::{AssistantEvent, AssistantKind, AssistantPhase};
44use text::{BufferSnapshot, ToPoint};
45use ui::IconName;
46use util::{post_inc, ResultExt, TryFutureExt};
47use uuid::Uuid;
48
49#[derive(Clone, Eq, PartialEq, Hash, PartialOrd, Ord, Serialize, Deserialize)]
50pub struct ContextId(String);
51
52impl ContextId {
53 pub fn new() -> Self {
54 Self(Uuid::new_v4().to_string())
55 }
56
57 pub fn from_proto(id: String) -> Self {
58 Self(id)
59 }
60
61 pub fn to_proto(&self) -> String {
62 self.0.clone()
63 }
64}
65
66#[derive(Copy, Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Hash, Serialize, Deserialize)]
67pub struct MessageId(pub clock::Lamport);
68
69impl MessageId {
70 pub fn as_u64(self) -> u64 {
71 self.0.as_u64()
72 }
73}
74
75#[derive(Clone, Debug, Eq, PartialEq, Serialize, Deserialize)]
76pub enum MessageStatus {
77 Pending,
78 Done,
79 Error(SharedString),
80 Canceled,
81}
82
83impl MessageStatus {
84 pub fn from_proto(status: proto::ContextMessageStatus) -> MessageStatus {
85 match status.variant {
86 Some(proto::context_message_status::Variant::Pending(_)) => MessageStatus::Pending,
87 Some(proto::context_message_status::Variant::Done(_)) => MessageStatus::Done,
88 Some(proto::context_message_status::Variant::Error(error)) => {
89 MessageStatus::Error(error.message.into())
90 }
91 Some(proto::context_message_status::Variant::Canceled(_)) => MessageStatus::Canceled,
92 None => MessageStatus::Pending,
93 }
94 }
95
96 pub fn to_proto(&self) -> proto::ContextMessageStatus {
97 match self {
98 MessageStatus::Pending => proto::ContextMessageStatus {
99 variant: Some(proto::context_message_status::Variant::Pending(
100 proto::context_message_status::Pending {},
101 )),
102 },
103 MessageStatus::Done => proto::ContextMessageStatus {
104 variant: Some(proto::context_message_status::Variant::Done(
105 proto::context_message_status::Done {},
106 )),
107 },
108 MessageStatus::Error(message) => proto::ContextMessageStatus {
109 variant: Some(proto::context_message_status::Variant::Error(
110 proto::context_message_status::Error {
111 message: message.to_string(),
112 },
113 )),
114 },
115 MessageStatus::Canceled => proto::ContextMessageStatus {
116 variant: Some(proto::context_message_status::Variant::Canceled(
117 proto::context_message_status::Canceled {},
118 )),
119 },
120 }
121 }
122}
123
124#[derive(Clone, Copy, Debug, PartialEq, Eq)]
125pub enum RequestType {
126 /// Request a normal chat response from the model.
127 Chat,
128 /// Add a preamble to the message, which tells the model to return a structured response that suggests edits.
129 SuggestEdits,
130}
131
132#[derive(Clone, Debug)]
133pub enum ContextOperation {
134 InsertMessage {
135 anchor: MessageAnchor,
136 metadata: MessageMetadata,
137 version: clock::Global,
138 },
139 UpdateMessage {
140 message_id: MessageId,
141 metadata: MessageMetadata,
142 version: clock::Global,
143 },
144 UpdateSummary {
145 summary: ContextSummary,
146 version: clock::Global,
147 },
148 SlashCommandStarted {
149 id: InvokedSlashCommandId,
150 output_range: Range<language::Anchor>,
151 name: String,
152 version: clock::Global,
153 },
154 SlashCommandFinished {
155 id: InvokedSlashCommandId,
156 timestamp: clock::Lamport,
157 error_message: Option<String>,
158 version: clock::Global,
159 },
160 SlashCommandOutputSectionAdded {
161 timestamp: clock::Lamport,
162 section: SlashCommandOutputSection<language::Anchor>,
163 version: clock::Global,
164 },
165 BufferOperation(language::Operation),
166}
167
168impl ContextOperation {
169 pub fn from_proto(op: proto::ContextOperation) -> Result<Self> {
170 match op.variant.context("invalid variant")? {
171 proto::context_operation::Variant::InsertMessage(insert) => {
172 let message = insert.message.context("invalid message")?;
173 let id = MessageId(language::proto::deserialize_timestamp(
174 message.id.context("invalid id")?,
175 ));
176 Ok(Self::InsertMessage {
177 anchor: MessageAnchor {
178 id,
179 start: language::proto::deserialize_anchor(
180 message.start.context("invalid anchor")?,
181 )
182 .context("invalid anchor")?,
183 },
184 metadata: MessageMetadata {
185 role: Role::from_proto(message.role),
186 status: MessageStatus::from_proto(
187 message.status.context("invalid status")?,
188 ),
189 timestamp: id.0,
190 cache: None,
191 },
192 version: language::proto::deserialize_version(&insert.version),
193 })
194 }
195 proto::context_operation::Variant::UpdateMessage(update) => Ok(Self::UpdateMessage {
196 message_id: MessageId(language::proto::deserialize_timestamp(
197 update.message_id.context("invalid message id")?,
198 )),
199 metadata: MessageMetadata {
200 role: Role::from_proto(update.role),
201 status: MessageStatus::from_proto(update.status.context("invalid status")?),
202 timestamp: language::proto::deserialize_timestamp(
203 update.timestamp.context("invalid timestamp")?,
204 ),
205 cache: None,
206 },
207 version: language::proto::deserialize_version(&update.version),
208 }),
209 proto::context_operation::Variant::UpdateSummary(update) => Ok(Self::UpdateSummary {
210 summary: ContextSummary {
211 text: update.summary,
212 done: update.done,
213 timestamp: language::proto::deserialize_timestamp(
214 update.timestamp.context("invalid timestamp")?,
215 ),
216 },
217 version: language::proto::deserialize_version(&update.version),
218 }),
219 proto::context_operation::Variant::SlashCommandStarted(message) => {
220 Ok(Self::SlashCommandStarted {
221 id: InvokedSlashCommandId(language::proto::deserialize_timestamp(
222 message.id.context("invalid id")?,
223 )),
224 output_range: language::proto::deserialize_anchor_range(
225 message.output_range.context("invalid range")?,
226 )?,
227 name: message.name,
228 version: language::proto::deserialize_version(&message.version),
229 })
230 }
231 proto::context_operation::Variant::SlashCommandOutputSectionAdded(message) => {
232 let section = message.section.context("missing section")?;
233 Ok(Self::SlashCommandOutputSectionAdded {
234 timestamp: language::proto::deserialize_timestamp(
235 message.timestamp.context("missing timestamp")?,
236 ),
237 section: SlashCommandOutputSection {
238 range: language::proto::deserialize_anchor_range(
239 section.range.context("invalid range")?,
240 )?,
241 icon: section.icon_name.parse()?,
242 label: section.label.into(),
243 metadata: section
244 .metadata
245 .and_then(|metadata| serde_json::from_str(&metadata).log_err()),
246 },
247 version: language::proto::deserialize_version(&message.version),
248 })
249 }
250 proto::context_operation::Variant::SlashCommandCompleted(message) => {
251 Ok(Self::SlashCommandFinished {
252 id: InvokedSlashCommandId(language::proto::deserialize_timestamp(
253 message.id.context("invalid id")?,
254 )),
255 timestamp: language::proto::deserialize_timestamp(
256 message.timestamp.context("missing timestamp")?,
257 ),
258 error_message: message.error_message,
259 version: language::proto::deserialize_version(&message.version),
260 })
261 }
262 proto::context_operation::Variant::BufferOperation(op) => Ok(Self::BufferOperation(
263 language::proto::deserialize_operation(
264 op.operation.context("invalid buffer operation")?,
265 )?,
266 )),
267 }
268 }
269
270 pub fn to_proto(&self) -> proto::ContextOperation {
271 match self {
272 Self::InsertMessage {
273 anchor,
274 metadata,
275 version,
276 } => proto::ContextOperation {
277 variant: Some(proto::context_operation::Variant::InsertMessage(
278 proto::context_operation::InsertMessage {
279 message: Some(proto::ContextMessage {
280 id: Some(language::proto::serialize_timestamp(anchor.id.0)),
281 start: Some(language::proto::serialize_anchor(&anchor.start)),
282 role: metadata.role.to_proto() as i32,
283 status: Some(metadata.status.to_proto()),
284 }),
285 version: language::proto::serialize_version(version),
286 },
287 )),
288 },
289 Self::UpdateMessage {
290 message_id,
291 metadata,
292 version,
293 } => proto::ContextOperation {
294 variant: Some(proto::context_operation::Variant::UpdateMessage(
295 proto::context_operation::UpdateMessage {
296 message_id: Some(language::proto::serialize_timestamp(message_id.0)),
297 role: metadata.role.to_proto() as i32,
298 status: Some(metadata.status.to_proto()),
299 timestamp: Some(language::proto::serialize_timestamp(metadata.timestamp)),
300 version: language::proto::serialize_version(version),
301 },
302 )),
303 },
304 Self::UpdateSummary { summary, version } => proto::ContextOperation {
305 variant: Some(proto::context_operation::Variant::UpdateSummary(
306 proto::context_operation::UpdateSummary {
307 summary: summary.text.clone(),
308 done: summary.done,
309 timestamp: Some(language::proto::serialize_timestamp(summary.timestamp)),
310 version: language::proto::serialize_version(version),
311 },
312 )),
313 },
314 Self::SlashCommandStarted {
315 id,
316 output_range,
317 name,
318 version,
319 } => proto::ContextOperation {
320 variant: Some(proto::context_operation::Variant::SlashCommandStarted(
321 proto::context_operation::SlashCommandStarted {
322 id: Some(language::proto::serialize_timestamp(id.0)),
323 output_range: Some(language::proto::serialize_anchor_range(
324 output_range.clone(),
325 )),
326 name: name.clone(),
327 version: language::proto::serialize_version(version),
328 },
329 )),
330 },
331 Self::SlashCommandOutputSectionAdded {
332 timestamp,
333 section,
334 version,
335 } => proto::ContextOperation {
336 variant: Some(
337 proto::context_operation::Variant::SlashCommandOutputSectionAdded(
338 proto::context_operation::SlashCommandOutputSectionAdded {
339 timestamp: Some(language::proto::serialize_timestamp(*timestamp)),
340 section: Some({
341 let icon_name: &'static str = section.icon.into();
342 proto::SlashCommandOutputSection {
343 range: Some(language::proto::serialize_anchor_range(
344 section.range.clone(),
345 )),
346 icon_name: icon_name.to_string(),
347 label: section.label.to_string(),
348 metadata: section.metadata.as_ref().and_then(|metadata| {
349 serde_json::to_string(metadata).log_err()
350 }),
351 }
352 }),
353 version: language::proto::serialize_version(version),
354 },
355 ),
356 ),
357 },
358 Self::SlashCommandFinished {
359 id,
360 timestamp,
361 error_message,
362 version,
363 } => proto::ContextOperation {
364 variant: Some(proto::context_operation::Variant::SlashCommandCompleted(
365 proto::context_operation::SlashCommandCompleted {
366 id: Some(language::proto::serialize_timestamp(id.0)),
367 timestamp: Some(language::proto::serialize_timestamp(*timestamp)),
368 error_message: error_message.clone(),
369 version: language::proto::serialize_version(version),
370 },
371 )),
372 },
373 Self::BufferOperation(operation) => proto::ContextOperation {
374 variant: Some(proto::context_operation::Variant::BufferOperation(
375 proto::context_operation::BufferOperation {
376 operation: Some(language::proto::serialize_operation(operation)),
377 },
378 )),
379 },
380 }
381 }
382
383 fn timestamp(&self) -> clock::Lamport {
384 match self {
385 Self::InsertMessage { anchor, .. } => anchor.id.0,
386 Self::UpdateMessage { metadata, .. } => metadata.timestamp,
387 Self::UpdateSummary { summary, .. } => summary.timestamp,
388 Self::SlashCommandStarted { id, .. } => id.0,
389 Self::SlashCommandOutputSectionAdded { timestamp, .. }
390 | Self::SlashCommandFinished { timestamp, .. } => *timestamp,
391 Self::BufferOperation(_) => {
392 panic!("reading the timestamp of a buffer operation is not supported")
393 }
394 }
395 }
396
397 /// Returns the current version of the context operation.
398 pub fn version(&self) -> &clock::Global {
399 match self {
400 Self::InsertMessage { version, .. }
401 | Self::UpdateMessage { version, .. }
402 | Self::UpdateSummary { version, .. }
403 | Self::SlashCommandStarted { version, .. }
404 | Self::SlashCommandOutputSectionAdded { version, .. }
405 | Self::SlashCommandFinished { version, .. } => version,
406 Self::BufferOperation(_) => {
407 panic!("reading the version of a buffer operation is not supported")
408 }
409 }
410 }
411}
412
413#[derive(Debug, Clone)]
414pub enum ContextEvent {
415 ShowAssistError(SharedString),
416 ShowPaymentRequiredError,
417 ShowMaxMonthlySpendReachedError,
418 MessagesEdited,
419 SummaryChanged,
420 StreamedCompletion,
421 PatchesUpdated {
422 removed: Vec<Range<language::Anchor>>,
423 updated: Vec<Range<language::Anchor>>,
424 },
425 InvokedSlashCommandChanged {
426 command_id: InvokedSlashCommandId,
427 },
428 ParsedSlashCommandsUpdated {
429 removed: Vec<Range<language::Anchor>>,
430 updated: Vec<ParsedSlashCommand>,
431 },
432 SlashCommandOutputSectionAdded {
433 section: SlashCommandOutputSection<language::Anchor>,
434 },
435 Operation(ContextOperation),
436}
437
438#[derive(Clone, Default, Debug)]
439pub struct ContextSummary {
440 pub text: String,
441 done: bool,
442 timestamp: clock::Lamport,
443}
444
445#[derive(Clone, Debug, Eq, PartialEq)]
446pub struct MessageAnchor {
447 pub id: MessageId,
448 pub start: language::Anchor,
449}
450
451#[derive(Clone, Debug, Eq, PartialEq)]
452pub enum CacheStatus {
453 Pending,
454 Cached,
455}
456
457#[derive(Clone, Debug, Eq, PartialEq)]
458pub struct MessageCacheMetadata {
459 pub is_anchor: bool,
460 pub is_final_anchor: bool,
461 pub status: CacheStatus,
462 pub cached_at: clock::Global,
463}
464
465#[derive(Clone, Debug, Eq, PartialEq, Serialize, Deserialize)]
466pub struct MessageMetadata {
467 pub role: Role,
468 pub status: MessageStatus,
469 pub timestamp: clock::Lamport,
470 #[serde(skip)]
471 pub cache: Option<MessageCacheMetadata>,
472}
473
474impl From<&Message> for MessageMetadata {
475 fn from(message: &Message) -> Self {
476 Self {
477 role: message.role,
478 status: message.status.clone(),
479 timestamp: message.id.0,
480 cache: message.cache.clone(),
481 }
482 }
483}
484
485impl MessageMetadata {
486 pub fn is_cache_valid(&self, buffer: &BufferSnapshot, range: &Range<usize>) -> bool {
487 let result = match &self.cache {
488 Some(MessageCacheMetadata { cached_at, .. }) => !buffer.has_edits_since_in_range(
489 &cached_at,
490 Range {
491 start: buffer.anchor_at(range.start, Bias::Right),
492 end: buffer.anchor_at(range.end, Bias::Left),
493 },
494 ),
495 _ => false,
496 };
497 result
498 }
499}
500
501#[derive(Clone, Debug)]
502pub struct Message {
503 pub offset_range: Range<usize>,
504 pub index_range: Range<usize>,
505 pub anchor_range: Range<language::Anchor>,
506 pub id: MessageId,
507 pub role: Role,
508 pub status: MessageStatus,
509 pub cache: Option<MessageCacheMetadata>,
510}
511
512#[derive(Debug, Clone)]
513pub enum Content {
514 Image {
515 anchor: language::Anchor,
516 image_id: u64,
517 render_image: Arc<RenderImage>,
518 image: Shared<Task<Option<LanguageModelImage>>>,
519 },
520}
521
522impl Content {
523 fn range(&self) -> Range<language::Anchor> {
524 match self {
525 Self::Image { anchor, .. } => *anchor..*anchor,
526 }
527 }
528
529 fn cmp(&self, other: &Self, buffer: &BufferSnapshot) -> Ordering {
530 let self_range = self.range();
531 let other_range = other.range();
532 if self_range.end.cmp(&other_range.start, buffer).is_lt() {
533 Ordering::Less
534 } else if self_range.start.cmp(&other_range.end, buffer).is_gt() {
535 Ordering::Greater
536 } else {
537 Ordering::Equal
538 }
539 }
540}
541
542struct PendingCompletion {
543 id: usize,
544 assistant_message_id: MessageId,
545 _task: Task<()>,
546}
547
548#[derive(Copy, Clone, Debug, Hash, Eq, PartialEq)]
549pub struct InvokedSlashCommandId(clock::Lamport);
550
551#[derive(Clone, Debug)]
552pub struct XmlTag {
553 pub kind: XmlTagKind,
554 pub range: Range<text::Anchor>,
555 pub is_open_tag: bool,
556}
557
558#[derive(Copy, Clone, Debug, strum::EnumString, PartialEq, Eq, strum::AsRefStr)]
559#[strum(serialize_all = "snake_case")]
560pub enum XmlTagKind {
561 Patch,
562 Title,
563 Edit,
564 Path,
565 Description,
566 OldText,
567 NewText,
568 Operation,
569}
570
571pub struct AssistantContext {
572 id: ContextId,
573 timestamp: clock::Lamport,
574 version: clock::Global,
575 pending_ops: Vec<ContextOperation>,
576 operations: Vec<ContextOperation>,
577 buffer: Entity<Buffer>,
578 parsed_slash_commands: Vec<ParsedSlashCommand>,
579 invoked_slash_commands: HashMap<InvokedSlashCommandId, InvokedSlashCommand>,
580 edits_since_last_parse: language::Subscription,
581 slash_commands: Arc<SlashCommandWorkingSet>,
582 slash_command_output_sections: Vec<SlashCommandOutputSection<language::Anchor>>,
583 message_anchors: Vec<MessageAnchor>,
584 contents: Vec<Content>,
585 messages_metadata: HashMap<MessageId, MessageMetadata>,
586 summary: Option<ContextSummary>,
587 pending_summary: Task<Option<()>>,
588 completion_count: usize,
589 pending_completions: Vec<PendingCompletion>,
590 token_count: Option<usize>,
591 pending_token_count: Task<Option<()>>,
592 pending_save: Task<Result<()>>,
593 pending_cache_warming_task: Task<Option<()>>,
594 path: Option<PathBuf>,
595 _subscriptions: Vec<Subscription>,
596 telemetry: Option<Arc<Telemetry>>,
597 language_registry: Arc<LanguageRegistry>,
598 patches: Vec<AssistantPatch>,
599 xml_tags: Vec<XmlTag>,
600 project: Option<Entity<Project>>,
601 prompt_builder: Arc<PromptBuilder>,
602}
603
604trait ContextAnnotation {
605 fn range(&self) -> &Range<language::Anchor>;
606}
607
608impl ContextAnnotation for ParsedSlashCommand {
609 fn range(&self) -> &Range<language::Anchor> {
610 &self.source_range
611 }
612}
613
614impl ContextAnnotation for AssistantPatch {
615 fn range(&self) -> &Range<language::Anchor> {
616 &self.range
617 }
618}
619
620impl ContextAnnotation for XmlTag {
621 fn range(&self) -> &Range<language::Anchor> {
622 &self.range
623 }
624}
625
626impl EventEmitter<ContextEvent> for AssistantContext {}
627
628impl AssistantContext {
629 pub fn local(
630 language_registry: Arc<LanguageRegistry>,
631 project: Option<Entity<Project>>,
632 telemetry: Option<Arc<Telemetry>>,
633 prompt_builder: Arc<PromptBuilder>,
634 slash_commands: Arc<SlashCommandWorkingSet>,
635 cx: &mut Context<Self>,
636 ) -> Self {
637 Self::new(
638 ContextId::new(),
639 ReplicaId::default(),
640 language::Capability::ReadWrite,
641 language_registry,
642 prompt_builder,
643 slash_commands,
644 project,
645 telemetry,
646 cx,
647 )
648 }
649
650 pub fn new(
651 id: ContextId,
652 replica_id: ReplicaId,
653 capability: language::Capability,
654 language_registry: Arc<LanguageRegistry>,
655 prompt_builder: Arc<PromptBuilder>,
656 slash_commands: Arc<SlashCommandWorkingSet>,
657 project: Option<Entity<Project>>,
658 telemetry: Option<Arc<Telemetry>>,
659 cx: &mut Context<Self>,
660 ) -> Self {
661 let buffer = cx.new(|_cx| {
662 let buffer = Buffer::remote(
663 language::BufferId::new(1).unwrap(),
664 replica_id,
665 capability,
666 "",
667 );
668 buffer.set_language_registry(language_registry.clone());
669 buffer
670 });
671 let edits_since_last_slash_command_parse =
672 buffer.update(cx, |buffer, _| buffer.subscribe());
673 let mut this = Self {
674 id,
675 timestamp: clock::Lamport::new(replica_id),
676 version: clock::Global::new(),
677 pending_ops: Vec::new(),
678 operations: Vec::new(),
679 message_anchors: Default::default(),
680 contents: Default::default(),
681 messages_metadata: Default::default(),
682 parsed_slash_commands: Vec::new(),
683 invoked_slash_commands: HashMap::default(),
684 slash_command_output_sections: Vec::new(),
685 edits_since_last_parse: edits_since_last_slash_command_parse,
686 summary: None,
687 pending_summary: Task::ready(None),
688 completion_count: Default::default(),
689 pending_completions: Default::default(),
690 token_count: None,
691 pending_token_count: Task::ready(None),
692 pending_cache_warming_task: Task::ready(None),
693 _subscriptions: vec![cx.subscribe(&buffer, Self::handle_buffer_event)],
694 pending_save: Task::ready(Ok(())),
695 path: None,
696 buffer,
697 telemetry,
698 project,
699 language_registry,
700 slash_commands,
701 patches: Vec::new(),
702 xml_tags: Vec::new(),
703 prompt_builder,
704 };
705
706 let first_message_id = MessageId(clock::Lamport {
707 replica_id: 0,
708 value: 0,
709 });
710 let message = MessageAnchor {
711 id: first_message_id,
712 start: language::Anchor::MIN,
713 };
714 this.messages_metadata.insert(
715 first_message_id,
716 MessageMetadata {
717 role: Role::User,
718 status: MessageStatus::Done,
719 timestamp: first_message_id.0,
720 cache: None,
721 },
722 );
723 this.message_anchors.push(message);
724
725 this.set_language(cx);
726 this.count_remaining_tokens(cx);
727 this
728 }
729
730 pub(crate) fn serialize(&self, cx: &App) -> SavedContext {
731 let buffer = self.buffer.read(cx);
732 SavedContext {
733 id: Some(self.id.clone()),
734 zed: "context".into(),
735 version: SavedContext::VERSION.into(),
736 text: buffer.text(),
737 messages: self
738 .messages(cx)
739 .map(|message| SavedMessage {
740 id: message.id,
741 start: message.offset_range.start,
742 metadata: self.messages_metadata[&message.id].clone(),
743 })
744 .collect(),
745 summary: self
746 .summary
747 .as_ref()
748 .map(|summary| summary.text.clone())
749 .unwrap_or_default(),
750 slash_command_output_sections: self
751 .slash_command_output_sections
752 .iter()
753 .filter_map(|section| {
754 if section.is_valid(buffer) {
755 let range = section.range.to_offset(buffer);
756 Some(assistant_slash_command::SlashCommandOutputSection {
757 range,
758 icon: section.icon,
759 label: section.label.clone(),
760 metadata: section.metadata.clone(),
761 })
762 } else {
763 None
764 }
765 })
766 .collect(),
767 }
768 }
769
770 pub fn deserialize(
771 saved_context: SavedContext,
772 path: PathBuf,
773 language_registry: Arc<LanguageRegistry>,
774 prompt_builder: Arc<PromptBuilder>,
775 slash_commands: Arc<SlashCommandWorkingSet>,
776 project: Option<Entity<Project>>,
777 telemetry: Option<Arc<Telemetry>>,
778 cx: &mut Context<Self>,
779 ) -> Self {
780 let id = saved_context.id.clone().unwrap_or_else(ContextId::new);
781 let mut this = Self::new(
782 id,
783 ReplicaId::default(),
784 language::Capability::ReadWrite,
785 language_registry,
786 prompt_builder,
787 slash_commands,
788 project,
789 telemetry,
790 cx,
791 );
792 this.path = Some(path);
793 this.buffer.update(cx, |buffer, cx| {
794 buffer.set_text(saved_context.text.as_str(), cx)
795 });
796 let operations = saved_context.into_ops(&this.buffer, cx);
797 this.apply_ops(operations, cx);
798 this
799 }
800
801 pub fn id(&self) -> &ContextId {
802 &self.id
803 }
804
805 pub fn replica_id(&self) -> ReplicaId {
806 self.timestamp.replica_id
807 }
808
809 pub fn version(&self, cx: &App) -> ContextVersion {
810 ContextVersion {
811 context: self.version.clone(),
812 buffer: self.buffer.read(cx).version(),
813 }
814 }
815
816 pub fn slash_commands(&self) -> &Arc<SlashCommandWorkingSet> {
817 &self.slash_commands
818 }
819
820 pub fn set_capability(&mut self, capability: language::Capability, cx: &mut Context<Self>) {
821 self.buffer
822 .update(cx, |buffer, cx| buffer.set_capability(capability, cx));
823 }
824
825 fn next_timestamp(&mut self) -> clock::Lamport {
826 let timestamp = self.timestamp.tick();
827 self.version.observe(timestamp);
828 timestamp
829 }
830
831 pub fn serialize_ops(
832 &self,
833 since: &ContextVersion,
834 cx: &App,
835 ) -> Task<Vec<proto::ContextOperation>> {
836 let buffer_ops = self
837 .buffer
838 .read(cx)
839 .serialize_ops(Some(since.buffer.clone()), cx);
840
841 let mut context_ops = self
842 .operations
843 .iter()
844 .filter(|op| !since.context.observed(op.timestamp()))
845 .cloned()
846 .collect::<Vec<_>>();
847 context_ops.extend(self.pending_ops.iter().cloned());
848
849 cx.background_spawn(async move {
850 let buffer_ops = buffer_ops.await;
851 context_ops.sort_unstable_by_key(|op| op.timestamp());
852 buffer_ops
853 .into_iter()
854 .map(|op| proto::ContextOperation {
855 variant: Some(proto::context_operation::Variant::BufferOperation(
856 proto::context_operation::BufferOperation {
857 operation: Some(op),
858 },
859 )),
860 })
861 .chain(context_ops.into_iter().map(|op| op.to_proto()))
862 .collect()
863 })
864 }
865
866 pub fn apply_ops(
867 &mut self,
868 ops: impl IntoIterator<Item = ContextOperation>,
869 cx: &mut Context<Self>,
870 ) {
871 let mut buffer_ops = Vec::new();
872 for op in ops {
873 match op {
874 ContextOperation::BufferOperation(buffer_op) => buffer_ops.push(buffer_op),
875 op @ _ => self.pending_ops.push(op),
876 }
877 }
878 self.buffer
879 .update(cx, |buffer, cx| buffer.apply_ops(buffer_ops, cx));
880 self.flush_ops(cx);
881 }
882
883 fn flush_ops(&mut self, cx: &mut Context<AssistantContext>) {
884 let mut changed_messages = HashSet::default();
885 let mut summary_changed = false;
886
887 self.pending_ops.sort_unstable_by_key(|op| op.timestamp());
888 for op in mem::take(&mut self.pending_ops) {
889 if !self.can_apply_op(&op, cx) {
890 self.pending_ops.push(op);
891 continue;
892 }
893
894 let timestamp = op.timestamp();
895 match op.clone() {
896 ContextOperation::InsertMessage {
897 anchor, metadata, ..
898 } => {
899 if self.messages_metadata.contains_key(&anchor.id) {
900 // We already applied this operation.
901 } else {
902 changed_messages.insert(anchor.id);
903 self.insert_message(anchor, metadata, cx);
904 }
905 }
906 ContextOperation::UpdateMessage {
907 message_id,
908 metadata: new_metadata,
909 ..
910 } => {
911 let metadata = self.messages_metadata.get_mut(&message_id).unwrap();
912 if new_metadata.timestamp > metadata.timestamp {
913 *metadata = new_metadata;
914 changed_messages.insert(message_id);
915 }
916 }
917 ContextOperation::UpdateSummary {
918 summary: new_summary,
919 ..
920 } => {
921 if self
922 .summary
923 .as_ref()
924 .map_or(true, |summary| new_summary.timestamp > summary.timestamp)
925 {
926 self.summary = Some(new_summary);
927 summary_changed = true;
928 }
929 }
930 ContextOperation::SlashCommandStarted {
931 id,
932 output_range,
933 name,
934 ..
935 } => {
936 self.invoked_slash_commands.insert(
937 id,
938 InvokedSlashCommand {
939 name: name.into(),
940 range: output_range,
941 run_commands_in_ranges: Vec::new(),
942 status: InvokedSlashCommandStatus::Running(Task::ready(())),
943 transaction: None,
944 timestamp: id.0,
945 },
946 );
947 cx.emit(ContextEvent::InvokedSlashCommandChanged { command_id: id });
948 }
949 ContextOperation::SlashCommandOutputSectionAdded { section, .. } => {
950 let buffer = self.buffer.read(cx);
951 if let Err(ix) = self
952 .slash_command_output_sections
953 .binary_search_by(|probe| probe.range.cmp(§ion.range, buffer))
954 {
955 self.slash_command_output_sections
956 .insert(ix, section.clone());
957 cx.emit(ContextEvent::SlashCommandOutputSectionAdded { section });
958 }
959 }
960 ContextOperation::SlashCommandFinished {
961 id,
962 error_message,
963 timestamp,
964 ..
965 } => {
966 if let Some(slash_command) = self.invoked_slash_commands.get_mut(&id) {
967 if timestamp > slash_command.timestamp {
968 slash_command.timestamp = timestamp;
969 match error_message {
970 Some(message) => {
971 slash_command.status =
972 InvokedSlashCommandStatus::Error(message.into());
973 }
974 None => {
975 slash_command.status = InvokedSlashCommandStatus::Finished;
976 }
977 }
978 cx.emit(ContextEvent::InvokedSlashCommandChanged { command_id: id });
979 }
980 }
981 }
982 ContextOperation::BufferOperation(_) => unreachable!(),
983 }
984
985 self.version.observe(timestamp);
986 self.timestamp.observe(timestamp);
987 self.operations.push(op);
988 }
989
990 if !changed_messages.is_empty() {
991 self.message_roles_updated(changed_messages, cx);
992 cx.emit(ContextEvent::MessagesEdited);
993 cx.notify();
994 }
995
996 if summary_changed {
997 cx.emit(ContextEvent::SummaryChanged);
998 cx.notify();
999 }
1000 }
1001
1002 fn can_apply_op(&self, op: &ContextOperation, cx: &App) -> bool {
1003 if !self.version.observed_all(op.version()) {
1004 return false;
1005 }
1006
1007 match op {
1008 ContextOperation::InsertMessage { anchor, .. } => self
1009 .buffer
1010 .read(cx)
1011 .version
1012 .observed(anchor.start.timestamp),
1013 ContextOperation::UpdateMessage { message_id, .. } => {
1014 self.messages_metadata.contains_key(message_id)
1015 }
1016 ContextOperation::UpdateSummary { .. } => true,
1017 ContextOperation::SlashCommandStarted { output_range, .. } => {
1018 self.has_received_operations_for_anchor_range(output_range.clone(), cx)
1019 }
1020 ContextOperation::SlashCommandOutputSectionAdded { section, .. } => {
1021 self.has_received_operations_for_anchor_range(section.range.clone(), cx)
1022 }
1023 ContextOperation::SlashCommandFinished { .. } => true,
1024 ContextOperation::BufferOperation(_) => {
1025 panic!("buffer operations should always be applied")
1026 }
1027 }
1028 }
1029
1030 fn has_received_operations_for_anchor_range(
1031 &self,
1032 range: Range<text::Anchor>,
1033 cx: &App,
1034 ) -> bool {
1035 let version = &self.buffer.read(cx).version;
1036 let observed_start = range.start == language::Anchor::MIN
1037 || range.start == language::Anchor::MAX
1038 || version.observed(range.start.timestamp);
1039 let observed_end = range.end == language::Anchor::MIN
1040 || range.end == language::Anchor::MAX
1041 || version.observed(range.end.timestamp);
1042 observed_start && observed_end
1043 }
1044
1045 fn push_op(&mut self, op: ContextOperation, cx: &mut Context<Self>) {
1046 self.operations.push(op.clone());
1047 cx.emit(ContextEvent::Operation(op));
1048 }
1049
1050 pub fn buffer(&self) -> &Entity<Buffer> {
1051 &self.buffer
1052 }
1053
1054 pub fn language_registry(&self) -> Arc<LanguageRegistry> {
1055 self.language_registry.clone()
1056 }
1057
1058 pub fn project(&self) -> Option<Entity<Project>> {
1059 self.project.clone()
1060 }
1061
1062 pub fn prompt_builder(&self) -> Arc<PromptBuilder> {
1063 self.prompt_builder.clone()
1064 }
1065
1066 pub fn path(&self) -> Option<&Path> {
1067 self.path.as_deref()
1068 }
1069
1070 pub fn summary(&self) -> Option<&ContextSummary> {
1071 self.summary.as_ref()
1072 }
1073
1074 pub fn patch_containing(&self, position: Point, cx: &App) -> Option<&AssistantPatch> {
1075 let buffer = self.buffer.read(cx);
1076 let index = self.patches.binary_search_by(|patch| {
1077 let patch_range = patch.range.to_point(&buffer);
1078 if position < patch_range.start {
1079 Ordering::Greater
1080 } else if position > patch_range.end {
1081 Ordering::Less
1082 } else {
1083 Ordering::Equal
1084 }
1085 });
1086 if let Ok(ix) = index {
1087 Some(&self.patches[ix])
1088 } else {
1089 None
1090 }
1091 }
1092
1093 pub fn patch_ranges(&self) -> impl Iterator<Item = Range<language::Anchor>> + '_ {
1094 self.patches.iter().map(|patch| patch.range.clone())
1095 }
1096
1097 pub fn patch_for_range(
1098 &self,
1099 range: &Range<language::Anchor>,
1100 cx: &App,
1101 ) -> Option<&AssistantPatch> {
1102 let buffer = self.buffer.read(cx);
1103 let index = self.patch_index_for_range(range, buffer).ok()?;
1104 Some(&self.patches[index])
1105 }
1106
1107 fn patch_index_for_range(
1108 &self,
1109 tagged_range: &Range<text::Anchor>,
1110 buffer: &text::BufferSnapshot,
1111 ) -> Result<usize, usize> {
1112 self.patches
1113 .binary_search_by(|probe| probe.range.cmp(&tagged_range, buffer))
1114 }
1115
1116 pub fn parsed_slash_commands(&self) -> &[ParsedSlashCommand] {
1117 &self.parsed_slash_commands
1118 }
1119
1120 pub fn invoked_slash_command(
1121 &self,
1122 command_id: &InvokedSlashCommandId,
1123 ) -> Option<&InvokedSlashCommand> {
1124 self.invoked_slash_commands.get(command_id)
1125 }
1126
1127 pub fn slash_command_output_sections(&self) -> &[SlashCommandOutputSection<language::Anchor>] {
1128 &self.slash_command_output_sections
1129 }
1130
1131 pub fn contains_files(&self, cx: &App) -> bool {
1132 let buffer = self.buffer.read(cx);
1133 self.slash_command_output_sections.iter().any(|section| {
1134 section.is_valid(buffer)
1135 && section
1136 .metadata
1137 .as_ref()
1138 .and_then(|metadata| {
1139 serde_json::from_value::<FileCommandMetadata>(metadata.clone()).ok()
1140 })
1141 .is_some()
1142 })
1143 }
1144
1145 fn set_language(&mut self, cx: &mut Context<Self>) {
1146 let markdown = self.language_registry.language_for_name("Markdown");
1147 cx.spawn(|this, mut cx| async move {
1148 let markdown = markdown.await?;
1149 this.update(&mut cx, |this, cx| {
1150 this.buffer
1151 .update(cx, |buffer, cx| buffer.set_language(Some(markdown), cx));
1152 })
1153 })
1154 .detach_and_log_err(cx);
1155 }
1156
1157 fn handle_buffer_event(
1158 &mut self,
1159 _: Entity<Buffer>,
1160 event: &language::BufferEvent,
1161 cx: &mut Context<Self>,
1162 ) {
1163 match event {
1164 language::BufferEvent::Operation {
1165 operation,
1166 is_local: true,
1167 } => cx.emit(ContextEvent::Operation(ContextOperation::BufferOperation(
1168 operation.clone(),
1169 ))),
1170 language::BufferEvent::Edited => {
1171 self.count_remaining_tokens(cx);
1172 self.reparse(cx);
1173 cx.emit(ContextEvent::MessagesEdited);
1174 }
1175 _ => {}
1176 }
1177 }
1178
1179 pub fn token_count(&self) -> Option<usize> {
1180 self.token_count
1181 }
1182
1183 pub(crate) fn count_remaining_tokens(&mut self, cx: &mut Context<Self>) {
1184 // Assume it will be a Chat request, even though that takes fewer tokens (and risks going over the limit),
1185 // because otherwise you see in the UI that your empty message has a bunch of tokens already used.
1186 let request = self.to_completion_request(RequestType::Chat, cx);
1187 let Some(model) = LanguageModelRegistry::read_global(cx).active_model() else {
1188 return;
1189 };
1190 let debounce = self.token_count.is_some();
1191 self.pending_token_count = cx.spawn(|this, mut cx| {
1192 async move {
1193 if debounce {
1194 cx.background_executor()
1195 .timer(Duration::from_millis(200))
1196 .await;
1197 }
1198
1199 let token_count = cx.update(|cx| model.count_tokens(request, cx))?.await?;
1200 this.update(&mut cx, |this, cx| {
1201 this.token_count = Some(token_count);
1202 this.start_cache_warming(&model, cx);
1203 cx.notify()
1204 })
1205 }
1206 .log_err()
1207 });
1208 }
1209
1210 pub fn mark_cache_anchors(
1211 &mut self,
1212 cache_configuration: &Option<LanguageModelCacheConfiguration>,
1213 speculative: bool,
1214 cx: &mut Context<Self>,
1215 ) -> bool {
1216 let cache_configuration =
1217 cache_configuration
1218 .as_ref()
1219 .unwrap_or(&LanguageModelCacheConfiguration {
1220 max_cache_anchors: 0,
1221 should_speculate: false,
1222 min_total_token: 0,
1223 });
1224
1225 let messages: Vec<Message> = self.messages(cx).collect();
1226
1227 let mut sorted_messages = messages.clone();
1228 if speculative {
1229 // Avoid caching the last message if this is a speculative cache fetch as
1230 // it's likely to change.
1231 sorted_messages.pop();
1232 }
1233 sorted_messages.retain(|m| m.role == Role::User);
1234 sorted_messages.sort_by(|a, b| b.offset_range.len().cmp(&a.offset_range.len()));
1235
1236 let cache_anchors = if self.token_count.unwrap_or(0) < cache_configuration.min_total_token {
1237 // If we have't hit the minimum threshold to enable caching, don't cache anything.
1238 0
1239 } else {
1240 // Save 1 anchor for the inline assistant to use.
1241 max(cache_configuration.max_cache_anchors, 1) - 1
1242 };
1243 sorted_messages.truncate(cache_anchors);
1244
1245 let anchors: HashSet<MessageId> = sorted_messages
1246 .into_iter()
1247 .map(|message| message.id)
1248 .collect();
1249
1250 let buffer = self.buffer.read(cx).snapshot();
1251 let invalidated_caches: HashSet<MessageId> = messages
1252 .iter()
1253 .scan(false, |encountered_invalid, message| {
1254 let message_id = message.id;
1255 let is_invalid = self
1256 .messages_metadata
1257 .get(&message_id)
1258 .map_or(true, |metadata| {
1259 !metadata.is_cache_valid(&buffer, &message.offset_range)
1260 || *encountered_invalid
1261 });
1262 *encountered_invalid |= is_invalid;
1263 Some(if is_invalid { Some(message_id) } else { None })
1264 })
1265 .flatten()
1266 .collect();
1267
1268 let last_anchor = messages.iter().rev().find_map(|message| {
1269 if anchors.contains(&message.id) {
1270 Some(message.id)
1271 } else {
1272 None
1273 }
1274 });
1275
1276 let mut new_anchor_needs_caching = false;
1277 let current_version = &buffer.version;
1278 // If we have no anchors, mark all messages as not being cached.
1279 let mut hit_last_anchor = last_anchor.is_none();
1280
1281 for message in messages.iter() {
1282 if hit_last_anchor {
1283 self.update_metadata(message.id, cx, |metadata| metadata.cache = None);
1284 continue;
1285 }
1286
1287 if let Some(last_anchor) = last_anchor {
1288 if message.id == last_anchor {
1289 hit_last_anchor = true;
1290 }
1291 }
1292
1293 new_anchor_needs_caching = new_anchor_needs_caching
1294 || (invalidated_caches.contains(&message.id) && anchors.contains(&message.id));
1295
1296 self.update_metadata(message.id, cx, |metadata| {
1297 let cache_status = if invalidated_caches.contains(&message.id) {
1298 CacheStatus::Pending
1299 } else {
1300 metadata
1301 .cache
1302 .as_ref()
1303 .map_or(CacheStatus::Pending, |cm| cm.status.clone())
1304 };
1305 metadata.cache = Some(MessageCacheMetadata {
1306 is_anchor: anchors.contains(&message.id),
1307 is_final_anchor: hit_last_anchor,
1308 status: cache_status,
1309 cached_at: current_version.clone(),
1310 });
1311 });
1312 }
1313 new_anchor_needs_caching
1314 }
1315
1316 fn start_cache_warming(&mut self, model: &Arc<dyn LanguageModel>, cx: &mut Context<Self>) {
1317 let cache_configuration = model.cache_configuration();
1318
1319 if !self.mark_cache_anchors(&cache_configuration, true, cx) {
1320 return;
1321 }
1322 if !self.pending_completions.is_empty() {
1323 return;
1324 }
1325 if let Some(cache_configuration) = cache_configuration {
1326 if !cache_configuration.should_speculate {
1327 return;
1328 }
1329 }
1330
1331 let request = {
1332 let mut req = self.to_completion_request(RequestType::Chat, cx);
1333 // Skip the last message because it's likely to change and
1334 // therefore would be a waste to cache.
1335 req.messages.pop();
1336 req.messages.push(LanguageModelRequestMessage {
1337 role: Role::User,
1338 content: vec!["Respond only with OK, nothing else.".into()],
1339 cache: false,
1340 });
1341 req
1342 };
1343
1344 let model = Arc::clone(model);
1345 self.pending_cache_warming_task = cx.spawn(|this, mut cx| {
1346 async move {
1347 match model.stream_completion(request, &cx).await {
1348 Ok(mut stream) => {
1349 stream.next().await;
1350 log::info!("Cache warming completed successfully");
1351 }
1352 Err(e) => {
1353 log::warn!("Cache warming failed: {}", e);
1354 }
1355 };
1356 this.update(&mut cx, |this, cx| {
1357 this.update_cache_status_for_completion(cx);
1358 })
1359 .ok();
1360 anyhow::Ok(())
1361 }
1362 .log_err()
1363 });
1364 }
1365
1366 pub fn update_cache_status_for_completion(&mut self, cx: &mut Context<Self>) {
1367 let cached_message_ids: Vec<MessageId> = self
1368 .messages_metadata
1369 .iter()
1370 .filter_map(|(message_id, metadata)| {
1371 metadata.cache.as_ref().and_then(|cache| {
1372 if cache.status == CacheStatus::Pending {
1373 Some(*message_id)
1374 } else {
1375 None
1376 }
1377 })
1378 })
1379 .collect();
1380
1381 for message_id in cached_message_ids {
1382 self.update_metadata(message_id, cx, |metadata| {
1383 if let Some(cache) = &mut metadata.cache {
1384 cache.status = CacheStatus::Cached;
1385 }
1386 });
1387 }
1388 cx.notify();
1389 }
1390
1391 pub fn reparse(&mut self, cx: &mut Context<Self>) {
1392 let buffer = self.buffer.read(cx).text_snapshot();
1393 let mut row_ranges = self
1394 .edits_since_last_parse
1395 .consume()
1396 .into_iter()
1397 .map(|edit| {
1398 let start_row = buffer.offset_to_point(edit.new.start).row;
1399 let end_row = buffer.offset_to_point(edit.new.end).row + 1;
1400 start_row..end_row
1401 })
1402 .peekable();
1403
1404 let mut removed_parsed_slash_command_ranges = Vec::new();
1405 let mut updated_parsed_slash_commands = Vec::new();
1406 let mut removed_patches = Vec::new();
1407 let mut updated_patches = Vec::new();
1408 while let Some(mut row_range) = row_ranges.next() {
1409 while let Some(next_row_range) = row_ranges.peek() {
1410 if row_range.end >= next_row_range.start {
1411 row_range.end = next_row_range.end;
1412 row_ranges.next();
1413 } else {
1414 break;
1415 }
1416 }
1417
1418 let start = buffer.anchor_before(Point::new(row_range.start, 0));
1419 let end = buffer.anchor_after(Point::new(
1420 row_range.end - 1,
1421 buffer.line_len(row_range.end - 1),
1422 ));
1423
1424 self.reparse_slash_commands_in_range(
1425 start..end,
1426 &buffer,
1427 &mut updated_parsed_slash_commands,
1428 &mut removed_parsed_slash_command_ranges,
1429 cx,
1430 );
1431 self.invalidate_pending_slash_commands(&buffer, cx);
1432 self.reparse_patches_in_range(
1433 start..end,
1434 &buffer,
1435 &mut updated_patches,
1436 &mut removed_patches,
1437 cx,
1438 );
1439 }
1440
1441 if !updated_parsed_slash_commands.is_empty()
1442 || !removed_parsed_slash_command_ranges.is_empty()
1443 {
1444 cx.emit(ContextEvent::ParsedSlashCommandsUpdated {
1445 removed: removed_parsed_slash_command_ranges,
1446 updated: updated_parsed_slash_commands,
1447 });
1448 }
1449
1450 if !updated_patches.is_empty() || !removed_patches.is_empty() {
1451 cx.emit(ContextEvent::PatchesUpdated {
1452 removed: removed_patches,
1453 updated: updated_patches,
1454 });
1455 }
1456 }
1457
1458 fn reparse_slash_commands_in_range(
1459 &mut self,
1460 range: Range<text::Anchor>,
1461 buffer: &BufferSnapshot,
1462 updated: &mut Vec<ParsedSlashCommand>,
1463 removed: &mut Vec<Range<text::Anchor>>,
1464 cx: &App,
1465 ) {
1466 let old_range = self.pending_command_indices_for_range(range.clone(), cx);
1467
1468 let mut new_commands = Vec::new();
1469 let mut lines = buffer.text_for_range(range).lines();
1470 let mut offset = lines.offset();
1471 while let Some(line) = lines.next() {
1472 if let Some(command_line) = SlashCommandLine::parse(line) {
1473 let name = &line[command_line.name.clone()];
1474 let arguments = command_line
1475 .arguments
1476 .iter()
1477 .filter_map(|argument_range| {
1478 if argument_range.is_empty() {
1479 None
1480 } else {
1481 line.get(argument_range.clone())
1482 }
1483 })
1484 .map(ToOwned::to_owned)
1485 .collect::<SmallVec<_>>();
1486 if let Some(command) = self.slash_commands.command(name, cx) {
1487 if !command.requires_argument() || !arguments.is_empty() {
1488 let start_ix = offset + command_line.name.start - 1;
1489 let end_ix = offset
1490 + command_line
1491 .arguments
1492 .last()
1493 .map_or(command_line.name.end, |argument| argument.end);
1494 let source_range =
1495 buffer.anchor_after(start_ix)..buffer.anchor_after(end_ix);
1496 let pending_command = ParsedSlashCommand {
1497 name: name.to_string(),
1498 arguments,
1499 source_range,
1500 status: PendingSlashCommandStatus::Idle,
1501 };
1502 updated.push(pending_command.clone());
1503 new_commands.push(pending_command);
1504 }
1505 }
1506 }
1507
1508 offset = lines.offset();
1509 }
1510
1511 let removed_commands = self.parsed_slash_commands.splice(old_range, new_commands);
1512 removed.extend(removed_commands.map(|command| command.source_range));
1513 }
1514
1515 fn invalidate_pending_slash_commands(
1516 &mut self,
1517 buffer: &BufferSnapshot,
1518 cx: &mut Context<Self>,
1519 ) {
1520 let mut invalidated_command_ids = Vec::new();
1521 for (&command_id, command) in self.invoked_slash_commands.iter_mut() {
1522 if !matches!(command.status, InvokedSlashCommandStatus::Finished)
1523 && (!command.range.start.is_valid(buffer) || !command.range.end.is_valid(buffer))
1524 {
1525 command.status = InvokedSlashCommandStatus::Finished;
1526 cx.emit(ContextEvent::InvokedSlashCommandChanged { command_id });
1527 invalidated_command_ids.push(command_id);
1528 }
1529 }
1530
1531 for command_id in invalidated_command_ids {
1532 let version = self.version.clone();
1533 let timestamp = self.next_timestamp();
1534 self.push_op(
1535 ContextOperation::SlashCommandFinished {
1536 id: command_id,
1537 timestamp,
1538 error_message: None,
1539 version: version.clone(),
1540 },
1541 cx,
1542 );
1543 }
1544 }
1545
1546 fn reparse_patches_in_range(
1547 &mut self,
1548 range: Range<text::Anchor>,
1549 buffer: &BufferSnapshot,
1550 updated: &mut Vec<Range<text::Anchor>>,
1551 removed: &mut Vec<Range<text::Anchor>>,
1552 cx: &mut Context<Self>,
1553 ) {
1554 // Rebuild the XML tags in the edited range.
1555 let intersecting_tags_range =
1556 self.indices_intersecting_buffer_range(&self.xml_tags, range.clone(), cx);
1557 let new_tags = self.parse_xml_tags_in_range(buffer, range.clone(), cx);
1558 self.xml_tags
1559 .splice(intersecting_tags_range.clone(), new_tags);
1560
1561 // Find which patches intersect the changed range.
1562 let intersecting_patches_range =
1563 self.indices_intersecting_buffer_range(&self.patches, range.clone(), cx);
1564
1565 // Reparse all tags after the last unchanged patch before the change.
1566 let mut tags_start_ix = 0;
1567 if let Some(preceding_unchanged_patch) =
1568 self.patches[..intersecting_patches_range.start].last()
1569 {
1570 tags_start_ix = match self.xml_tags.binary_search_by(|tag| {
1571 tag.range
1572 .start
1573 .cmp(&preceding_unchanged_patch.range.end, buffer)
1574 .then(Ordering::Less)
1575 }) {
1576 Ok(ix) | Err(ix) => ix,
1577 };
1578 }
1579
1580 // Rebuild the patches in the range.
1581 let new_patches = self.parse_patches(tags_start_ix, range.end, buffer, cx);
1582 updated.extend(new_patches.iter().map(|patch| patch.range.clone()));
1583 let removed_patches = self.patches.splice(intersecting_patches_range, new_patches);
1584 removed.extend(
1585 removed_patches
1586 .map(|patch| patch.range)
1587 .filter(|range| !updated.contains(&range)),
1588 );
1589 }
1590
1591 fn parse_xml_tags_in_range(
1592 &self,
1593 buffer: &BufferSnapshot,
1594 range: Range<text::Anchor>,
1595 cx: &App,
1596 ) -> Vec<XmlTag> {
1597 let mut messages = self.messages(cx).peekable();
1598
1599 let mut tags = Vec::new();
1600 let mut lines = buffer.text_for_range(range).lines();
1601 let mut offset = lines.offset();
1602
1603 while let Some(line) = lines.next() {
1604 while let Some(message) = messages.peek() {
1605 if offset < message.offset_range.end {
1606 break;
1607 } else {
1608 messages.next();
1609 }
1610 }
1611
1612 let is_assistant_message = messages
1613 .peek()
1614 .map_or(false, |message| message.role == Role::Assistant);
1615 if is_assistant_message {
1616 for (start_ix, _) in line.match_indices('<') {
1617 let mut name_start_ix = start_ix + 1;
1618 let closing_bracket_ix = line[start_ix..].find('>').map(|i| start_ix + i);
1619 if let Some(closing_bracket_ix) = closing_bracket_ix {
1620 let end_ix = closing_bracket_ix + 1;
1621 let mut is_open_tag = true;
1622 if line[name_start_ix..closing_bracket_ix].starts_with('/') {
1623 name_start_ix += 1;
1624 is_open_tag = false;
1625 }
1626 let tag_inner = &line[name_start_ix..closing_bracket_ix];
1627 let tag_name_len = tag_inner
1628 .find(|c: char| c.is_whitespace())
1629 .unwrap_or(tag_inner.len());
1630 if let Ok(kind) = XmlTagKind::from_str(&tag_inner[..tag_name_len]) {
1631 tags.push(XmlTag {
1632 range: buffer.anchor_after(offset + start_ix)
1633 ..buffer.anchor_before(offset + end_ix),
1634 is_open_tag,
1635 kind,
1636 });
1637 };
1638 }
1639 }
1640 }
1641
1642 offset = lines.offset();
1643 }
1644 tags
1645 }
1646
1647 fn parse_patches(
1648 &mut self,
1649 tags_start_ix: usize,
1650 buffer_end: text::Anchor,
1651 buffer: &BufferSnapshot,
1652 cx: &App,
1653 ) -> Vec<AssistantPatch> {
1654 let mut new_patches = Vec::new();
1655 let mut pending_patch = None;
1656 let mut patch_tag_depth = 0;
1657 let mut tags = self.xml_tags[tags_start_ix..].iter().peekable();
1658 'tags: while let Some(tag) = tags.next() {
1659 if tag.range.start.cmp(&buffer_end, buffer).is_gt() && patch_tag_depth == 0 {
1660 break;
1661 }
1662
1663 if tag.kind == XmlTagKind::Patch && tag.is_open_tag {
1664 patch_tag_depth += 1;
1665 let patch_start = tag.range.start;
1666 let mut edits = Vec::<Result<AssistantEdit>>::new();
1667 let mut patch = AssistantPatch {
1668 range: patch_start..patch_start,
1669 title: String::new().into(),
1670 edits: Default::default(),
1671 status: crate::AssistantPatchStatus::Pending,
1672 };
1673
1674 while let Some(tag) = tags.next() {
1675 if tag.kind == XmlTagKind::Patch && !tag.is_open_tag {
1676 patch_tag_depth -= 1;
1677 if patch_tag_depth == 0 {
1678 patch.range.end = tag.range.end;
1679
1680 // Include the line immediately after this <patch> tag if it's empty.
1681 let patch_end_offset = patch.range.end.to_offset(buffer);
1682 let mut patch_end_chars = buffer.chars_at(patch_end_offset);
1683 if patch_end_chars.next() == Some('\n')
1684 && patch_end_chars.next().map_or(true, |ch| ch == '\n')
1685 {
1686 let messages = self.messages_for_offsets(
1687 [patch_end_offset, patch_end_offset + 1],
1688 cx,
1689 );
1690 if messages.len() == 1 {
1691 patch.range.end = buffer.anchor_before(patch_end_offset + 1);
1692 }
1693 }
1694
1695 edits.sort_unstable_by(|a, b| {
1696 if let (Ok(a), Ok(b)) = (a, b) {
1697 a.path.cmp(&b.path)
1698 } else {
1699 Ordering::Equal
1700 }
1701 });
1702 patch.edits = edits.into();
1703 patch.status = AssistantPatchStatus::Ready;
1704 new_patches.push(patch);
1705 continue 'tags;
1706 }
1707 }
1708
1709 if tag.kind == XmlTagKind::Title && tag.is_open_tag {
1710 let content_start = tag.range.end;
1711 while let Some(tag) = tags.next() {
1712 if tag.kind == XmlTagKind::Title && !tag.is_open_tag {
1713 let content_end = tag.range.start;
1714 patch.title =
1715 trimmed_text_in_range(buffer, content_start..content_end)
1716 .into();
1717 break;
1718 }
1719 }
1720 }
1721
1722 if tag.kind == XmlTagKind::Edit && tag.is_open_tag {
1723 let mut path = None;
1724 let mut old_text = None;
1725 let mut new_text = None;
1726 let mut operation = None;
1727 let mut description = None;
1728
1729 while let Some(tag) = tags.next() {
1730 if tag.kind == XmlTagKind::Edit && !tag.is_open_tag {
1731 edits.push(AssistantEdit::new(
1732 path,
1733 operation,
1734 old_text,
1735 new_text,
1736 description,
1737 ));
1738 break;
1739 }
1740
1741 if tag.is_open_tag
1742 && [
1743 XmlTagKind::Path,
1744 XmlTagKind::OldText,
1745 XmlTagKind::NewText,
1746 XmlTagKind::Operation,
1747 XmlTagKind::Description,
1748 ]
1749 .contains(&tag.kind)
1750 {
1751 let kind = tag.kind;
1752 let content_start = tag.range.end;
1753 if let Some(tag) = tags.peek() {
1754 if tag.kind == kind && !tag.is_open_tag {
1755 let tag = tags.next().unwrap();
1756 let content_end = tag.range.start;
1757 let content = trimmed_text_in_range(
1758 buffer,
1759 content_start..content_end,
1760 );
1761 match kind {
1762 XmlTagKind::Path => path = Some(content),
1763 XmlTagKind::Operation => operation = Some(content),
1764 XmlTagKind::OldText => {
1765 old_text = Some(content).filter(|s| !s.is_empty())
1766 }
1767 XmlTagKind::NewText => {
1768 new_text = Some(content).filter(|s| !s.is_empty())
1769 }
1770 XmlTagKind::Description => {
1771 description =
1772 Some(content).filter(|s| !s.is_empty())
1773 }
1774 _ => {}
1775 }
1776 }
1777 }
1778 }
1779 }
1780 }
1781 }
1782
1783 patch.edits = edits.into();
1784 pending_patch = Some(patch);
1785 }
1786 }
1787
1788 if let Some(mut pending_patch) = pending_patch {
1789 let patch_start = pending_patch.range.start.to_offset(buffer);
1790 if let Some(message) = self.message_for_offset(patch_start, cx) {
1791 if message.anchor_range.end == text::Anchor::MAX {
1792 pending_patch.range.end = text::Anchor::MAX;
1793 } else {
1794 let message_end = buffer.anchor_after(message.offset_range.end - 1);
1795 pending_patch.range.end = message_end;
1796 }
1797 } else {
1798 pending_patch.range.end = text::Anchor::MAX;
1799 }
1800
1801 new_patches.push(pending_patch);
1802 }
1803
1804 new_patches
1805 }
1806
1807 pub fn pending_command_for_position(
1808 &mut self,
1809 position: language::Anchor,
1810 cx: &mut Context<Self>,
1811 ) -> Option<&mut ParsedSlashCommand> {
1812 let buffer = self.buffer.read(cx);
1813 match self
1814 .parsed_slash_commands
1815 .binary_search_by(|probe| probe.source_range.end.cmp(&position, buffer))
1816 {
1817 Ok(ix) => Some(&mut self.parsed_slash_commands[ix]),
1818 Err(ix) => {
1819 let cmd = self.parsed_slash_commands.get_mut(ix)?;
1820 if position.cmp(&cmd.source_range.start, buffer).is_ge()
1821 && position.cmp(&cmd.source_range.end, buffer).is_le()
1822 {
1823 Some(cmd)
1824 } else {
1825 None
1826 }
1827 }
1828 }
1829 }
1830
1831 pub fn pending_commands_for_range(
1832 &self,
1833 range: Range<language::Anchor>,
1834 cx: &App,
1835 ) -> &[ParsedSlashCommand] {
1836 let range = self.pending_command_indices_for_range(range, cx);
1837 &self.parsed_slash_commands[range]
1838 }
1839
1840 fn pending_command_indices_for_range(
1841 &self,
1842 range: Range<language::Anchor>,
1843 cx: &App,
1844 ) -> Range<usize> {
1845 self.indices_intersecting_buffer_range(&self.parsed_slash_commands, range, cx)
1846 }
1847
1848 fn indices_intersecting_buffer_range<T: ContextAnnotation>(
1849 &self,
1850 all_annotations: &[T],
1851 range: Range<language::Anchor>,
1852 cx: &App,
1853 ) -> Range<usize> {
1854 let buffer = self.buffer.read(cx);
1855 let start_ix = match all_annotations
1856 .binary_search_by(|probe| probe.range().end.cmp(&range.start, &buffer))
1857 {
1858 Ok(ix) | Err(ix) => ix,
1859 };
1860 let end_ix = match all_annotations
1861 .binary_search_by(|probe| probe.range().start.cmp(&range.end, &buffer))
1862 {
1863 Ok(ix) => ix + 1,
1864 Err(ix) => ix,
1865 };
1866 start_ix..end_ix
1867 }
1868
1869 pub fn insert_command_output(
1870 &mut self,
1871 command_source_range: Range<language::Anchor>,
1872 name: &str,
1873 output: Task<SlashCommandResult>,
1874 ensure_trailing_newline: bool,
1875 cx: &mut Context<Self>,
1876 ) {
1877 let version = self.version.clone();
1878 let command_id = InvokedSlashCommandId(self.next_timestamp());
1879
1880 const PENDING_OUTPUT_END_MARKER: &str = "…";
1881
1882 let (command_range, command_source_range, insert_position, first_transaction) =
1883 self.buffer.update(cx, |buffer, cx| {
1884 let command_source_range = command_source_range.to_offset(buffer);
1885 let mut insertion = format!("\n{PENDING_OUTPUT_END_MARKER}");
1886 if ensure_trailing_newline {
1887 insertion.push('\n');
1888 }
1889
1890 buffer.finalize_last_transaction();
1891 buffer.start_transaction();
1892 buffer.edit(
1893 [(
1894 command_source_range.end..command_source_range.end,
1895 insertion,
1896 )],
1897 None,
1898 cx,
1899 );
1900 let first_transaction = buffer.end_transaction(cx).unwrap();
1901 buffer.finalize_last_transaction();
1902
1903 let insert_position = buffer.anchor_after(command_source_range.end + 1);
1904 let command_range = buffer.anchor_after(command_source_range.start)
1905 ..buffer.anchor_before(
1906 command_source_range.end + 1 + PENDING_OUTPUT_END_MARKER.len(),
1907 );
1908 let command_source_range = buffer.anchor_before(command_source_range.start)
1909 ..buffer.anchor_before(command_source_range.end + 1);
1910 (
1911 command_range,
1912 command_source_range,
1913 insert_position,
1914 first_transaction,
1915 )
1916 });
1917 self.reparse(cx);
1918
1919 let insert_output_task = cx.spawn(|this, mut cx| async move {
1920 let run_command = async {
1921 let mut stream = output.await?;
1922
1923 struct PendingSection {
1924 start: language::Anchor,
1925 icon: IconName,
1926 label: SharedString,
1927 metadata: Option<serde_json::Value>,
1928 }
1929
1930 let mut pending_section_stack: Vec<PendingSection> = Vec::new();
1931 let mut last_role: Option<Role> = None;
1932 let mut last_section_range = None;
1933
1934 while let Some(event) = stream.next().await {
1935 let event = event?;
1936 this.update(&mut cx, |this, cx| {
1937 this.buffer.update(cx, |buffer, _cx| {
1938 buffer.finalize_last_transaction();
1939 buffer.start_transaction()
1940 });
1941
1942 match event {
1943 SlashCommandEvent::StartMessage {
1944 role,
1945 merge_same_roles,
1946 } => {
1947 if !merge_same_roles && Some(role) != last_role {
1948 let offset = this.buffer.read_with(cx, |buffer, _cx| {
1949 insert_position.to_offset(buffer)
1950 });
1951 this.insert_message_at_offset(
1952 offset,
1953 role,
1954 MessageStatus::Pending,
1955 cx,
1956 );
1957 }
1958
1959 last_role = Some(role);
1960 }
1961 SlashCommandEvent::StartSection {
1962 icon,
1963 label,
1964 metadata,
1965 } => {
1966 this.buffer.update(cx, |buffer, cx| {
1967 let insert_point = insert_position.to_point(buffer);
1968 if insert_point.column > 0 {
1969 buffer.edit([(insert_point..insert_point, "\n")], None, cx);
1970 }
1971
1972 pending_section_stack.push(PendingSection {
1973 start: buffer.anchor_before(insert_position),
1974 icon,
1975 label,
1976 metadata,
1977 });
1978 });
1979 }
1980 SlashCommandEvent::Content(SlashCommandContent::Text {
1981 text,
1982 run_commands_in_text,
1983 }) => {
1984 let start = this.buffer.read(cx).anchor_before(insert_position);
1985
1986 this.buffer.update(cx, |buffer, cx| {
1987 buffer.edit(
1988 [(insert_position..insert_position, text)],
1989 None,
1990 cx,
1991 )
1992 });
1993
1994 let end = this.buffer.read(cx).anchor_before(insert_position);
1995 if run_commands_in_text {
1996 if let Some(invoked_slash_command) =
1997 this.invoked_slash_commands.get_mut(&command_id)
1998 {
1999 invoked_slash_command
2000 .run_commands_in_ranges
2001 .push(start..end);
2002 }
2003 }
2004 }
2005 SlashCommandEvent::EndSection => {
2006 if let Some(pending_section) = pending_section_stack.pop() {
2007 let offset_range = (pending_section.start..insert_position)
2008 .to_offset(this.buffer.read(cx));
2009 if !offset_range.is_empty() {
2010 let range = this.buffer.update(cx, |buffer, _cx| {
2011 buffer.anchor_after(offset_range.start)
2012 ..buffer.anchor_before(offset_range.end)
2013 });
2014 this.insert_slash_command_output_section(
2015 SlashCommandOutputSection {
2016 range: range.clone(),
2017 icon: pending_section.icon,
2018 label: pending_section.label,
2019 metadata: pending_section.metadata,
2020 },
2021 cx,
2022 );
2023 last_section_range = Some(range);
2024 }
2025 }
2026 }
2027 }
2028
2029 this.buffer.update(cx, |buffer, cx| {
2030 if let Some(event_transaction) = buffer.end_transaction(cx) {
2031 buffer.merge_transactions(event_transaction, first_transaction);
2032 }
2033 });
2034 })?;
2035 }
2036
2037 this.update(&mut cx, |this, cx| {
2038 this.buffer.update(cx, |buffer, cx| {
2039 buffer.finalize_last_transaction();
2040 buffer.start_transaction();
2041
2042 let mut deletions = vec![(command_source_range.to_offset(buffer), "")];
2043 let insert_position = insert_position.to_offset(buffer);
2044 let command_range_end = command_range.end.to_offset(buffer);
2045
2046 if buffer.contains_str_at(insert_position, PENDING_OUTPUT_END_MARKER) {
2047 deletions.push((
2048 insert_position..insert_position + PENDING_OUTPUT_END_MARKER.len(),
2049 "",
2050 ));
2051 }
2052
2053 if ensure_trailing_newline
2054 && buffer.contains_str_at(command_range_end, "\n")
2055 {
2056 let newline_offset = insert_position.saturating_sub(1);
2057 if buffer.contains_str_at(newline_offset, "\n")
2058 && last_section_range.map_or(true, |last_section_range| {
2059 !last_section_range
2060 .to_offset(buffer)
2061 .contains(&newline_offset)
2062 })
2063 {
2064 deletions.push((command_range_end..command_range_end + 1, ""));
2065 }
2066 }
2067
2068 buffer.edit(deletions, None, cx);
2069
2070 if let Some(deletion_transaction) = buffer.end_transaction(cx) {
2071 buffer.merge_transactions(deletion_transaction, first_transaction);
2072 }
2073 });
2074 })?;
2075
2076 debug_assert!(pending_section_stack.is_empty());
2077
2078 anyhow::Ok(())
2079 };
2080
2081 let command_result = run_command.await;
2082
2083 this.update(&mut cx, |this, cx| {
2084 let version = this.version.clone();
2085 let timestamp = this.next_timestamp();
2086 let Some(invoked_slash_command) = this.invoked_slash_commands.get_mut(&command_id)
2087 else {
2088 return;
2089 };
2090 let mut error_message = None;
2091 match command_result {
2092 Ok(()) => {
2093 invoked_slash_command.status = InvokedSlashCommandStatus::Finished;
2094 }
2095 Err(error) => {
2096 let message = error.to_string();
2097 invoked_slash_command.status =
2098 InvokedSlashCommandStatus::Error(message.clone().into());
2099 error_message = Some(message);
2100 }
2101 }
2102
2103 cx.emit(ContextEvent::InvokedSlashCommandChanged { command_id });
2104 this.push_op(
2105 ContextOperation::SlashCommandFinished {
2106 id: command_id,
2107 timestamp,
2108 error_message,
2109 version,
2110 },
2111 cx,
2112 );
2113 })
2114 .ok();
2115 });
2116
2117 self.invoked_slash_commands.insert(
2118 command_id,
2119 InvokedSlashCommand {
2120 name: name.to_string().into(),
2121 range: command_range.clone(),
2122 run_commands_in_ranges: Vec::new(),
2123 status: InvokedSlashCommandStatus::Running(insert_output_task),
2124 transaction: Some(first_transaction),
2125 timestamp: command_id.0,
2126 },
2127 );
2128 cx.emit(ContextEvent::InvokedSlashCommandChanged { command_id });
2129 self.push_op(
2130 ContextOperation::SlashCommandStarted {
2131 id: command_id,
2132 output_range: command_range,
2133 name: name.to_string(),
2134 version,
2135 },
2136 cx,
2137 );
2138 }
2139
2140 fn insert_slash_command_output_section(
2141 &mut self,
2142 section: SlashCommandOutputSection<language::Anchor>,
2143 cx: &mut Context<Self>,
2144 ) {
2145 let buffer = self.buffer.read(cx);
2146 let insertion_ix = match self
2147 .slash_command_output_sections
2148 .binary_search_by(|probe| probe.range.cmp(§ion.range, buffer))
2149 {
2150 Ok(ix) | Err(ix) => ix,
2151 };
2152 self.slash_command_output_sections
2153 .insert(insertion_ix, section.clone());
2154 cx.emit(ContextEvent::SlashCommandOutputSectionAdded {
2155 section: section.clone(),
2156 });
2157 let version = self.version.clone();
2158 let timestamp = self.next_timestamp();
2159 self.push_op(
2160 ContextOperation::SlashCommandOutputSectionAdded {
2161 timestamp,
2162 section,
2163 version,
2164 },
2165 cx,
2166 );
2167 }
2168
2169 pub fn completion_provider_changed(&mut self, cx: &mut Context<Self>) {
2170 self.count_remaining_tokens(cx);
2171 }
2172
2173 fn get_last_valid_message_id(&self, cx: &Context<Self>) -> Option<MessageId> {
2174 self.message_anchors.iter().rev().find_map(|message| {
2175 message
2176 .start
2177 .is_valid(self.buffer.read(cx))
2178 .then_some(message.id)
2179 })
2180 }
2181
2182 pub fn assist(
2183 &mut self,
2184 request_type: RequestType,
2185 cx: &mut Context<Self>,
2186 ) -> Option<MessageAnchor> {
2187 let model_registry = LanguageModelRegistry::read_global(cx);
2188 let provider = model_registry.active_provider()?;
2189 let model = model_registry.active_model()?;
2190 let last_message_id = self.get_last_valid_message_id(cx)?;
2191
2192 if !provider.is_authenticated(cx) {
2193 log::info!("completion provider has no credentials");
2194 return None;
2195 }
2196 // Compute which messages to cache, including the last one.
2197 self.mark_cache_anchors(&model.cache_configuration(), false, cx);
2198
2199 let request = self.to_completion_request(request_type, cx);
2200
2201 let assistant_message = self
2202 .insert_message_after(last_message_id, Role::Assistant, MessageStatus::Pending, cx)
2203 .unwrap();
2204
2205 // Queue up the user's next reply.
2206 let user_message = self
2207 .insert_message_after(assistant_message.id, Role::User, MessageStatus::Done, cx)
2208 .unwrap();
2209
2210 let pending_completion_id = post_inc(&mut self.completion_count);
2211
2212 let task = cx.spawn({
2213 |this, mut cx| async move {
2214 let stream = model.stream_completion(request, &cx);
2215 let assistant_message_id = assistant_message.id;
2216 let mut response_latency = None;
2217 let stream_completion = async {
2218 let request_start = Instant::now();
2219 let mut events = stream.await?;
2220 let mut stop_reason = StopReason::EndTurn;
2221
2222 while let Some(event) = events.next().await {
2223 if response_latency.is_none() {
2224 response_latency = Some(request_start.elapsed());
2225 }
2226 let event = event?;
2227
2228 this.update(&mut cx, |this, cx| {
2229 let message_ix = this
2230 .message_anchors
2231 .iter()
2232 .position(|message| message.id == assistant_message_id)?;
2233 this.buffer.update(cx, |buffer, cx| {
2234 let message_old_end_offset = this.message_anchors[message_ix + 1..]
2235 .iter()
2236 .find(|message| message.start.is_valid(buffer))
2237 .map_or(buffer.len(), |message| {
2238 message.start.to_offset(buffer).saturating_sub(1)
2239 });
2240
2241 match event {
2242 LanguageModelCompletionEvent::StartMessage { .. } => {}
2243 LanguageModelCompletionEvent::Stop(reason) => {
2244 stop_reason = reason;
2245 }
2246 LanguageModelCompletionEvent::Text(chunk) => {
2247 buffer.edit(
2248 [(
2249 message_old_end_offset..message_old_end_offset,
2250 chunk,
2251 )],
2252 None,
2253 cx,
2254 );
2255 }
2256 LanguageModelCompletionEvent::ToolUse(_) => {}
2257 LanguageModelCompletionEvent::UsageUpdate(_) => {}
2258 }
2259 });
2260
2261 cx.emit(ContextEvent::StreamedCompletion);
2262
2263 Some(())
2264 })?;
2265 smol::future::yield_now().await;
2266 }
2267 this.update(&mut cx, |this, cx| {
2268 this.pending_completions
2269 .retain(|completion| completion.id != pending_completion_id);
2270 this.summarize(false, cx);
2271 this.update_cache_status_for_completion(cx);
2272 })?;
2273
2274 anyhow::Ok(stop_reason)
2275 };
2276
2277 let result = stream_completion.await;
2278
2279 this.update(&mut cx, |this, cx| {
2280 let error_message = if let Some(error) = result.as_ref().err() {
2281 if error.is::<PaymentRequiredError>() {
2282 cx.emit(ContextEvent::ShowPaymentRequiredError);
2283 this.update_metadata(assistant_message_id, cx, |metadata| {
2284 metadata.status = MessageStatus::Canceled;
2285 });
2286 Some(error.to_string())
2287 } else if error.is::<MaxMonthlySpendReachedError>() {
2288 cx.emit(ContextEvent::ShowMaxMonthlySpendReachedError);
2289 this.update_metadata(assistant_message_id, cx, |metadata| {
2290 metadata.status = MessageStatus::Canceled;
2291 });
2292 Some(error.to_string())
2293 } else {
2294 let error_message = error
2295 .chain()
2296 .map(|err| err.to_string())
2297 .collect::<Vec<_>>()
2298 .join("\n");
2299 cx.emit(ContextEvent::ShowAssistError(SharedString::from(
2300 error_message.clone(),
2301 )));
2302 this.update_metadata(assistant_message_id, cx, |metadata| {
2303 metadata.status =
2304 MessageStatus::Error(SharedString::from(error_message.clone()));
2305 });
2306 Some(error_message)
2307 }
2308 } else {
2309 this.update_metadata(assistant_message_id, cx, |metadata| {
2310 metadata.status = MessageStatus::Done;
2311 });
2312 None
2313 };
2314
2315 let language_name = this
2316 .buffer
2317 .read(cx)
2318 .language()
2319 .map(|language| language.name());
2320 report_assistant_event(
2321 AssistantEvent {
2322 conversation_id: Some(this.id.0.clone()),
2323 kind: AssistantKind::Panel,
2324 phase: AssistantPhase::Response,
2325 message_id: None,
2326 model: model.telemetry_id(),
2327 model_provider: model.provider_id().to_string(),
2328 response_latency,
2329 error_message,
2330 language_name: language_name.map(|name| name.to_proto()),
2331 },
2332 this.telemetry.clone(),
2333 cx.http_client(),
2334 model.api_key(cx),
2335 cx.background_executor(),
2336 );
2337
2338 if let Ok(stop_reason) = result {
2339 match stop_reason {
2340 StopReason::ToolUse => {}
2341 StopReason::EndTurn => {}
2342 StopReason::MaxTokens => {}
2343 }
2344 }
2345 })
2346 .ok();
2347 }
2348 });
2349
2350 self.pending_completions.push(PendingCompletion {
2351 id: pending_completion_id,
2352 assistant_message_id: assistant_message.id,
2353 _task: task,
2354 });
2355
2356 Some(user_message)
2357 }
2358
2359 pub fn to_completion_request(
2360 &self,
2361 request_type: RequestType,
2362 cx: &App,
2363 ) -> LanguageModelRequest {
2364 let buffer = self.buffer.read(cx);
2365
2366 let mut contents = self.contents(cx).peekable();
2367
2368 fn collect_text_content(buffer: &Buffer, range: Range<usize>) -> Option<String> {
2369 let text: String = buffer.text_for_range(range.clone()).collect();
2370 if text.trim().is_empty() {
2371 None
2372 } else {
2373 Some(text)
2374 }
2375 }
2376
2377 let mut completion_request = LanguageModelRequest {
2378 messages: Vec::new(),
2379 tools: Vec::new(),
2380 stop: Vec::new(),
2381 temperature: None,
2382 };
2383 for message in self.messages(cx) {
2384 if message.status != MessageStatus::Done {
2385 continue;
2386 }
2387
2388 let mut offset = message.offset_range.start;
2389 let mut request_message = LanguageModelRequestMessage {
2390 role: message.role,
2391 content: Vec::new(),
2392 cache: message
2393 .cache
2394 .as_ref()
2395 .map_or(false, |cache| cache.is_anchor),
2396 };
2397
2398 while let Some(content) = contents.peek() {
2399 if content
2400 .range()
2401 .end
2402 .cmp(&message.anchor_range.end, buffer)
2403 .is_lt()
2404 {
2405 let content = contents.next().unwrap();
2406 let range = content.range().to_offset(buffer);
2407 request_message.content.extend(
2408 collect_text_content(buffer, offset..range.start).map(MessageContent::Text),
2409 );
2410
2411 match content {
2412 Content::Image { image, .. } => {
2413 if let Some(image) = image.clone().now_or_never().flatten() {
2414 request_message
2415 .content
2416 .push(language_model::MessageContent::Image(image));
2417 }
2418 }
2419 }
2420
2421 offset = range.end;
2422 } else {
2423 break;
2424 }
2425 }
2426
2427 request_message.content.extend(
2428 collect_text_content(buffer, offset..message.offset_range.end)
2429 .map(MessageContent::Text),
2430 );
2431
2432 completion_request.messages.push(request_message);
2433 }
2434
2435 if let RequestType::SuggestEdits = request_type {
2436 if let Ok(preamble) = self.prompt_builder.generate_suggest_edits_prompt() {
2437 let last_elem_index = completion_request.messages.len();
2438
2439 completion_request
2440 .messages
2441 .push(LanguageModelRequestMessage {
2442 role: Role::User,
2443 content: vec![MessageContent::Text(preamble)],
2444 cache: false,
2445 });
2446
2447 // The preamble message should be sent right before the last actual user message.
2448 completion_request
2449 .messages
2450 .swap(last_elem_index, last_elem_index.saturating_sub(1));
2451 }
2452 }
2453
2454 completion_request
2455 }
2456
2457 pub fn cancel_last_assist(&mut self, cx: &mut Context<Self>) -> bool {
2458 if let Some(pending_completion) = self.pending_completions.pop() {
2459 self.update_metadata(pending_completion.assistant_message_id, cx, |metadata| {
2460 if metadata.status == MessageStatus::Pending {
2461 metadata.status = MessageStatus::Canceled;
2462 }
2463 });
2464 true
2465 } else {
2466 false
2467 }
2468 }
2469
2470 pub fn cycle_message_roles(&mut self, ids: HashSet<MessageId>, cx: &mut Context<Self>) {
2471 for id in &ids {
2472 if let Some(metadata) = self.messages_metadata.get(id) {
2473 let role = metadata.role.cycle();
2474 self.update_metadata(*id, cx, |metadata| metadata.role = role);
2475 }
2476 }
2477
2478 self.message_roles_updated(ids, cx);
2479 }
2480
2481 fn message_roles_updated(&mut self, ids: HashSet<MessageId>, cx: &mut Context<Self>) {
2482 let mut ranges = Vec::new();
2483 for message in self.messages(cx) {
2484 if ids.contains(&message.id) {
2485 ranges.push(message.anchor_range.clone());
2486 }
2487 }
2488
2489 let buffer = self.buffer.read(cx).text_snapshot();
2490 let mut updated = Vec::new();
2491 let mut removed = Vec::new();
2492 for range in ranges {
2493 self.reparse_patches_in_range(range, &buffer, &mut updated, &mut removed, cx);
2494 }
2495
2496 if !updated.is_empty() || !removed.is_empty() {
2497 cx.emit(ContextEvent::PatchesUpdated { removed, updated })
2498 }
2499 }
2500
2501 pub fn update_metadata(
2502 &mut self,
2503 id: MessageId,
2504 cx: &mut Context<Self>,
2505 f: impl FnOnce(&mut MessageMetadata),
2506 ) {
2507 let version = self.version.clone();
2508 let timestamp = self.next_timestamp();
2509 if let Some(metadata) = self.messages_metadata.get_mut(&id) {
2510 f(metadata);
2511 metadata.timestamp = timestamp;
2512 let operation = ContextOperation::UpdateMessage {
2513 message_id: id,
2514 metadata: metadata.clone(),
2515 version,
2516 };
2517 self.push_op(operation, cx);
2518 cx.emit(ContextEvent::MessagesEdited);
2519 cx.notify();
2520 }
2521 }
2522
2523 pub fn insert_message_after(
2524 &mut self,
2525 message_id: MessageId,
2526 role: Role,
2527 status: MessageStatus,
2528 cx: &mut Context<Self>,
2529 ) -> Option<MessageAnchor> {
2530 if let Some(prev_message_ix) = self
2531 .message_anchors
2532 .iter()
2533 .position(|message| message.id == message_id)
2534 {
2535 // Find the next valid message after the one we were given.
2536 let mut next_message_ix = prev_message_ix + 1;
2537 while let Some(next_message) = self.message_anchors.get(next_message_ix) {
2538 if next_message.start.is_valid(self.buffer.read(cx)) {
2539 break;
2540 }
2541 next_message_ix += 1;
2542 }
2543
2544 let buffer = self.buffer.read(cx);
2545 let offset = self
2546 .message_anchors
2547 .get(next_message_ix)
2548 .map_or(buffer.len(), |message| {
2549 buffer.clip_offset(message.start.to_offset(buffer) - 1, Bias::Left)
2550 });
2551 Some(self.insert_message_at_offset(offset, role, status, cx))
2552 } else {
2553 None
2554 }
2555 }
2556
2557 fn insert_message_at_offset(
2558 &mut self,
2559 offset: usize,
2560 role: Role,
2561 status: MessageStatus,
2562 cx: &mut Context<Self>,
2563 ) -> MessageAnchor {
2564 let start = self.buffer.update(cx, |buffer, cx| {
2565 buffer.edit([(offset..offset, "\n")], None, cx);
2566 buffer.anchor_before(offset + 1)
2567 });
2568
2569 let version = self.version.clone();
2570 let anchor = MessageAnchor {
2571 id: MessageId(self.next_timestamp()),
2572 start,
2573 };
2574 let metadata = MessageMetadata {
2575 role,
2576 status,
2577 timestamp: anchor.id.0,
2578 cache: None,
2579 };
2580 self.insert_message(anchor.clone(), metadata.clone(), cx);
2581 self.push_op(
2582 ContextOperation::InsertMessage {
2583 anchor: anchor.clone(),
2584 metadata,
2585 version,
2586 },
2587 cx,
2588 );
2589 anchor
2590 }
2591
2592 pub fn insert_content(&mut self, content: Content, cx: &mut Context<Self>) {
2593 let buffer = self.buffer.read(cx);
2594 let insertion_ix = match self
2595 .contents
2596 .binary_search_by(|probe| probe.cmp(&content, buffer))
2597 {
2598 Ok(ix) => {
2599 self.contents.remove(ix);
2600 ix
2601 }
2602 Err(ix) => ix,
2603 };
2604 self.contents.insert(insertion_ix, content);
2605 cx.emit(ContextEvent::MessagesEdited);
2606 }
2607
2608 pub fn contents<'a>(&'a self, cx: &'a App) -> impl 'a + Iterator<Item = Content> {
2609 let buffer = self.buffer.read(cx);
2610 self.contents
2611 .iter()
2612 .filter(|content| {
2613 let range = content.range();
2614 range.start.is_valid(buffer) && range.end.is_valid(buffer)
2615 })
2616 .cloned()
2617 }
2618
2619 pub fn split_message(
2620 &mut self,
2621 range: Range<usize>,
2622 cx: &mut Context<Self>,
2623 ) -> (Option<MessageAnchor>, Option<MessageAnchor>) {
2624 let start_message = self.message_for_offset(range.start, cx);
2625 let end_message = self.message_for_offset(range.end, cx);
2626 if let Some((start_message, end_message)) = start_message.zip(end_message) {
2627 // Prevent splitting when range spans multiple messages.
2628 if start_message.id != end_message.id {
2629 return (None, None);
2630 }
2631
2632 let message = start_message;
2633 let role = message.role;
2634 let mut edited_buffer = false;
2635
2636 let mut suffix_start = None;
2637
2638 // TODO: why did this start panicking?
2639 if range.start > message.offset_range.start
2640 && range.end < message.offset_range.end.saturating_sub(1)
2641 {
2642 if self.buffer.read(cx).chars_at(range.end).next() == Some('\n') {
2643 suffix_start = Some(range.end + 1);
2644 } else if self.buffer.read(cx).reversed_chars_at(range.end).next() == Some('\n') {
2645 suffix_start = Some(range.end);
2646 }
2647 }
2648
2649 let version = self.version.clone();
2650 let suffix = if let Some(suffix_start) = suffix_start {
2651 MessageAnchor {
2652 id: MessageId(self.next_timestamp()),
2653 start: self.buffer.read(cx).anchor_before(suffix_start),
2654 }
2655 } else {
2656 self.buffer.update(cx, |buffer, cx| {
2657 buffer.edit([(range.end..range.end, "\n")], None, cx);
2658 });
2659 edited_buffer = true;
2660 MessageAnchor {
2661 id: MessageId(self.next_timestamp()),
2662 start: self.buffer.read(cx).anchor_before(range.end + 1),
2663 }
2664 };
2665
2666 let suffix_metadata = MessageMetadata {
2667 role,
2668 status: MessageStatus::Done,
2669 timestamp: suffix.id.0,
2670 cache: None,
2671 };
2672 self.insert_message(suffix.clone(), suffix_metadata.clone(), cx);
2673 self.push_op(
2674 ContextOperation::InsertMessage {
2675 anchor: suffix.clone(),
2676 metadata: suffix_metadata,
2677 version,
2678 },
2679 cx,
2680 );
2681
2682 let new_messages =
2683 if range.start == range.end || range.start == message.offset_range.start {
2684 (None, Some(suffix))
2685 } else {
2686 let mut prefix_end = None;
2687 if range.start > message.offset_range.start
2688 && range.end < message.offset_range.end - 1
2689 {
2690 if self.buffer.read(cx).chars_at(range.start).next() == Some('\n') {
2691 prefix_end = Some(range.start + 1);
2692 } else if self.buffer.read(cx).reversed_chars_at(range.start).next()
2693 == Some('\n')
2694 {
2695 prefix_end = Some(range.start);
2696 }
2697 }
2698
2699 let version = self.version.clone();
2700 let selection = if let Some(prefix_end) = prefix_end {
2701 MessageAnchor {
2702 id: MessageId(self.next_timestamp()),
2703 start: self.buffer.read(cx).anchor_before(prefix_end),
2704 }
2705 } else {
2706 self.buffer.update(cx, |buffer, cx| {
2707 buffer.edit([(range.start..range.start, "\n")], None, cx)
2708 });
2709 edited_buffer = true;
2710 MessageAnchor {
2711 id: MessageId(self.next_timestamp()),
2712 start: self.buffer.read(cx).anchor_before(range.end + 1),
2713 }
2714 };
2715
2716 let selection_metadata = MessageMetadata {
2717 role,
2718 status: MessageStatus::Done,
2719 timestamp: selection.id.0,
2720 cache: None,
2721 };
2722 self.insert_message(selection.clone(), selection_metadata.clone(), cx);
2723 self.push_op(
2724 ContextOperation::InsertMessage {
2725 anchor: selection.clone(),
2726 metadata: selection_metadata,
2727 version,
2728 },
2729 cx,
2730 );
2731
2732 (Some(selection), Some(suffix))
2733 };
2734
2735 if !edited_buffer {
2736 cx.emit(ContextEvent::MessagesEdited);
2737 }
2738 new_messages
2739 } else {
2740 (None, None)
2741 }
2742 }
2743
2744 fn insert_message(
2745 &mut self,
2746 new_anchor: MessageAnchor,
2747 new_metadata: MessageMetadata,
2748 cx: &mut Context<Self>,
2749 ) {
2750 cx.emit(ContextEvent::MessagesEdited);
2751
2752 self.messages_metadata.insert(new_anchor.id, new_metadata);
2753
2754 let buffer = self.buffer.read(cx);
2755 let insertion_ix = self
2756 .message_anchors
2757 .iter()
2758 .position(|anchor| {
2759 let comparison = new_anchor.start.cmp(&anchor.start, buffer);
2760 comparison.is_lt() || (comparison.is_eq() && new_anchor.id > anchor.id)
2761 })
2762 .unwrap_or(self.message_anchors.len());
2763 self.message_anchors.insert(insertion_ix, new_anchor);
2764 }
2765
2766 pub fn summarize(&mut self, replace_old: bool, cx: &mut Context<Self>) {
2767 let Some(provider) = LanguageModelRegistry::read_global(cx).active_provider() else {
2768 return;
2769 };
2770 let Some(model) = LanguageModelRegistry::read_global(cx).active_model() else {
2771 return;
2772 };
2773
2774 if replace_old || (self.message_anchors.len() >= 2 && self.summary.is_none()) {
2775 if !provider.is_authenticated(cx) {
2776 return;
2777 }
2778
2779 let mut request = self.to_completion_request(RequestType::Chat, cx);
2780 request.messages.push(LanguageModelRequestMessage {
2781 role: Role::User,
2782 content: vec![
2783 "Generate a concise 3-7 word title for this conversation, omitting punctuation. Go straight to the title, without any preamble and prefix like `Here's a concise suggestion:...` or `Title:`"
2784 .into(),
2785 ],
2786 cache: false,
2787 });
2788
2789 self.pending_summary = cx.spawn(|this, mut cx| {
2790 async move {
2791 let stream = model.stream_completion_text(request, &cx);
2792 let mut messages = stream.await?;
2793
2794 let mut replaced = !replace_old;
2795 while let Some(message) = messages.stream.next().await {
2796 let text = message?;
2797 let mut lines = text.lines();
2798 this.update(&mut cx, |this, cx| {
2799 let version = this.version.clone();
2800 let timestamp = this.next_timestamp();
2801 let summary = this.summary.get_or_insert(ContextSummary::default());
2802 if !replaced && replace_old {
2803 summary.text.clear();
2804 replaced = true;
2805 }
2806 summary.text.extend(lines.next());
2807 summary.timestamp = timestamp;
2808 let operation = ContextOperation::UpdateSummary {
2809 summary: summary.clone(),
2810 version,
2811 };
2812 this.push_op(operation, cx);
2813 cx.emit(ContextEvent::SummaryChanged);
2814 })?;
2815
2816 // Stop if the LLM generated multiple lines.
2817 if lines.next().is_some() {
2818 break;
2819 }
2820 }
2821
2822 this.update(&mut cx, |this, cx| {
2823 let version = this.version.clone();
2824 let timestamp = this.next_timestamp();
2825 if let Some(summary) = this.summary.as_mut() {
2826 summary.done = true;
2827 summary.timestamp = timestamp;
2828 let operation = ContextOperation::UpdateSummary {
2829 summary: summary.clone(),
2830 version,
2831 };
2832 this.push_op(operation, cx);
2833 cx.emit(ContextEvent::SummaryChanged);
2834 }
2835 })?;
2836
2837 anyhow::Ok(())
2838 }
2839 .log_err()
2840 });
2841 }
2842 }
2843
2844 fn message_for_offset(&self, offset: usize, cx: &App) -> Option<Message> {
2845 self.messages_for_offsets([offset], cx).pop()
2846 }
2847
2848 pub fn messages_for_offsets(
2849 &self,
2850 offsets: impl IntoIterator<Item = usize>,
2851 cx: &App,
2852 ) -> Vec<Message> {
2853 let mut result = Vec::new();
2854
2855 let mut messages = self.messages(cx).peekable();
2856 let mut offsets = offsets.into_iter().peekable();
2857 let mut current_message = messages.next();
2858 while let Some(offset) = offsets.next() {
2859 // Locate the message that contains the offset.
2860 while current_message.as_ref().map_or(false, |message| {
2861 !message.offset_range.contains(&offset) && messages.peek().is_some()
2862 }) {
2863 current_message = messages.next();
2864 }
2865 let Some(message) = current_message.as_ref() else {
2866 break;
2867 };
2868
2869 // Skip offsets that are in the same message.
2870 while offsets.peek().map_or(false, |offset| {
2871 message.offset_range.contains(offset) || messages.peek().is_none()
2872 }) {
2873 offsets.next();
2874 }
2875
2876 result.push(message.clone());
2877 }
2878 result
2879 }
2880
2881 fn messages_from_anchors<'a>(
2882 &'a self,
2883 message_anchors: impl Iterator<Item = &'a MessageAnchor> + 'a,
2884 cx: &'a App,
2885 ) -> impl 'a + Iterator<Item = Message> {
2886 let buffer = self.buffer.read(cx);
2887
2888 Self::messages_from_iters(buffer, &self.messages_metadata, message_anchors.enumerate())
2889 }
2890
2891 pub fn messages<'a>(&'a self, cx: &'a App) -> impl 'a + Iterator<Item = Message> {
2892 self.messages_from_anchors(self.message_anchors.iter(), cx)
2893 }
2894
2895 pub fn messages_from_iters<'a>(
2896 buffer: &'a Buffer,
2897 metadata: &'a HashMap<MessageId, MessageMetadata>,
2898 messages: impl Iterator<Item = (usize, &'a MessageAnchor)> + 'a,
2899 ) -> impl 'a + Iterator<Item = Message> {
2900 let mut messages = messages.peekable();
2901
2902 iter::from_fn(move || {
2903 if let Some((start_ix, message_anchor)) = messages.next() {
2904 let metadata = metadata.get(&message_anchor.id)?;
2905
2906 let message_start = message_anchor.start.to_offset(buffer);
2907 let mut message_end = None;
2908 let mut end_ix = start_ix;
2909 while let Some((_, next_message)) = messages.peek() {
2910 if next_message.start.is_valid(buffer) {
2911 message_end = Some(next_message.start);
2912 break;
2913 } else {
2914 end_ix += 1;
2915 messages.next();
2916 }
2917 }
2918 let message_end_anchor = message_end.unwrap_or(language::Anchor::MAX);
2919 let message_end = message_end_anchor.to_offset(buffer);
2920
2921 return Some(Message {
2922 index_range: start_ix..end_ix,
2923 offset_range: message_start..message_end,
2924 anchor_range: message_anchor.start..message_end_anchor,
2925 id: message_anchor.id,
2926 role: metadata.role,
2927 status: metadata.status.clone(),
2928 cache: metadata.cache.clone(),
2929 });
2930 }
2931 None
2932 })
2933 }
2934
2935 pub fn save(
2936 &mut self,
2937 debounce: Option<Duration>,
2938 fs: Arc<dyn Fs>,
2939 cx: &mut Context<AssistantContext>,
2940 ) {
2941 if self.replica_id() != ReplicaId::default() {
2942 // Prevent saving a remote context for now.
2943 return;
2944 }
2945
2946 self.pending_save = cx.spawn(|this, mut cx| async move {
2947 if let Some(debounce) = debounce {
2948 cx.background_executor().timer(debounce).await;
2949 }
2950
2951 let (old_path, summary) = this.read_with(&cx, |this, _| {
2952 let path = this.path.clone();
2953 let summary = if let Some(summary) = this.summary.as_ref() {
2954 if summary.done {
2955 Some(summary.text.clone())
2956 } else {
2957 None
2958 }
2959 } else {
2960 None
2961 };
2962 (path, summary)
2963 })?;
2964
2965 if let Some(summary) = summary {
2966 let context = this.read_with(&cx, |this, cx| this.serialize(cx))?;
2967 let mut discriminant = 1;
2968 let mut new_path;
2969 loop {
2970 new_path = contexts_dir().join(&format!(
2971 "{} - {}.zed.json",
2972 summary.trim(),
2973 discriminant
2974 ));
2975 if fs.is_file(&new_path).await {
2976 discriminant += 1;
2977 } else {
2978 break;
2979 }
2980 }
2981
2982 fs.create_dir(contexts_dir().as_ref()).await?;
2983 fs.atomic_write(new_path.clone(), serde_json::to_string(&context).unwrap())
2984 .await?;
2985 if let Some(old_path) = old_path {
2986 if new_path != old_path {
2987 fs.remove_file(
2988 &old_path,
2989 RemoveOptions {
2990 recursive: false,
2991 ignore_if_not_exists: true,
2992 },
2993 )
2994 .await?;
2995 }
2996 }
2997
2998 this.update(&mut cx, |this, _| this.path = Some(new_path))?;
2999 }
3000
3001 Ok(())
3002 });
3003 }
3004
3005 pub fn custom_summary(&mut self, custom_summary: String, cx: &mut Context<Self>) {
3006 let timestamp = self.next_timestamp();
3007 let summary = self.summary.get_or_insert(ContextSummary::default());
3008 summary.timestamp = timestamp;
3009 summary.done = true;
3010 summary.text = custom_summary;
3011 cx.emit(ContextEvent::SummaryChanged);
3012 }
3013}
3014
3015fn trimmed_text_in_range(buffer: &BufferSnapshot, range: Range<text::Anchor>) -> String {
3016 let mut is_start = true;
3017 let mut content = buffer
3018 .text_for_range(range)
3019 .map(|mut chunk| {
3020 if is_start {
3021 chunk = chunk.trim_start_matches('\n');
3022 if !chunk.is_empty() {
3023 is_start = false;
3024 }
3025 }
3026 chunk
3027 })
3028 .collect::<String>();
3029 content.truncate(content.trim_end().len());
3030 content
3031}
3032
3033#[derive(Debug, Default)]
3034pub struct ContextVersion {
3035 context: clock::Global,
3036 buffer: clock::Global,
3037}
3038
3039impl ContextVersion {
3040 pub fn from_proto(proto: &proto::ContextVersion) -> Self {
3041 Self {
3042 context: language::proto::deserialize_version(&proto.context_version),
3043 buffer: language::proto::deserialize_version(&proto.buffer_version),
3044 }
3045 }
3046
3047 pub fn to_proto(&self, context_id: ContextId) -> proto::ContextVersion {
3048 proto::ContextVersion {
3049 context_id: context_id.to_proto(),
3050 context_version: language::proto::serialize_version(&self.context),
3051 buffer_version: language::proto::serialize_version(&self.buffer),
3052 }
3053 }
3054}
3055
3056#[derive(Debug, Clone)]
3057pub struct ParsedSlashCommand {
3058 pub name: String,
3059 pub arguments: SmallVec<[String; 3]>,
3060 pub status: PendingSlashCommandStatus,
3061 pub source_range: Range<language::Anchor>,
3062}
3063
3064#[derive(Debug)]
3065pub struct InvokedSlashCommand {
3066 pub name: SharedString,
3067 pub range: Range<language::Anchor>,
3068 pub run_commands_in_ranges: Vec<Range<language::Anchor>>,
3069 pub status: InvokedSlashCommandStatus,
3070 pub transaction: Option<language::TransactionId>,
3071 timestamp: clock::Lamport,
3072}
3073
3074#[derive(Debug)]
3075pub enum InvokedSlashCommandStatus {
3076 Running(Task<()>),
3077 Error(SharedString),
3078 Finished,
3079}
3080
3081#[derive(Debug, Clone)]
3082pub enum PendingSlashCommandStatus {
3083 Idle,
3084 Running { _task: Shared<Task<()>> },
3085 Error(String),
3086}
3087
3088#[derive(Debug, Clone)]
3089pub struct PendingToolUse {
3090 pub id: LanguageModelToolUseId,
3091 pub name: String,
3092 pub input: serde_json::Value,
3093 pub status: PendingToolUseStatus,
3094 pub source_range: Range<language::Anchor>,
3095}
3096
3097#[derive(Debug, Clone)]
3098pub enum PendingToolUseStatus {
3099 Idle,
3100 Running { _task: Shared<Task<()>> },
3101 Error(String),
3102}
3103
3104impl PendingToolUseStatus {
3105 pub fn is_idle(&self) -> bool {
3106 matches!(self, PendingToolUseStatus::Idle)
3107 }
3108}
3109
3110#[derive(Serialize, Deserialize)]
3111pub struct SavedMessage {
3112 pub id: MessageId,
3113 pub start: usize,
3114 pub metadata: MessageMetadata,
3115}
3116
3117#[derive(Serialize, Deserialize)]
3118pub struct SavedContext {
3119 pub id: Option<ContextId>,
3120 pub zed: String,
3121 pub version: String,
3122 pub text: String,
3123 pub messages: Vec<SavedMessage>,
3124 pub summary: String,
3125 pub slash_command_output_sections:
3126 Vec<assistant_slash_command::SlashCommandOutputSection<usize>>,
3127}
3128
3129impl SavedContext {
3130 pub const VERSION: &'static str = "0.4.0";
3131
3132 pub fn from_json(json: &str) -> Result<Self> {
3133 let saved_context_json = serde_json::from_str::<serde_json::Value>(json)?;
3134 match saved_context_json
3135 .get("version")
3136 .ok_or_else(|| anyhow!("version not found"))?
3137 {
3138 serde_json::Value::String(version) => match version.as_str() {
3139 SavedContext::VERSION => {
3140 Ok(serde_json::from_value::<SavedContext>(saved_context_json)?)
3141 }
3142 SavedContextV0_3_0::VERSION => {
3143 let saved_context =
3144 serde_json::from_value::<SavedContextV0_3_0>(saved_context_json)?;
3145 Ok(saved_context.upgrade())
3146 }
3147 SavedContextV0_2_0::VERSION => {
3148 let saved_context =
3149 serde_json::from_value::<SavedContextV0_2_0>(saved_context_json)?;
3150 Ok(saved_context.upgrade())
3151 }
3152 SavedContextV0_1_0::VERSION => {
3153 let saved_context =
3154 serde_json::from_value::<SavedContextV0_1_0>(saved_context_json)?;
3155 Ok(saved_context.upgrade())
3156 }
3157 _ => Err(anyhow!("unrecognized saved context version: {}", version)),
3158 },
3159 _ => Err(anyhow!("version not found on saved context")),
3160 }
3161 }
3162
3163 fn into_ops(
3164 self,
3165 buffer: &Entity<Buffer>,
3166 cx: &mut Context<AssistantContext>,
3167 ) -> Vec<ContextOperation> {
3168 let mut operations = Vec::new();
3169 let mut version = clock::Global::new();
3170 let mut next_timestamp = clock::Lamport::new(ReplicaId::default());
3171
3172 let mut first_message_metadata = None;
3173 for message in self.messages {
3174 if message.id == MessageId(clock::Lamport::default()) {
3175 first_message_metadata = Some(message.metadata);
3176 } else {
3177 operations.push(ContextOperation::InsertMessage {
3178 anchor: MessageAnchor {
3179 id: message.id,
3180 start: buffer.read(cx).anchor_before(message.start),
3181 },
3182 metadata: MessageMetadata {
3183 role: message.metadata.role,
3184 status: message.metadata.status,
3185 timestamp: message.metadata.timestamp,
3186 cache: None,
3187 },
3188 version: version.clone(),
3189 });
3190 version.observe(message.id.0);
3191 next_timestamp.observe(message.id.0);
3192 }
3193 }
3194
3195 if let Some(metadata) = first_message_metadata {
3196 let timestamp = next_timestamp.tick();
3197 operations.push(ContextOperation::UpdateMessage {
3198 message_id: MessageId(clock::Lamport::default()),
3199 metadata: MessageMetadata {
3200 role: metadata.role,
3201 status: metadata.status,
3202 timestamp,
3203 cache: None,
3204 },
3205 version: version.clone(),
3206 });
3207 version.observe(timestamp);
3208 }
3209
3210 let buffer = buffer.read(cx);
3211 for section in self.slash_command_output_sections {
3212 let timestamp = next_timestamp.tick();
3213 operations.push(ContextOperation::SlashCommandOutputSectionAdded {
3214 timestamp,
3215 section: SlashCommandOutputSection {
3216 range: buffer.anchor_after(section.range.start)
3217 ..buffer.anchor_before(section.range.end),
3218 icon: section.icon,
3219 label: section.label,
3220 metadata: section.metadata,
3221 },
3222 version: version.clone(),
3223 });
3224
3225 version.observe(timestamp);
3226 }
3227
3228 let timestamp = next_timestamp.tick();
3229 operations.push(ContextOperation::UpdateSummary {
3230 summary: ContextSummary {
3231 text: self.summary,
3232 done: true,
3233 timestamp,
3234 },
3235 version: version.clone(),
3236 });
3237 version.observe(timestamp);
3238
3239 operations
3240 }
3241}
3242
3243#[derive(Copy, Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Hash, Serialize, Deserialize)]
3244struct SavedMessageIdPreV0_4_0(usize);
3245
3246#[derive(Serialize, Deserialize)]
3247struct SavedMessagePreV0_4_0 {
3248 id: SavedMessageIdPreV0_4_0,
3249 start: usize,
3250}
3251
3252#[derive(Clone, Debug, Eq, PartialEq, Serialize, Deserialize)]
3253struct SavedMessageMetadataPreV0_4_0 {
3254 role: Role,
3255 status: MessageStatus,
3256}
3257
3258#[derive(Serialize, Deserialize)]
3259struct SavedContextV0_3_0 {
3260 id: Option<ContextId>,
3261 zed: String,
3262 version: String,
3263 text: String,
3264 messages: Vec<SavedMessagePreV0_4_0>,
3265 message_metadata: HashMap<SavedMessageIdPreV0_4_0, SavedMessageMetadataPreV0_4_0>,
3266 summary: String,
3267 slash_command_output_sections: Vec<assistant_slash_command::SlashCommandOutputSection<usize>>,
3268}
3269
3270impl SavedContextV0_3_0 {
3271 const VERSION: &'static str = "0.3.0";
3272
3273 fn upgrade(self) -> SavedContext {
3274 SavedContext {
3275 id: self.id,
3276 zed: self.zed,
3277 version: SavedContext::VERSION.into(),
3278 text: self.text,
3279 messages: self
3280 .messages
3281 .into_iter()
3282 .filter_map(|message| {
3283 let metadata = self.message_metadata.get(&message.id)?;
3284 let timestamp = clock::Lamport {
3285 replica_id: ReplicaId::default(),
3286 value: message.id.0 as u32,
3287 };
3288 Some(SavedMessage {
3289 id: MessageId(timestamp),
3290 start: message.start,
3291 metadata: MessageMetadata {
3292 role: metadata.role,
3293 status: metadata.status.clone(),
3294 timestamp,
3295 cache: None,
3296 },
3297 })
3298 })
3299 .collect(),
3300 summary: self.summary,
3301 slash_command_output_sections: self.slash_command_output_sections,
3302 }
3303 }
3304}
3305
3306#[derive(Serialize, Deserialize)]
3307struct SavedContextV0_2_0 {
3308 id: Option<ContextId>,
3309 zed: String,
3310 version: String,
3311 text: String,
3312 messages: Vec<SavedMessagePreV0_4_0>,
3313 message_metadata: HashMap<SavedMessageIdPreV0_4_0, SavedMessageMetadataPreV0_4_0>,
3314 summary: String,
3315}
3316
3317impl SavedContextV0_2_0 {
3318 const VERSION: &'static str = "0.2.0";
3319
3320 fn upgrade(self) -> SavedContext {
3321 SavedContextV0_3_0 {
3322 id: self.id,
3323 zed: self.zed,
3324 version: SavedContextV0_3_0::VERSION.to_string(),
3325 text: self.text,
3326 messages: self.messages,
3327 message_metadata: self.message_metadata,
3328 summary: self.summary,
3329 slash_command_output_sections: Vec::new(),
3330 }
3331 .upgrade()
3332 }
3333}
3334
3335#[derive(Serialize, Deserialize)]
3336struct SavedContextV0_1_0 {
3337 id: Option<ContextId>,
3338 zed: String,
3339 version: String,
3340 text: String,
3341 messages: Vec<SavedMessagePreV0_4_0>,
3342 message_metadata: HashMap<SavedMessageIdPreV0_4_0, SavedMessageMetadataPreV0_4_0>,
3343 summary: String,
3344 api_url: Option<String>,
3345 model: OpenAiModel,
3346}
3347
3348impl SavedContextV0_1_0 {
3349 const VERSION: &'static str = "0.1.0";
3350
3351 fn upgrade(self) -> SavedContext {
3352 SavedContextV0_2_0 {
3353 id: self.id,
3354 zed: self.zed,
3355 version: SavedContextV0_2_0::VERSION.to_string(),
3356 text: self.text,
3357 messages: self.messages,
3358 message_metadata: self.message_metadata,
3359 summary: self.summary,
3360 }
3361 .upgrade()
3362 }
3363}
3364
3365#[derive(Debug, Clone)]
3366pub struct SavedContextMetadata {
3367 pub title: String,
3368 pub path: PathBuf,
3369 pub mtime: chrono::DateTime<chrono::Local>,
3370}