1use crate::{
2 AssistantPanel, AssistantPanelEvent, CycleNextInlineAssist, CyclePreviousInlineAssist,
3};
4use anyhow::{anyhow, Context as _, Result};
5use assistant_context_editor::{humanize_token_count, RequestType};
6use assistant_settings::AssistantSettings;
7use client::{telemetry::Telemetry, ErrorExt};
8use collections::{hash_map, HashMap, HashSet, VecDeque};
9use editor::{
10 actions::{MoveDown, MoveUp, SelectAll},
11 display_map::{
12 BlockContext, BlockPlacement, BlockProperties, BlockStyle, CustomBlockId, RenderBlock,
13 ToDisplayPoint,
14 },
15 Anchor, AnchorRangeExt, CodeActionProvider, Editor, EditorElement, EditorEvent, EditorMode,
16 EditorStyle, ExcerptId, ExcerptRange, GutterDimensions, MultiBuffer, MultiBufferSnapshot,
17 ToOffset as _, ToPoint,
18};
19use feature_flags::{
20 Assistant2FeatureFlag, FeatureFlagAppExt as _, FeatureFlagViewExt as _, ZedPro,
21};
22use fs::Fs;
23use futures::{
24 channel::mpsc,
25 future::{BoxFuture, LocalBoxFuture},
26 join, SinkExt, Stream, StreamExt,
27};
28use gpui::{
29 anchored, deferred, point, AnyElement, App, ClickEvent, Context, CursorStyle, Entity,
30 EventEmitter, FocusHandle, Focusable, FontWeight, Global, HighlightStyle, Subscription, Task,
31 TextStyle, UpdateGlobal, WeakEntity, Window,
32};
33use language::{line_diff, Buffer, IndentKind, Point, Selection, TransactionId};
34use language_model::{
35 report_assistant_event, LanguageModel, LanguageModelRegistry, LanguageModelRequest,
36 LanguageModelRequestMessage, LanguageModelTextStream, Role,
37};
38use language_model_selector::{LanguageModelSelector, LanguageModelSelectorPopoverMenu};
39use multi_buffer::MultiBufferRow;
40use parking_lot::Mutex;
41use project::{CodeAction, ProjectTransaction};
42use prompt_store::PromptBuilder;
43use rope::Rope;
44use settings::{update_settings_file, Settings, SettingsStore};
45use smol::future::FutureExt;
46use std::{
47 cmp,
48 future::{self, Future},
49 iter, mem,
50 ops::{Range, RangeInclusive},
51 pin::Pin,
52 rc::Rc,
53 sync::Arc,
54 task::{self, Poll},
55 time::{Duration, Instant},
56};
57use streaming_diff::{CharOperation, LineDiff, LineOperation, StreamingDiff};
58use telemetry_events::{AssistantEvent, AssistantKind, AssistantPhase};
59use terminal_view::terminal_panel::TerminalPanel;
60use text::{OffsetRangeExt, ToPoint as _};
61use theme::ThemeSettings;
62use ui::{
63 prelude::*, text_for_action, CheckboxWithLabel, IconButtonShape, KeyBinding, Popover, Tooltip,
64};
65use util::{RangeExt, ResultExt};
66use workspace::{notifications::NotificationId, ItemHandle, Toast, Workspace};
67
68pub fn init(
69 fs: Arc<dyn Fs>,
70 prompt_builder: Arc<PromptBuilder>,
71 telemetry: Arc<Telemetry>,
72 cx: &mut App,
73) {
74 cx.set_global(InlineAssistant::new(fs, prompt_builder, telemetry));
75 cx.observe_new(|_, window, cx| {
76 let Some(window) = window else {
77 return;
78 };
79 let workspace = cx.entity().clone();
80 InlineAssistant::update_global(cx, |inline_assistant, cx| {
81 inline_assistant.register_workspace(&workspace, window, cx)
82 });
83
84 cx.observe_flag::<Assistant2FeatureFlag, _>(window, {
85 |is_assistant2_enabled, _workspace, _window, cx| {
86 InlineAssistant::update_global(cx, |inline_assistant, _cx| {
87 inline_assistant.is_assistant2_enabled = is_assistant2_enabled;
88 });
89 }
90 })
91 .detach();
92 })
93 .detach();
94}
95
96const PROMPT_HISTORY_MAX_LEN: usize = 20;
97
98pub struct InlineAssistant {
99 next_assist_id: InlineAssistId,
100 next_assist_group_id: InlineAssistGroupId,
101 assists: HashMap<InlineAssistId, InlineAssist>,
102 assists_by_editor: HashMap<WeakEntity<Editor>, EditorInlineAssists>,
103 assist_groups: HashMap<InlineAssistGroupId, InlineAssistGroup>,
104 confirmed_assists: HashMap<InlineAssistId, Entity<CodegenAlternative>>,
105 prompt_history: VecDeque<String>,
106 prompt_builder: Arc<PromptBuilder>,
107 telemetry: Arc<Telemetry>,
108 fs: Arc<dyn Fs>,
109 is_assistant2_enabled: bool,
110}
111
112impl Global for InlineAssistant {}
113
114impl InlineAssistant {
115 pub fn new(
116 fs: Arc<dyn Fs>,
117 prompt_builder: Arc<PromptBuilder>,
118 telemetry: Arc<Telemetry>,
119 ) -> Self {
120 Self {
121 next_assist_id: InlineAssistId::default(),
122 next_assist_group_id: InlineAssistGroupId::default(),
123 assists: HashMap::default(),
124 assists_by_editor: HashMap::default(),
125 assist_groups: HashMap::default(),
126 confirmed_assists: HashMap::default(),
127 prompt_history: VecDeque::default(),
128 prompt_builder,
129 telemetry,
130 fs,
131 is_assistant2_enabled: false,
132 }
133 }
134
135 pub fn register_workspace(
136 &mut self,
137 workspace: &Entity<Workspace>,
138 window: &mut Window,
139 cx: &mut App,
140 ) {
141 window
142 .subscribe(workspace, cx, |workspace, event, window, cx| {
143 Self::update_global(cx, |this, cx| {
144 this.handle_workspace_event(workspace, event, window, cx)
145 });
146 })
147 .detach();
148
149 let workspace = workspace.downgrade();
150 cx.observe_global::<SettingsStore>(move |cx| {
151 let Some(workspace) = workspace.upgrade() else {
152 return;
153 };
154 let Some(terminal_panel) = workspace.read(cx).panel::<TerminalPanel>(cx) else {
155 return;
156 };
157 let enabled = AssistantSettings::get_global(cx).enabled;
158 terminal_panel.update(cx, |terminal_panel, cx| {
159 terminal_panel.set_assistant_enabled(enabled, cx)
160 });
161 })
162 .detach();
163 }
164
165 fn handle_workspace_event(
166 &mut self,
167 workspace: Entity<Workspace>,
168 event: &workspace::Event,
169 window: &mut Window,
170 cx: &mut App,
171 ) {
172 match event {
173 workspace::Event::UserSavedItem { item, .. } => {
174 // When the user manually saves an editor, automatically accepts all finished transformations.
175 if let Some(editor) = item.upgrade().and_then(|item| item.act_as::<Editor>(cx)) {
176 if let Some(editor_assists) = self.assists_by_editor.get(&editor.downgrade()) {
177 for assist_id in editor_assists.assist_ids.clone() {
178 let assist = &self.assists[&assist_id];
179 if let CodegenStatus::Done = assist.codegen.read(cx).status(cx) {
180 self.finish_assist(assist_id, false, window, cx)
181 }
182 }
183 }
184 }
185 }
186 workspace::Event::ItemAdded { item } => {
187 self.register_workspace_item(&workspace, item.as_ref(), window, cx);
188 }
189 _ => (),
190 }
191 }
192
193 fn register_workspace_item(
194 &mut self,
195 workspace: &Entity<Workspace>,
196 item: &dyn ItemHandle,
197 window: &mut Window,
198 cx: &mut App,
199 ) {
200 let is_assistant2_enabled = self.is_assistant2_enabled;
201
202 if let Some(editor) = item.act_as::<Editor>(cx) {
203 editor.update(cx, |editor, cx| {
204 if is_assistant2_enabled {
205 editor.remove_code_action_provider(
206 ASSISTANT_CODE_ACTION_PROVIDER_ID.into(),
207 window,
208 cx,
209 );
210 } else {
211 editor.add_code_action_provider(
212 Rc::new(AssistantCodeActionProvider {
213 editor: cx.entity().downgrade(),
214 workspace: workspace.downgrade(),
215 }),
216 window,
217 cx,
218 );
219 }
220 });
221 }
222 }
223
224 pub fn assist(
225 &mut self,
226 editor: &Entity<Editor>,
227 workspace: Option<WeakEntity<Workspace>>,
228 assistant_panel: Option<&Entity<AssistantPanel>>,
229 initial_prompt: Option<String>,
230 window: &mut Window,
231 cx: &mut App,
232 ) {
233 let (snapshot, initial_selections) = editor.update(cx, |editor, cx| {
234 (
235 editor.buffer().read(cx).snapshot(cx),
236 editor.selections.all::<Point>(cx),
237 )
238 });
239
240 let mut selections = Vec::<Selection<Point>>::new();
241 let mut newest_selection = None;
242 for mut selection in initial_selections {
243 if selection.end > selection.start {
244 selection.start.column = 0;
245 // If the selection ends at the start of the line, we don't want to include it.
246 if selection.end.column == 0 {
247 selection.end.row -= 1;
248 }
249 selection.end.column = snapshot.line_len(MultiBufferRow(selection.end.row));
250 }
251
252 if let Some(prev_selection) = selections.last_mut() {
253 if selection.start <= prev_selection.end {
254 prev_selection.end = selection.end;
255 continue;
256 }
257 }
258
259 let latest_selection = newest_selection.get_or_insert_with(|| selection.clone());
260 if selection.id > latest_selection.id {
261 *latest_selection = selection.clone();
262 }
263 selections.push(selection);
264 }
265 let newest_selection = newest_selection.unwrap();
266
267 let mut codegen_ranges = Vec::new();
268 for (buffer, buffer_range, excerpt_id) in
269 snapshot.ranges_to_buffer_ranges(selections.iter().map(|selection| {
270 snapshot.anchor_before(selection.start)..snapshot.anchor_after(selection.end)
271 }))
272 {
273 let start = buffer.anchor_before(buffer_range.start);
274 let end = buffer.anchor_after(buffer_range.end);
275
276 codegen_ranges.push(Anchor::range_in_buffer(
277 excerpt_id,
278 buffer.remote_id(),
279 start..end,
280 ));
281
282 if let Some(model) = LanguageModelRegistry::read_global(cx).active_model() {
283 self.telemetry.report_assistant_event(AssistantEvent {
284 conversation_id: None,
285 kind: AssistantKind::Inline,
286 phase: AssistantPhase::Invoked,
287 message_id: None,
288 model: model.telemetry_id(),
289 model_provider: model.provider_id().to_string(),
290 response_latency: None,
291 error_message: None,
292 language_name: buffer.language().map(|language| language.name().to_proto()),
293 });
294 }
295 }
296
297 let assist_group_id = self.next_assist_group_id.post_inc();
298 let prompt_buffer = cx.new(|cx| Buffer::local(initial_prompt.unwrap_or_default(), cx));
299 let prompt_buffer = cx.new(|cx| MultiBuffer::singleton(prompt_buffer, cx));
300
301 let mut assists = Vec::new();
302 let mut assist_to_focus = None;
303 for range in codegen_ranges {
304 let assist_id = self.next_assist_id.post_inc();
305 let codegen = cx.new(|cx| {
306 Codegen::new(
307 editor.read(cx).buffer().clone(),
308 range.clone(),
309 None,
310 self.telemetry.clone(),
311 self.prompt_builder.clone(),
312 cx,
313 )
314 });
315
316 let gutter_dimensions = Arc::new(Mutex::new(GutterDimensions::default()));
317 let prompt_editor = cx.new(|cx| {
318 PromptEditor::new(
319 assist_id,
320 gutter_dimensions.clone(),
321 self.prompt_history.clone(),
322 prompt_buffer.clone(),
323 codegen.clone(),
324 editor,
325 assistant_panel,
326 workspace.clone(),
327 self.fs.clone(),
328 window,
329 cx,
330 )
331 });
332
333 if assist_to_focus.is_none() {
334 let focus_assist = if newest_selection.reversed {
335 range.start.to_point(&snapshot) == newest_selection.start
336 } else {
337 range.end.to_point(&snapshot) == newest_selection.end
338 };
339 if focus_assist {
340 assist_to_focus = Some(assist_id);
341 }
342 }
343
344 let [prompt_block_id, end_block_id] =
345 self.insert_assist_blocks(editor, &range, &prompt_editor, cx);
346
347 assists.push((
348 assist_id,
349 range,
350 prompt_editor,
351 prompt_block_id,
352 end_block_id,
353 ));
354 }
355
356 let editor_assists = self
357 .assists_by_editor
358 .entry(editor.downgrade())
359 .or_insert_with(|| EditorInlineAssists::new(&editor, window, cx));
360 let mut assist_group = InlineAssistGroup::new();
361 for (assist_id, range, prompt_editor, prompt_block_id, end_block_id) in assists {
362 self.assists.insert(
363 assist_id,
364 InlineAssist::new(
365 assist_id,
366 assist_group_id,
367 assistant_panel.is_some(),
368 editor,
369 &prompt_editor,
370 prompt_block_id,
371 end_block_id,
372 range,
373 prompt_editor.read(cx).codegen.clone(),
374 workspace.clone(),
375 window,
376 cx,
377 ),
378 );
379 assist_group.assist_ids.push(assist_id);
380 editor_assists.assist_ids.push(assist_id);
381 }
382 self.assist_groups.insert(assist_group_id, assist_group);
383
384 if let Some(assist_id) = assist_to_focus {
385 self.focus_assist(assist_id, window, cx);
386 }
387 }
388
389 #[allow(clippy::too_many_arguments)]
390 pub fn suggest_assist(
391 &mut self,
392 editor: &Entity<Editor>,
393 mut range: Range<Anchor>,
394 initial_prompt: String,
395 initial_transaction_id: Option<TransactionId>,
396 focus: bool,
397 workspace: Option<WeakEntity<Workspace>>,
398 assistant_panel: Option<&Entity<AssistantPanel>>,
399 window: &mut Window,
400 cx: &mut App,
401 ) -> InlineAssistId {
402 let assist_group_id = self.next_assist_group_id.post_inc();
403 let prompt_buffer = cx.new(|cx| Buffer::local(&initial_prompt, cx));
404 let prompt_buffer = cx.new(|cx| MultiBuffer::singleton(prompt_buffer, cx));
405
406 let assist_id = self.next_assist_id.post_inc();
407
408 let buffer = editor.read(cx).buffer().clone();
409 {
410 let snapshot = buffer.read(cx).read(cx);
411 range.start = range.start.bias_left(&snapshot);
412 range.end = range.end.bias_right(&snapshot);
413 }
414
415 let codegen = cx.new(|cx| {
416 Codegen::new(
417 editor.read(cx).buffer().clone(),
418 range.clone(),
419 initial_transaction_id,
420 self.telemetry.clone(),
421 self.prompt_builder.clone(),
422 cx,
423 )
424 });
425
426 let gutter_dimensions = Arc::new(Mutex::new(GutterDimensions::default()));
427 let prompt_editor = cx.new(|cx| {
428 PromptEditor::new(
429 assist_id,
430 gutter_dimensions.clone(),
431 self.prompt_history.clone(),
432 prompt_buffer.clone(),
433 codegen.clone(),
434 editor,
435 assistant_panel,
436 workspace.clone(),
437 self.fs.clone(),
438 window,
439 cx,
440 )
441 });
442
443 let [prompt_block_id, end_block_id] =
444 self.insert_assist_blocks(editor, &range, &prompt_editor, cx);
445
446 let editor_assists = self
447 .assists_by_editor
448 .entry(editor.downgrade())
449 .or_insert_with(|| EditorInlineAssists::new(&editor, window, cx));
450
451 let mut assist_group = InlineAssistGroup::new();
452 self.assists.insert(
453 assist_id,
454 InlineAssist::new(
455 assist_id,
456 assist_group_id,
457 assistant_panel.is_some(),
458 editor,
459 &prompt_editor,
460 prompt_block_id,
461 end_block_id,
462 range,
463 prompt_editor.read(cx).codegen.clone(),
464 workspace.clone(),
465 window,
466 cx,
467 ),
468 );
469 assist_group.assist_ids.push(assist_id);
470 editor_assists.assist_ids.push(assist_id);
471 self.assist_groups.insert(assist_group_id, assist_group);
472
473 if focus {
474 self.focus_assist(assist_id, window, cx);
475 }
476
477 assist_id
478 }
479
480 fn insert_assist_blocks(
481 &self,
482 editor: &Entity<Editor>,
483 range: &Range<Anchor>,
484 prompt_editor: &Entity<PromptEditor>,
485 cx: &mut App,
486 ) -> [CustomBlockId; 2] {
487 let prompt_editor_height = prompt_editor.update(cx, |prompt_editor, cx| {
488 prompt_editor
489 .editor
490 .update(cx, |editor, cx| editor.max_point(cx).row().0 + 1 + 2)
491 });
492 let assist_blocks = vec![
493 BlockProperties {
494 style: BlockStyle::Sticky,
495 placement: BlockPlacement::Above(range.start),
496 height: prompt_editor_height,
497 render: build_assist_editor_renderer(prompt_editor),
498 priority: 0,
499 },
500 BlockProperties {
501 style: BlockStyle::Sticky,
502 placement: BlockPlacement::Below(range.end),
503 height: 0,
504 render: Arc::new(|cx| {
505 v_flex()
506 .h_full()
507 .w_full()
508 .border_t_1()
509 .border_color(cx.theme().status().info_border)
510 .into_any_element()
511 }),
512 priority: 0,
513 },
514 ];
515
516 editor.update(cx, |editor, cx| {
517 let block_ids = editor.insert_blocks(assist_blocks, None, cx);
518 [block_ids[0], block_ids[1]]
519 })
520 }
521
522 fn handle_prompt_editor_focus_in(&mut self, assist_id: InlineAssistId, cx: &mut App) {
523 let assist = &self.assists[&assist_id];
524 let Some(decorations) = assist.decorations.as_ref() else {
525 return;
526 };
527 let assist_group = self.assist_groups.get_mut(&assist.group_id).unwrap();
528 let editor_assists = self.assists_by_editor.get_mut(&assist.editor).unwrap();
529
530 assist_group.active_assist_id = Some(assist_id);
531 if assist_group.linked {
532 for assist_id in &assist_group.assist_ids {
533 if let Some(decorations) = self.assists[assist_id].decorations.as_ref() {
534 decorations.prompt_editor.update(cx, |prompt_editor, cx| {
535 prompt_editor.set_show_cursor_when_unfocused(true, cx)
536 });
537 }
538 }
539 }
540
541 assist
542 .editor
543 .update(cx, |editor, cx| {
544 let scroll_top = editor.scroll_position(cx).y;
545 let scroll_bottom = scroll_top + editor.visible_line_count().unwrap_or(0.);
546 let prompt_row = editor
547 .row_for_block(decorations.prompt_block_id, cx)
548 .unwrap()
549 .0 as f32;
550
551 if (scroll_top..scroll_bottom).contains(&prompt_row) {
552 editor_assists.scroll_lock = Some(InlineAssistScrollLock {
553 assist_id,
554 distance_from_top: prompt_row - scroll_top,
555 });
556 } else {
557 editor_assists.scroll_lock = None;
558 }
559 })
560 .ok();
561 }
562
563 fn handle_prompt_editor_focus_out(&mut self, assist_id: InlineAssistId, cx: &mut App) {
564 let assist = &self.assists[&assist_id];
565 let assist_group = self.assist_groups.get_mut(&assist.group_id).unwrap();
566 if assist_group.active_assist_id == Some(assist_id) {
567 assist_group.active_assist_id = None;
568 if assist_group.linked {
569 for assist_id in &assist_group.assist_ids {
570 if let Some(decorations) = self.assists[assist_id].decorations.as_ref() {
571 decorations.prompt_editor.update(cx, |prompt_editor, cx| {
572 prompt_editor.set_show_cursor_when_unfocused(false, cx)
573 });
574 }
575 }
576 }
577 }
578 }
579
580 fn handle_prompt_editor_event(
581 &mut self,
582 prompt_editor: Entity<PromptEditor>,
583 event: &PromptEditorEvent,
584 window: &mut Window,
585 cx: &mut App,
586 ) {
587 let assist_id = prompt_editor.read(cx).id;
588 match event {
589 PromptEditorEvent::StartRequested => {
590 self.start_assist(assist_id, window, cx);
591 }
592 PromptEditorEvent::StopRequested => {
593 self.stop_assist(assist_id, cx);
594 }
595 PromptEditorEvent::ConfirmRequested => {
596 self.finish_assist(assist_id, false, window, cx);
597 }
598 PromptEditorEvent::CancelRequested => {
599 self.finish_assist(assist_id, true, window, cx);
600 }
601 PromptEditorEvent::DismissRequested => {
602 self.dismiss_assist(assist_id, window, cx);
603 }
604 }
605 }
606
607 fn handle_editor_newline(&mut self, editor: Entity<Editor>, window: &mut Window, cx: &mut App) {
608 let Some(editor_assists) = self.assists_by_editor.get(&editor.downgrade()) else {
609 return;
610 };
611
612 if editor.read(cx).selections.count() == 1 {
613 let (selection, buffer) = editor.update(cx, |editor, cx| {
614 (
615 editor.selections.newest::<usize>(cx),
616 editor.buffer().read(cx).snapshot(cx),
617 )
618 });
619 for assist_id in &editor_assists.assist_ids {
620 let assist = &self.assists[assist_id];
621 let assist_range = assist.range.to_offset(&buffer);
622 if assist_range.contains(&selection.start) && assist_range.contains(&selection.end)
623 {
624 if matches!(assist.codegen.read(cx).status(cx), CodegenStatus::Pending) {
625 self.dismiss_assist(*assist_id, window, cx);
626 } else {
627 self.finish_assist(*assist_id, false, window, cx);
628 }
629
630 return;
631 }
632 }
633 }
634
635 cx.propagate();
636 }
637
638 fn handle_editor_cancel(&mut self, editor: Entity<Editor>, window: &mut Window, cx: &mut App) {
639 let Some(editor_assists) = self.assists_by_editor.get(&editor.downgrade()) else {
640 return;
641 };
642
643 if editor.read(cx).selections.count() == 1 {
644 let (selection, buffer) = editor.update(cx, |editor, cx| {
645 (
646 editor.selections.newest::<usize>(cx),
647 editor.buffer().read(cx).snapshot(cx),
648 )
649 });
650 let mut closest_assist_fallback = None;
651 for assist_id in &editor_assists.assist_ids {
652 let assist = &self.assists[assist_id];
653 let assist_range = assist.range.to_offset(&buffer);
654 if assist.decorations.is_some() {
655 if assist_range.contains(&selection.start)
656 && assist_range.contains(&selection.end)
657 {
658 self.focus_assist(*assist_id, window, cx);
659 return;
660 } else {
661 let distance_from_selection = assist_range
662 .start
663 .abs_diff(selection.start)
664 .min(assist_range.start.abs_diff(selection.end))
665 + assist_range
666 .end
667 .abs_diff(selection.start)
668 .min(assist_range.end.abs_diff(selection.end));
669 match closest_assist_fallback {
670 Some((_, old_distance)) => {
671 if distance_from_selection < old_distance {
672 closest_assist_fallback =
673 Some((assist_id, distance_from_selection));
674 }
675 }
676 None => {
677 closest_assist_fallback = Some((assist_id, distance_from_selection))
678 }
679 }
680 }
681 }
682 }
683
684 if let Some((&assist_id, _)) = closest_assist_fallback {
685 self.focus_assist(assist_id, window, cx);
686 }
687 }
688
689 cx.propagate();
690 }
691
692 fn handle_editor_release(
693 &mut self,
694 editor: WeakEntity<Editor>,
695 window: &mut Window,
696 cx: &mut App,
697 ) {
698 if let Some(editor_assists) = self.assists_by_editor.get_mut(&editor) {
699 for assist_id in editor_assists.assist_ids.clone() {
700 self.finish_assist(assist_id, true, window, cx);
701 }
702 }
703 }
704
705 fn handle_editor_change(&mut self, editor: Entity<Editor>, window: &mut Window, cx: &mut App) {
706 let Some(editor_assists) = self.assists_by_editor.get(&editor.downgrade()) else {
707 return;
708 };
709 let Some(scroll_lock) = editor_assists.scroll_lock.as_ref() else {
710 return;
711 };
712 let assist = &self.assists[&scroll_lock.assist_id];
713 let Some(decorations) = assist.decorations.as_ref() else {
714 return;
715 };
716
717 editor.update(cx, |editor, cx| {
718 let scroll_position = editor.scroll_position(cx);
719 let target_scroll_top = editor
720 .row_for_block(decorations.prompt_block_id, cx)
721 .unwrap()
722 .0 as f32
723 - scroll_lock.distance_from_top;
724 if target_scroll_top != scroll_position.y {
725 editor.set_scroll_position(point(scroll_position.x, target_scroll_top), window, cx);
726 }
727 });
728 }
729
730 fn handle_editor_event(
731 &mut self,
732 editor: Entity<Editor>,
733 event: &EditorEvent,
734 window: &mut Window,
735 cx: &mut App,
736 ) {
737 let Some(editor_assists) = self.assists_by_editor.get_mut(&editor.downgrade()) else {
738 return;
739 };
740
741 match event {
742 EditorEvent::Edited { transaction_id } => {
743 let buffer = editor.read(cx).buffer().read(cx);
744 let edited_ranges =
745 buffer.edited_ranges_for_transaction::<usize>(*transaction_id, cx);
746 let snapshot = buffer.snapshot(cx);
747
748 for assist_id in editor_assists.assist_ids.clone() {
749 let assist = &self.assists[&assist_id];
750 if matches!(
751 assist.codegen.read(cx).status(cx),
752 CodegenStatus::Error(_) | CodegenStatus::Done
753 ) {
754 let assist_range = assist.range.to_offset(&snapshot);
755 if edited_ranges
756 .iter()
757 .any(|range| range.overlaps(&assist_range))
758 {
759 self.finish_assist(assist_id, false, window, cx);
760 }
761 }
762 }
763 }
764 EditorEvent::ScrollPositionChanged { .. } => {
765 if let Some(scroll_lock) = editor_assists.scroll_lock.as_ref() {
766 let assist = &self.assists[&scroll_lock.assist_id];
767 if let Some(decorations) = assist.decorations.as_ref() {
768 let distance_from_top = editor.update(cx, |editor, cx| {
769 let scroll_top = editor.scroll_position(cx).y;
770 let prompt_row = editor
771 .row_for_block(decorations.prompt_block_id, cx)
772 .unwrap()
773 .0 as f32;
774 prompt_row - scroll_top
775 });
776
777 if distance_from_top != scroll_lock.distance_from_top {
778 editor_assists.scroll_lock = None;
779 }
780 }
781 }
782 }
783 EditorEvent::SelectionsChanged { .. } => {
784 for assist_id in editor_assists.assist_ids.clone() {
785 let assist = &self.assists[&assist_id];
786 if let Some(decorations) = assist.decorations.as_ref() {
787 if decorations
788 .prompt_editor
789 .focus_handle(cx)
790 .is_focused(window)
791 {
792 return;
793 }
794 }
795 }
796
797 editor_assists.scroll_lock = None;
798 }
799 _ => {}
800 }
801 }
802
803 pub fn finish_assist(
804 &mut self,
805 assist_id: InlineAssistId,
806 undo: bool,
807 window: &mut Window,
808 cx: &mut App,
809 ) {
810 if let Some(assist) = self.assists.get(&assist_id) {
811 let assist_group_id = assist.group_id;
812 if self.assist_groups[&assist_group_id].linked {
813 for assist_id in self.unlink_assist_group(assist_group_id, window, cx) {
814 self.finish_assist(assist_id, undo, window, cx);
815 }
816 return;
817 }
818 }
819
820 self.dismiss_assist(assist_id, window, cx);
821
822 if let Some(assist) = self.assists.remove(&assist_id) {
823 if let hash_map::Entry::Occupied(mut entry) = self.assist_groups.entry(assist.group_id)
824 {
825 entry.get_mut().assist_ids.retain(|id| *id != assist_id);
826 if entry.get().assist_ids.is_empty() {
827 entry.remove();
828 }
829 }
830
831 if let hash_map::Entry::Occupied(mut entry) =
832 self.assists_by_editor.entry(assist.editor.clone())
833 {
834 entry.get_mut().assist_ids.retain(|id| *id != assist_id);
835 if entry.get().assist_ids.is_empty() {
836 entry.remove();
837 if let Some(editor) = assist.editor.upgrade() {
838 self.update_editor_highlights(&editor, cx);
839 }
840 } else {
841 entry.get().highlight_updates.send(()).ok();
842 }
843 }
844
845 let active_alternative = assist.codegen.read(cx).active_alternative().clone();
846 let message_id = active_alternative.read(cx).message_id.clone();
847
848 if let Some(model) = LanguageModelRegistry::read_global(cx).active_model() {
849 let language_name = assist.editor.upgrade().and_then(|editor| {
850 let multibuffer = editor.read(cx).buffer().read(cx);
851 let multibuffer_snapshot = multibuffer.snapshot(cx);
852 let ranges = multibuffer_snapshot.range_to_buffer_ranges(assist.range.clone());
853 ranges
854 .first()
855 .and_then(|(buffer, _, _)| buffer.language())
856 .map(|language| language.name())
857 });
858 report_assistant_event(
859 AssistantEvent {
860 conversation_id: None,
861 kind: AssistantKind::Inline,
862 message_id,
863 phase: if undo {
864 AssistantPhase::Rejected
865 } else {
866 AssistantPhase::Accepted
867 },
868 model: model.telemetry_id(),
869 model_provider: model.provider_id().to_string(),
870 response_latency: None,
871 error_message: None,
872 language_name: language_name.map(|name| name.to_proto()),
873 },
874 Some(self.telemetry.clone()),
875 cx.http_client(),
876 model.api_key(cx),
877 cx.background_executor(),
878 );
879 }
880
881 if undo {
882 assist.codegen.update(cx, |codegen, cx| codegen.undo(cx));
883 } else {
884 self.confirmed_assists.insert(assist_id, active_alternative);
885 }
886 }
887 }
888
889 fn dismiss_assist(
890 &mut self,
891 assist_id: InlineAssistId,
892 window: &mut Window,
893 cx: &mut App,
894 ) -> bool {
895 let Some(assist) = self.assists.get_mut(&assist_id) else {
896 return false;
897 };
898 let Some(editor) = assist.editor.upgrade() else {
899 return false;
900 };
901 let Some(decorations) = assist.decorations.take() else {
902 return false;
903 };
904
905 editor.update(cx, |editor, cx| {
906 let mut to_remove = decorations.removed_line_block_ids;
907 to_remove.insert(decorations.prompt_block_id);
908 to_remove.insert(decorations.end_block_id);
909 editor.remove_blocks(to_remove, None, cx);
910 });
911
912 if decorations
913 .prompt_editor
914 .focus_handle(cx)
915 .contains_focused(window, cx)
916 {
917 self.focus_next_assist(assist_id, window, cx);
918 }
919
920 if let Some(editor_assists) = self.assists_by_editor.get_mut(&editor.downgrade()) {
921 if editor_assists
922 .scroll_lock
923 .as_ref()
924 .map_or(false, |lock| lock.assist_id == assist_id)
925 {
926 editor_assists.scroll_lock = None;
927 }
928 editor_assists.highlight_updates.send(()).ok();
929 }
930
931 true
932 }
933
934 fn focus_next_assist(&mut self, assist_id: InlineAssistId, window: &mut Window, cx: &mut App) {
935 let Some(assist) = self.assists.get(&assist_id) else {
936 return;
937 };
938
939 let assist_group = &self.assist_groups[&assist.group_id];
940 let assist_ix = assist_group
941 .assist_ids
942 .iter()
943 .position(|id| *id == assist_id)
944 .unwrap();
945 let assist_ids = assist_group
946 .assist_ids
947 .iter()
948 .skip(assist_ix + 1)
949 .chain(assist_group.assist_ids.iter().take(assist_ix));
950
951 for assist_id in assist_ids {
952 let assist = &self.assists[assist_id];
953 if assist.decorations.is_some() {
954 self.focus_assist(*assist_id, window, cx);
955 return;
956 }
957 }
958
959 assist
960 .editor
961 .update(cx, |editor, cx| window.focus(&editor.focus_handle(cx)))
962 .ok();
963 }
964
965 fn focus_assist(&mut self, assist_id: InlineAssistId, window: &mut Window, cx: &mut App) {
966 let Some(assist) = self.assists.get(&assist_id) else {
967 return;
968 };
969
970 if let Some(decorations) = assist.decorations.as_ref() {
971 decorations.prompt_editor.update(cx, |prompt_editor, cx| {
972 prompt_editor.editor.update(cx, |editor, cx| {
973 window.focus(&editor.focus_handle(cx));
974 editor.select_all(&SelectAll, window, cx);
975 })
976 });
977 }
978
979 self.scroll_to_assist(assist_id, window, cx);
980 }
981
982 pub fn scroll_to_assist(
983 &mut self,
984 assist_id: InlineAssistId,
985 window: &mut Window,
986 cx: &mut App,
987 ) {
988 let Some(assist) = self.assists.get(&assist_id) else {
989 return;
990 };
991 let Some(editor) = assist.editor.upgrade() else {
992 return;
993 };
994
995 let position = assist.range.start;
996 editor.update(cx, |editor, cx| {
997 editor.change_selections(None, window, cx, |selections| {
998 selections.select_anchor_ranges([position..position])
999 });
1000
1001 let mut scroll_target_top;
1002 let mut scroll_target_bottom;
1003 if let Some(decorations) = assist.decorations.as_ref() {
1004 scroll_target_top = editor
1005 .row_for_block(decorations.prompt_block_id, cx)
1006 .unwrap()
1007 .0 as f32;
1008 scroll_target_bottom = editor
1009 .row_for_block(decorations.end_block_id, cx)
1010 .unwrap()
1011 .0 as f32;
1012 } else {
1013 let snapshot = editor.snapshot(window, cx);
1014 let start_row = assist
1015 .range
1016 .start
1017 .to_display_point(&snapshot.display_snapshot)
1018 .row();
1019 scroll_target_top = start_row.0 as f32;
1020 scroll_target_bottom = scroll_target_top + 1.;
1021 }
1022 scroll_target_top -= editor.vertical_scroll_margin() as f32;
1023 scroll_target_bottom += editor.vertical_scroll_margin() as f32;
1024
1025 let height_in_lines = editor.visible_line_count().unwrap_or(0.);
1026 let scroll_top = editor.scroll_position(cx).y;
1027 let scroll_bottom = scroll_top + height_in_lines;
1028
1029 if scroll_target_top < scroll_top {
1030 editor.set_scroll_position(point(0., scroll_target_top), window, cx);
1031 } else if scroll_target_bottom > scroll_bottom {
1032 if (scroll_target_bottom - scroll_target_top) <= height_in_lines {
1033 editor.set_scroll_position(
1034 point(0., scroll_target_bottom - height_in_lines),
1035 window,
1036 cx,
1037 );
1038 } else {
1039 editor.set_scroll_position(point(0., scroll_target_top), window, cx);
1040 }
1041 }
1042 });
1043 }
1044
1045 fn unlink_assist_group(
1046 &mut self,
1047 assist_group_id: InlineAssistGroupId,
1048 window: &mut Window,
1049 cx: &mut App,
1050 ) -> Vec<InlineAssistId> {
1051 let assist_group = self.assist_groups.get_mut(&assist_group_id).unwrap();
1052 assist_group.linked = false;
1053 for assist_id in &assist_group.assist_ids {
1054 let assist = self.assists.get_mut(assist_id).unwrap();
1055 if let Some(editor_decorations) = assist.decorations.as_ref() {
1056 editor_decorations
1057 .prompt_editor
1058 .update(cx, |prompt_editor, cx| prompt_editor.unlink(window, cx));
1059 }
1060 }
1061 assist_group.assist_ids.clone()
1062 }
1063
1064 pub fn start_assist(&mut self, assist_id: InlineAssistId, window: &mut Window, cx: &mut App) {
1065 let assist = if let Some(assist) = self.assists.get_mut(&assist_id) {
1066 assist
1067 } else {
1068 return;
1069 };
1070
1071 let assist_group_id = assist.group_id;
1072 if self.assist_groups[&assist_group_id].linked {
1073 for assist_id in self.unlink_assist_group(assist_group_id, window, cx) {
1074 self.start_assist(assist_id, window, cx);
1075 }
1076 return;
1077 }
1078
1079 let Some(user_prompt) = assist.user_prompt(cx) else {
1080 return;
1081 };
1082
1083 self.prompt_history.retain(|prompt| *prompt != user_prompt);
1084 self.prompt_history.push_back(user_prompt.clone());
1085 if self.prompt_history.len() > PROMPT_HISTORY_MAX_LEN {
1086 self.prompt_history.pop_front();
1087 }
1088
1089 let assistant_panel_context = assist.assistant_panel_context(cx);
1090
1091 assist
1092 .codegen
1093 .update(cx, |codegen, cx| {
1094 codegen.start(user_prompt, assistant_panel_context, cx)
1095 })
1096 .log_err();
1097 }
1098
1099 pub fn stop_assist(&mut self, assist_id: InlineAssistId, cx: &mut App) {
1100 let assist = if let Some(assist) = self.assists.get_mut(&assist_id) {
1101 assist
1102 } else {
1103 return;
1104 };
1105
1106 assist.codegen.update(cx, |codegen, cx| codegen.stop(cx));
1107 }
1108
1109 fn update_editor_highlights(&self, editor: &Entity<Editor>, cx: &mut App) {
1110 let mut gutter_pending_ranges = Vec::new();
1111 let mut gutter_transformed_ranges = Vec::new();
1112 let mut foreground_ranges = Vec::new();
1113 let mut inserted_row_ranges = Vec::new();
1114 let empty_assist_ids = Vec::new();
1115 let assist_ids = self
1116 .assists_by_editor
1117 .get(&editor.downgrade())
1118 .map_or(&empty_assist_ids, |editor_assists| {
1119 &editor_assists.assist_ids
1120 });
1121
1122 for assist_id in assist_ids {
1123 if let Some(assist) = self.assists.get(assist_id) {
1124 let codegen = assist.codegen.read(cx);
1125 let buffer = codegen.buffer(cx).read(cx).read(cx);
1126 foreground_ranges.extend(codegen.last_equal_ranges(cx).iter().cloned());
1127
1128 let pending_range =
1129 codegen.edit_position(cx).unwrap_or(assist.range.start)..assist.range.end;
1130 if pending_range.end.to_offset(&buffer) > pending_range.start.to_offset(&buffer) {
1131 gutter_pending_ranges.push(pending_range);
1132 }
1133
1134 if let Some(edit_position) = codegen.edit_position(cx) {
1135 let edited_range = assist.range.start..edit_position;
1136 if edited_range.end.to_offset(&buffer) > edited_range.start.to_offset(&buffer) {
1137 gutter_transformed_ranges.push(edited_range);
1138 }
1139 }
1140
1141 if assist.decorations.is_some() {
1142 inserted_row_ranges
1143 .extend(codegen.diff(cx).inserted_row_ranges.iter().cloned());
1144 }
1145 }
1146 }
1147
1148 let snapshot = editor.read(cx).buffer().read(cx).snapshot(cx);
1149 merge_ranges(&mut foreground_ranges, &snapshot);
1150 merge_ranges(&mut gutter_pending_ranges, &snapshot);
1151 merge_ranges(&mut gutter_transformed_ranges, &snapshot);
1152 editor.update(cx, |editor, cx| {
1153 enum GutterPendingRange {}
1154 if gutter_pending_ranges.is_empty() {
1155 editor.clear_gutter_highlights::<GutterPendingRange>(cx);
1156 } else {
1157 editor.highlight_gutter::<GutterPendingRange>(
1158 &gutter_pending_ranges,
1159 |cx| cx.theme().status().info_background,
1160 cx,
1161 )
1162 }
1163
1164 enum GutterTransformedRange {}
1165 if gutter_transformed_ranges.is_empty() {
1166 editor.clear_gutter_highlights::<GutterTransformedRange>(cx);
1167 } else {
1168 editor.highlight_gutter::<GutterTransformedRange>(
1169 &gutter_transformed_ranges,
1170 |cx| cx.theme().status().info,
1171 cx,
1172 )
1173 }
1174
1175 if foreground_ranges.is_empty() {
1176 editor.clear_highlights::<InlineAssist>(cx);
1177 } else {
1178 editor.highlight_text::<InlineAssist>(
1179 foreground_ranges,
1180 HighlightStyle {
1181 fade_out: Some(0.6),
1182 ..Default::default()
1183 },
1184 cx,
1185 );
1186 }
1187
1188 editor.clear_row_highlights::<InlineAssist>();
1189 for row_range in inserted_row_ranges {
1190 editor.highlight_rows::<InlineAssist>(
1191 row_range,
1192 cx.theme().status().info_background,
1193 false,
1194 cx,
1195 );
1196 }
1197 });
1198 }
1199
1200 fn update_editor_blocks(
1201 &mut self,
1202 editor: &Entity<Editor>,
1203 assist_id: InlineAssistId,
1204 window: &mut Window,
1205 cx: &mut App,
1206 ) {
1207 let Some(assist) = self.assists.get_mut(&assist_id) else {
1208 return;
1209 };
1210 let Some(decorations) = assist.decorations.as_mut() else {
1211 return;
1212 };
1213
1214 let codegen = assist.codegen.read(cx);
1215 let old_snapshot = codegen.snapshot(cx);
1216 let old_buffer = codegen.old_buffer(cx);
1217 let deleted_row_ranges = codegen.diff(cx).deleted_row_ranges.clone();
1218
1219 editor.update(cx, |editor, cx| {
1220 let old_blocks = mem::take(&mut decorations.removed_line_block_ids);
1221 editor.remove_blocks(old_blocks, None, cx);
1222
1223 let mut new_blocks = Vec::new();
1224 for (new_row, old_row_range) in deleted_row_ranges {
1225 let (_, buffer_start) = old_snapshot
1226 .point_to_buffer_offset(Point::new(*old_row_range.start(), 0))
1227 .unwrap();
1228 let (_, buffer_end) = old_snapshot
1229 .point_to_buffer_offset(Point::new(
1230 *old_row_range.end(),
1231 old_snapshot.line_len(MultiBufferRow(*old_row_range.end())),
1232 ))
1233 .unwrap();
1234
1235 let deleted_lines_editor = cx.new(|cx| {
1236 let multi_buffer =
1237 cx.new(|_| MultiBuffer::without_headers(language::Capability::ReadOnly));
1238 multi_buffer.update(cx, |multi_buffer, cx| {
1239 multi_buffer.push_excerpts(
1240 old_buffer.clone(),
1241 Some(ExcerptRange {
1242 context: buffer_start..buffer_end,
1243 primary: None,
1244 }),
1245 cx,
1246 );
1247 });
1248
1249 enum DeletedLines {}
1250 let mut editor = Editor::for_multibuffer(multi_buffer, None, true, window, cx);
1251 editor.set_soft_wrap_mode(language::language_settings::SoftWrap::None, cx);
1252 editor.set_show_wrap_guides(false, cx);
1253 editor.set_show_gutter(false, cx);
1254 editor.scroll_manager.set_forbid_vertical_scroll(true);
1255 editor.set_show_scrollbars(false, cx);
1256 editor.set_read_only(true);
1257 editor.set_show_edit_predictions(Some(false), window, cx);
1258 editor.highlight_rows::<DeletedLines>(
1259 Anchor::min()..Anchor::max(),
1260 cx.theme().status().deleted_background,
1261 false,
1262 cx,
1263 );
1264 editor
1265 });
1266
1267 let height =
1268 deleted_lines_editor.update(cx, |editor, cx| editor.max_point(cx).row().0 + 1);
1269 new_blocks.push(BlockProperties {
1270 placement: BlockPlacement::Above(new_row),
1271 height,
1272 style: BlockStyle::Flex,
1273 render: Arc::new(move |cx| {
1274 div()
1275 .block_mouse_down()
1276 .bg(cx.theme().status().deleted_background)
1277 .size_full()
1278 .h(height as f32 * cx.window.line_height())
1279 .pl(cx.gutter_dimensions.full_width())
1280 .child(deleted_lines_editor.clone())
1281 .into_any_element()
1282 }),
1283 priority: 0,
1284 });
1285 }
1286
1287 decorations.removed_line_block_ids = editor
1288 .insert_blocks(new_blocks, None, cx)
1289 .into_iter()
1290 .collect();
1291 })
1292 }
1293}
1294
1295struct EditorInlineAssists {
1296 assist_ids: Vec<InlineAssistId>,
1297 scroll_lock: Option<InlineAssistScrollLock>,
1298 highlight_updates: async_watch::Sender<()>,
1299 _update_highlights: Task<Result<()>>,
1300 _subscriptions: Vec<gpui::Subscription>,
1301}
1302
1303struct InlineAssistScrollLock {
1304 assist_id: InlineAssistId,
1305 distance_from_top: f32,
1306}
1307
1308impl EditorInlineAssists {
1309 fn new(editor: &Entity<Editor>, window: &mut Window, cx: &mut App) -> Self {
1310 let (highlight_updates_tx, mut highlight_updates_rx) = async_watch::channel(());
1311 Self {
1312 assist_ids: Vec::new(),
1313 scroll_lock: None,
1314 highlight_updates: highlight_updates_tx,
1315 _update_highlights: cx.spawn(|cx| {
1316 let editor = editor.downgrade();
1317 async move {
1318 while let Ok(()) = highlight_updates_rx.changed().await {
1319 let editor = editor.upgrade().context("editor was dropped")?;
1320 cx.update_global(|assistant: &mut InlineAssistant, cx| {
1321 assistant.update_editor_highlights(&editor, cx);
1322 })?;
1323 }
1324 Ok(())
1325 }
1326 }),
1327 _subscriptions: vec![
1328 cx.observe_release_in(editor, window, {
1329 let editor = editor.downgrade();
1330 |_, window, cx| {
1331 InlineAssistant::update_global(cx, |this, cx| {
1332 this.handle_editor_release(editor, window, cx);
1333 })
1334 }
1335 }),
1336 window.observe(editor, cx, move |editor, window, cx| {
1337 InlineAssistant::update_global(cx, |this, cx| {
1338 this.handle_editor_change(editor, window, cx)
1339 })
1340 }),
1341 window.subscribe(editor, cx, move |editor, event, window, cx| {
1342 InlineAssistant::update_global(cx, |this, cx| {
1343 this.handle_editor_event(editor, event, window, cx)
1344 })
1345 }),
1346 editor.update(cx, |editor, cx| {
1347 let editor_handle = cx.entity().downgrade();
1348 editor.register_action(move |_: &editor::actions::Newline, window, cx| {
1349 InlineAssistant::update_global(cx, |this, cx| {
1350 if let Some(editor) = editor_handle.upgrade() {
1351 this.handle_editor_newline(editor, window, cx)
1352 }
1353 })
1354 })
1355 }),
1356 editor.update(cx, |editor, cx| {
1357 let editor_handle = cx.entity().downgrade();
1358 editor.register_action(move |_: &editor::actions::Cancel, window, cx| {
1359 InlineAssistant::update_global(cx, |this, cx| {
1360 if let Some(editor) = editor_handle.upgrade() {
1361 this.handle_editor_cancel(editor, window, cx)
1362 }
1363 })
1364 })
1365 }),
1366 ],
1367 }
1368 }
1369}
1370
1371struct InlineAssistGroup {
1372 assist_ids: Vec<InlineAssistId>,
1373 linked: bool,
1374 active_assist_id: Option<InlineAssistId>,
1375}
1376
1377impl InlineAssistGroup {
1378 fn new() -> Self {
1379 Self {
1380 assist_ids: Vec::new(),
1381 linked: true,
1382 active_assist_id: None,
1383 }
1384 }
1385}
1386
1387fn build_assist_editor_renderer(editor: &Entity<PromptEditor>) -> RenderBlock {
1388 let editor = editor.clone();
1389 Arc::new(move |cx: &mut BlockContext| {
1390 *editor.read(cx).gutter_dimensions.lock() = *cx.gutter_dimensions;
1391 editor.clone().into_any_element()
1392 })
1393}
1394
1395#[derive(Copy, Clone, Default, Debug, PartialEq, Eq, Hash)]
1396pub struct InlineAssistId(usize);
1397
1398impl InlineAssistId {
1399 fn post_inc(&mut self) -> InlineAssistId {
1400 let id = *self;
1401 self.0 += 1;
1402 id
1403 }
1404}
1405
1406#[derive(Copy, Clone, Default, Debug, PartialEq, Eq, Hash)]
1407struct InlineAssistGroupId(usize);
1408
1409impl InlineAssistGroupId {
1410 fn post_inc(&mut self) -> InlineAssistGroupId {
1411 let id = *self;
1412 self.0 += 1;
1413 id
1414 }
1415}
1416
1417enum PromptEditorEvent {
1418 StartRequested,
1419 StopRequested,
1420 ConfirmRequested,
1421 CancelRequested,
1422 DismissRequested,
1423}
1424
1425struct PromptEditor {
1426 id: InlineAssistId,
1427 editor: Entity<Editor>,
1428 language_model_selector: Entity<LanguageModelSelector>,
1429 edited_since_done: bool,
1430 gutter_dimensions: Arc<Mutex<GutterDimensions>>,
1431 prompt_history: VecDeque<String>,
1432 prompt_history_ix: Option<usize>,
1433 pending_prompt: String,
1434 codegen: Entity<Codegen>,
1435 _codegen_subscription: Subscription,
1436 editor_subscriptions: Vec<Subscription>,
1437 pending_token_count: Task<Result<()>>,
1438 token_counts: Option<TokenCounts>,
1439 _token_count_subscriptions: Vec<Subscription>,
1440 workspace: Option<WeakEntity<Workspace>>,
1441 show_rate_limit_notice: bool,
1442}
1443
1444#[derive(Copy, Clone)]
1445pub struct TokenCounts {
1446 total: usize,
1447 assistant_panel: usize,
1448}
1449
1450impl EventEmitter<PromptEditorEvent> for PromptEditor {}
1451
1452impl Render for PromptEditor {
1453 fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
1454 let gutter_dimensions = *self.gutter_dimensions.lock();
1455 let codegen = self.codegen.read(cx);
1456
1457 let mut buttons = Vec::new();
1458 if codegen.alternative_count(cx) > 1 {
1459 buttons.push(self.render_cycle_controls(cx));
1460 }
1461
1462 let status = codegen.status(cx);
1463 buttons.extend(match status {
1464 CodegenStatus::Idle => {
1465 vec![
1466 IconButton::new("cancel", IconName::Close)
1467 .icon_color(Color::Muted)
1468 .shape(IconButtonShape::Square)
1469 .tooltip(|window, cx| {
1470 Tooltip::for_action("Cancel Assist", &menu::Cancel, window, cx)
1471 })
1472 .on_click(
1473 cx.listener(|_, _, _, cx| cx.emit(PromptEditorEvent::CancelRequested)),
1474 )
1475 .into_any_element(),
1476 IconButton::new("start", IconName::SparkleAlt)
1477 .icon_color(Color::Muted)
1478 .shape(IconButtonShape::Square)
1479 .tooltip(|window, cx| {
1480 Tooltip::for_action("Transform", &menu::Confirm, window, cx)
1481 })
1482 .on_click(
1483 cx.listener(|_, _, _, cx| cx.emit(PromptEditorEvent::StartRequested)),
1484 )
1485 .into_any_element(),
1486 ]
1487 }
1488 CodegenStatus::Pending => {
1489 vec![
1490 IconButton::new("cancel", IconName::Close)
1491 .icon_color(Color::Muted)
1492 .shape(IconButtonShape::Square)
1493 .tooltip(Tooltip::text("Cancel Assist"))
1494 .on_click(
1495 cx.listener(|_, _, _, cx| cx.emit(PromptEditorEvent::CancelRequested)),
1496 )
1497 .into_any_element(),
1498 IconButton::new("stop", IconName::Stop)
1499 .icon_color(Color::Error)
1500 .shape(IconButtonShape::Square)
1501 .tooltip(|window, cx| {
1502 Tooltip::with_meta(
1503 "Interrupt Transformation",
1504 Some(&menu::Cancel),
1505 "Changes won't be discarded",
1506 window,
1507 cx,
1508 )
1509 })
1510 .on_click(
1511 cx.listener(|_, _, _, cx| cx.emit(PromptEditorEvent::StopRequested)),
1512 )
1513 .into_any_element(),
1514 ]
1515 }
1516 CodegenStatus::Error(_) | CodegenStatus::Done => {
1517 let must_rerun =
1518 self.edited_since_done || matches!(status, CodegenStatus::Error(_));
1519 // when accept button isn't visible, then restart maps to confirm
1520 // when accept button is visible, then restart must be mapped to an alternate keyboard shortcut
1521 let restart_key: &dyn gpui::Action = if must_rerun {
1522 &menu::Confirm
1523 } else {
1524 &menu::Restart
1525 };
1526 vec![
1527 IconButton::new("cancel", IconName::Close)
1528 .icon_color(Color::Muted)
1529 .shape(IconButtonShape::Square)
1530 .tooltip(|window, cx| {
1531 Tooltip::for_action("Cancel Assist", &menu::Cancel, window, cx)
1532 })
1533 .on_click(
1534 cx.listener(|_, _, _, cx| cx.emit(PromptEditorEvent::CancelRequested)),
1535 )
1536 .into_any_element(),
1537 IconButton::new("restart", IconName::RotateCw)
1538 .icon_color(Color::Muted)
1539 .shape(IconButtonShape::Square)
1540 .tooltip(|window, cx| {
1541 Tooltip::with_meta(
1542 "Regenerate Transformation",
1543 Some(restart_key),
1544 "Current change will be discarded",
1545 window,
1546 cx,
1547 )
1548 })
1549 .on_click(cx.listener(|_, _, _, cx| {
1550 cx.emit(PromptEditorEvent::StartRequested);
1551 }))
1552 .into_any_element(),
1553 if !must_rerun {
1554 IconButton::new("confirm", IconName::Check)
1555 .icon_color(Color::Info)
1556 .shape(IconButtonShape::Square)
1557 .tooltip(|window, cx| {
1558 Tooltip::for_action("Confirm Assist", &menu::Confirm, window, cx)
1559 })
1560 .on_click(cx.listener(|_, _, _, cx| {
1561 cx.emit(PromptEditorEvent::ConfirmRequested);
1562 }))
1563 .into_any_element()
1564 } else {
1565 div().into_any_element()
1566 },
1567 ]
1568 }
1569 });
1570
1571 h_flex()
1572 .key_context("PromptEditor")
1573 .bg(cx.theme().colors().editor_background)
1574 .block_mouse_down()
1575 .cursor(CursorStyle::Arrow)
1576 .border_y_1()
1577 .border_color(cx.theme().status().info_border)
1578 .size_full()
1579 .py(window.line_height() / 2.5)
1580 .on_action(cx.listener(Self::confirm))
1581 .on_action(cx.listener(Self::cancel))
1582 .on_action(cx.listener(Self::restart))
1583 .on_action(cx.listener(Self::move_up))
1584 .on_action(cx.listener(Self::move_down))
1585 .capture_action(cx.listener(Self::cycle_prev))
1586 .capture_action(cx.listener(Self::cycle_next))
1587 .child(
1588 h_flex()
1589 .w(gutter_dimensions.full_width() + (gutter_dimensions.margin / 2.0))
1590 .justify_center()
1591 .gap_2()
1592 .child(LanguageModelSelectorPopoverMenu::new(
1593 self.language_model_selector.clone(),
1594 IconButton::new("context", IconName::SettingsAlt)
1595 .shape(IconButtonShape::Square)
1596 .icon_size(IconSize::Small)
1597 .icon_color(Color::Muted),
1598 move |window, cx| {
1599 Tooltip::with_meta(
1600 format!(
1601 "Using {}",
1602 LanguageModelRegistry::read_global(cx)
1603 .active_model()
1604 .map(|model| model.name().0)
1605 .unwrap_or_else(|| "No model selected".into()),
1606 ),
1607 None,
1608 "Change Model",
1609 window,
1610 cx,
1611 )
1612 },
1613 gpui::Corner::TopRight,
1614 ))
1615 .map(|el| {
1616 let CodegenStatus::Error(error) = self.codegen.read(cx).status(cx) else {
1617 return el;
1618 };
1619
1620 let error_message = SharedString::from(error.to_string());
1621 if error.error_code() == proto::ErrorCode::RateLimitExceeded
1622 && cx.has_flag::<ZedPro>()
1623 {
1624 el.child(
1625 v_flex()
1626 .child(
1627 IconButton::new("rate-limit-error", IconName::XCircle)
1628 .toggle_state(self.show_rate_limit_notice)
1629 .shape(IconButtonShape::Square)
1630 .icon_size(IconSize::Small)
1631 .on_click(cx.listener(Self::toggle_rate_limit_notice)),
1632 )
1633 .children(self.show_rate_limit_notice.then(|| {
1634 deferred(
1635 anchored()
1636 .position_mode(gpui::AnchoredPositionMode::Local)
1637 .position(point(px(0.), px(24.)))
1638 .anchor(gpui::Corner::TopLeft)
1639 .child(self.render_rate_limit_notice(cx)),
1640 )
1641 })),
1642 )
1643 } else {
1644 el.child(
1645 div()
1646 .id("error")
1647 .tooltip(Tooltip::text(error_message))
1648 .child(
1649 Icon::new(IconName::XCircle)
1650 .size(IconSize::Small)
1651 .color(Color::Error),
1652 ),
1653 )
1654 }
1655 }),
1656 )
1657 .child(div().flex_1().child(self.render_prompt_editor(cx)))
1658 .child(
1659 h_flex()
1660 .gap_2()
1661 .pr_6()
1662 .children(self.render_token_count(cx))
1663 .children(buttons),
1664 )
1665 }
1666}
1667
1668impl Focusable for PromptEditor {
1669 fn focus_handle(&self, cx: &App) -> FocusHandle {
1670 self.editor.focus_handle(cx)
1671 }
1672}
1673
1674impl PromptEditor {
1675 const MAX_LINES: u8 = 8;
1676
1677 #[allow(clippy::too_many_arguments)]
1678 fn new(
1679 id: InlineAssistId,
1680 gutter_dimensions: Arc<Mutex<GutterDimensions>>,
1681 prompt_history: VecDeque<String>,
1682 prompt_buffer: Entity<MultiBuffer>,
1683 codegen: Entity<Codegen>,
1684 parent_editor: &Entity<Editor>,
1685 assistant_panel: Option<&Entity<AssistantPanel>>,
1686 workspace: Option<WeakEntity<Workspace>>,
1687 fs: Arc<dyn Fs>,
1688 window: &mut Window,
1689 cx: &mut Context<Self>,
1690 ) -> Self {
1691 let prompt_editor = cx.new(|cx| {
1692 let mut editor = Editor::new(
1693 EditorMode::AutoHeight {
1694 max_lines: Self::MAX_LINES as usize,
1695 },
1696 prompt_buffer,
1697 None,
1698 false,
1699 window,
1700 cx,
1701 );
1702 editor.set_soft_wrap_mode(language::language_settings::SoftWrap::EditorWidth, cx);
1703 // Since the prompt editors for all inline assistants are linked,
1704 // always show the cursor (even when it isn't focused) because
1705 // typing in one will make what you typed appear in all of them.
1706 editor.set_show_cursor_when_unfocused(true, cx);
1707 editor.set_placeholder_text(Self::placeholder_text(codegen.read(cx), window, cx), cx);
1708 editor
1709 });
1710
1711 let mut token_count_subscriptions = Vec::new();
1712 token_count_subscriptions.push(cx.subscribe_in(
1713 parent_editor,
1714 window,
1715 Self::handle_parent_editor_event,
1716 ));
1717 if let Some(assistant_panel) = assistant_panel {
1718 token_count_subscriptions.push(cx.subscribe_in(
1719 assistant_panel,
1720 window,
1721 Self::handle_assistant_panel_event,
1722 ));
1723 }
1724
1725 let mut this = Self {
1726 id,
1727 editor: prompt_editor,
1728 language_model_selector: cx.new(|cx| {
1729 let fs = fs.clone();
1730 LanguageModelSelector::new(
1731 move |model, cx| {
1732 update_settings_file::<AssistantSettings>(
1733 fs.clone(),
1734 cx,
1735 move |settings, _| settings.set_model(model.clone()),
1736 );
1737 },
1738 window,
1739 cx,
1740 )
1741 }),
1742 edited_since_done: false,
1743 gutter_dimensions,
1744 prompt_history,
1745 prompt_history_ix: None,
1746 pending_prompt: String::new(),
1747 _codegen_subscription: cx.observe(&codegen, Self::handle_codegen_changed),
1748 editor_subscriptions: Vec::new(),
1749 codegen,
1750 pending_token_count: Task::ready(Ok(())),
1751 token_counts: None,
1752 _token_count_subscriptions: token_count_subscriptions,
1753 workspace,
1754 show_rate_limit_notice: false,
1755 };
1756 this.count_tokens(cx);
1757 this.subscribe_to_editor(window, cx);
1758 this
1759 }
1760
1761 fn subscribe_to_editor(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1762 self.editor_subscriptions.clear();
1763 self.editor_subscriptions.push(cx.subscribe_in(
1764 &self.editor,
1765 window,
1766 Self::handle_prompt_editor_events,
1767 ));
1768 }
1769
1770 fn set_show_cursor_when_unfocused(
1771 &mut self,
1772 show_cursor_when_unfocused: bool,
1773 cx: &mut Context<Self>,
1774 ) {
1775 self.editor.update(cx, |editor, cx| {
1776 editor.set_show_cursor_when_unfocused(show_cursor_when_unfocused, cx)
1777 });
1778 }
1779
1780 fn unlink(&mut self, window: &mut Window, cx: &mut Context<Self>) {
1781 let prompt = self.prompt(cx);
1782 let focus = self.editor.focus_handle(cx).contains_focused(window, cx);
1783 self.editor = cx.new(|cx| {
1784 let mut editor = Editor::auto_height(Self::MAX_LINES as usize, window, cx);
1785 editor.set_soft_wrap_mode(language::language_settings::SoftWrap::EditorWidth, cx);
1786 editor.set_placeholder_text(
1787 Self::placeholder_text(self.codegen.read(cx), window, cx),
1788 cx,
1789 );
1790 editor.set_placeholder_text("Add a prompt…", cx);
1791 editor.set_text(prompt, window, cx);
1792 if focus {
1793 window.focus(&editor.focus_handle(cx));
1794 }
1795 editor
1796 });
1797 self.subscribe_to_editor(window, cx);
1798 }
1799
1800 fn placeholder_text(codegen: &Codegen, window: &Window, cx: &App) -> String {
1801 let context_keybinding = text_for_action(&zed_actions::assistant::ToggleFocus, window, cx)
1802 .map(|keybinding| format!(" • {keybinding} for context"))
1803 .unwrap_or_default();
1804
1805 let action = if codegen.is_insertion {
1806 "Generate"
1807 } else {
1808 "Transform"
1809 };
1810
1811 format!("{action}…{context_keybinding} • ↓↑ for history")
1812 }
1813
1814 fn prompt(&self, cx: &App) -> String {
1815 self.editor.read(cx).text(cx)
1816 }
1817
1818 fn toggle_rate_limit_notice(
1819 &mut self,
1820 _: &ClickEvent,
1821 window: &mut Window,
1822 cx: &mut Context<Self>,
1823 ) {
1824 self.show_rate_limit_notice = !self.show_rate_limit_notice;
1825 if self.show_rate_limit_notice {
1826 window.focus(&self.editor.focus_handle(cx));
1827 }
1828 cx.notify();
1829 }
1830
1831 fn handle_parent_editor_event(
1832 &mut self,
1833 _: &Entity<Editor>,
1834 event: &EditorEvent,
1835 _: &mut Window,
1836 cx: &mut Context<Self>,
1837 ) {
1838 if let EditorEvent::BufferEdited { .. } = event {
1839 self.count_tokens(cx);
1840 }
1841 }
1842
1843 fn handle_assistant_panel_event(
1844 &mut self,
1845 _: &Entity<AssistantPanel>,
1846 event: &AssistantPanelEvent,
1847 _: &mut Window,
1848 cx: &mut Context<Self>,
1849 ) {
1850 let AssistantPanelEvent::ContextEdited { .. } = event;
1851 self.count_tokens(cx);
1852 }
1853
1854 fn count_tokens(&mut self, cx: &mut Context<Self>) {
1855 let assist_id = self.id;
1856 self.pending_token_count = cx.spawn(|this, mut cx| async move {
1857 cx.background_executor().timer(Duration::from_secs(1)).await;
1858 let token_count = cx
1859 .update_global(|inline_assistant: &mut InlineAssistant, cx| {
1860 let assist = inline_assistant
1861 .assists
1862 .get(&assist_id)
1863 .context("assist not found")?;
1864 anyhow::Ok(assist.count_tokens(cx))
1865 })??
1866 .await?;
1867
1868 this.update(&mut cx, |this, cx| {
1869 this.token_counts = Some(token_count);
1870 cx.notify();
1871 })
1872 })
1873 }
1874
1875 fn handle_prompt_editor_events(
1876 &mut self,
1877 _: &Entity<Editor>,
1878 event: &EditorEvent,
1879 window: &mut Window,
1880 cx: &mut Context<Self>,
1881 ) {
1882 match event {
1883 EditorEvent::Edited { .. } => {
1884 if let Some(workspace) = window.root::<Workspace>().flatten() {
1885 workspace.update(cx, |workspace, cx| {
1886 let is_via_ssh = workspace
1887 .project()
1888 .update(cx, |project, _| project.is_via_ssh());
1889
1890 workspace
1891 .client()
1892 .telemetry()
1893 .log_edit_event("inline assist", is_via_ssh);
1894 });
1895 }
1896 let prompt = self.editor.read(cx).text(cx);
1897 if self
1898 .prompt_history_ix
1899 .map_or(true, |ix| self.prompt_history[ix] != prompt)
1900 {
1901 self.prompt_history_ix.take();
1902 self.pending_prompt = prompt;
1903 }
1904
1905 self.edited_since_done = true;
1906 cx.notify();
1907 }
1908 EditorEvent::BufferEdited => {
1909 self.count_tokens(cx);
1910 }
1911 EditorEvent::Blurred => {
1912 if self.show_rate_limit_notice {
1913 self.show_rate_limit_notice = false;
1914 cx.notify();
1915 }
1916 }
1917 _ => {}
1918 }
1919 }
1920
1921 fn handle_codegen_changed(&mut self, _: Entity<Codegen>, cx: &mut Context<Self>) {
1922 match self.codegen.read(cx).status(cx) {
1923 CodegenStatus::Idle => {
1924 self.editor
1925 .update(cx, |editor, _| editor.set_read_only(false));
1926 }
1927 CodegenStatus::Pending => {
1928 self.editor
1929 .update(cx, |editor, _| editor.set_read_only(true));
1930 }
1931 CodegenStatus::Done => {
1932 self.edited_since_done = false;
1933 self.editor
1934 .update(cx, |editor, _| editor.set_read_only(false));
1935 }
1936 CodegenStatus::Error(error) => {
1937 if cx.has_flag::<ZedPro>()
1938 && error.error_code() == proto::ErrorCode::RateLimitExceeded
1939 && !dismissed_rate_limit_notice()
1940 {
1941 self.show_rate_limit_notice = true;
1942 cx.notify();
1943 }
1944
1945 self.edited_since_done = false;
1946 self.editor
1947 .update(cx, |editor, _| editor.set_read_only(false));
1948 }
1949 }
1950 }
1951
1952 fn restart(&mut self, _: &menu::Restart, _window: &mut Window, cx: &mut Context<Self>) {
1953 cx.emit(PromptEditorEvent::StartRequested);
1954 }
1955
1956 fn cancel(
1957 &mut self,
1958 _: &editor::actions::Cancel,
1959 _window: &mut Window,
1960 cx: &mut Context<Self>,
1961 ) {
1962 match self.codegen.read(cx).status(cx) {
1963 CodegenStatus::Idle | CodegenStatus::Done | CodegenStatus::Error(_) => {
1964 cx.emit(PromptEditorEvent::CancelRequested);
1965 }
1966 CodegenStatus::Pending => {
1967 cx.emit(PromptEditorEvent::StopRequested);
1968 }
1969 }
1970 }
1971
1972 fn confirm(&mut self, _: &menu::Confirm, _window: &mut Window, cx: &mut Context<Self>) {
1973 match self.codegen.read(cx).status(cx) {
1974 CodegenStatus::Idle => {
1975 cx.emit(PromptEditorEvent::StartRequested);
1976 }
1977 CodegenStatus::Pending => {
1978 cx.emit(PromptEditorEvent::DismissRequested);
1979 }
1980 CodegenStatus::Done => {
1981 if self.edited_since_done {
1982 cx.emit(PromptEditorEvent::StartRequested);
1983 } else {
1984 cx.emit(PromptEditorEvent::ConfirmRequested);
1985 }
1986 }
1987 CodegenStatus::Error(_) => {
1988 cx.emit(PromptEditorEvent::StartRequested);
1989 }
1990 }
1991 }
1992
1993 fn move_up(&mut self, _: &MoveUp, window: &mut Window, cx: &mut Context<Self>) {
1994 if let Some(ix) = self.prompt_history_ix {
1995 if ix > 0 {
1996 self.prompt_history_ix = Some(ix - 1);
1997 let prompt = self.prompt_history[ix - 1].as_str();
1998 self.editor.update(cx, |editor, cx| {
1999 editor.set_text(prompt, window, cx);
2000 editor.move_to_beginning(&Default::default(), window, cx);
2001 });
2002 }
2003 } else if !self.prompt_history.is_empty() {
2004 self.prompt_history_ix = Some(self.prompt_history.len() - 1);
2005 let prompt = self.prompt_history[self.prompt_history.len() - 1].as_str();
2006 self.editor.update(cx, |editor, cx| {
2007 editor.set_text(prompt, window, cx);
2008 editor.move_to_beginning(&Default::default(), window, cx);
2009 });
2010 }
2011 }
2012
2013 fn move_down(&mut self, _: &MoveDown, window: &mut Window, cx: &mut Context<Self>) {
2014 if let Some(ix) = self.prompt_history_ix {
2015 if ix < self.prompt_history.len() - 1 {
2016 self.prompt_history_ix = Some(ix + 1);
2017 let prompt = self.prompt_history[ix + 1].as_str();
2018 self.editor.update(cx, |editor, cx| {
2019 editor.set_text(prompt, window, cx);
2020 editor.move_to_end(&Default::default(), window, cx)
2021 });
2022 } else {
2023 self.prompt_history_ix = None;
2024 let prompt = self.pending_prompt.as_str();
2025 self.editor.update(cx, |editor, cx| {
2026 editor.set_text(prompt, window, cx);
2027 editor.move_to_end(&Default::default(), window, cx)
2028 });
2029 }
2030 }
2031 }
2032
2033 fn cycle_prev(
2034 &mut self,
2035 _: &CyclePreviousInlineAssist,
2036 _: &mut Window,
2037 cx: &mut Context<Self>,
2038 ) {
2039 self.codegen
2040 .update(cx, |codegen, cx| codegen.cycle_prev(cx));
2041 }
2042
2043 fn cycle_next(&mut self, _: &CycleNextInlineAssist, _: &mut Window, cx: &mut Context<Self>) {
2044 self.codegen
2045 .update(cx, |codegen, cx| codegen.cycle_next(cx));
2046 }
2047
2048 fn render_cycle_controls(&self, cx: &Context<Self>) -> AnyElement {
2049 let codegen = self.codegen.read(cx);
2050 let disabled = matches!(codegen.status(cx), CodegenStatus::Idle);
2051
2052 let model_registry = LanguageModelRegistry::read_global(cx);
2053 let default_model = model_registry.active_model();
2054 let alternative_models = model_registry.inline_alternative_models();
2055
2056 let get_model_name = |index: usize| -> String {
2057 let name = |model: &Arc<dyn LanguageModel>| model.name().0.to_string();
2058
2059 match index {
2060 0 => default_model.as_ref().map_or_else(String::new, name),
2061 index if index <= alternative_models.len() => alternative_models
2062 .get(index - 1)
2063 .map_or_else(String::new, name),
2064 _ => String::new(),
2065 }
2066 };
2067
2068 let total_models = alternative_models.len() + 1;
2069
2070 if total_models <= 1 {
2071 return div().into_any_element();
2072 }
2073
2074 let current_index = codegen.active_alternative;
2075 let prev_index = (current_index + total_models - 1) % total_models;
2076 let next_index = (current_index + 1) % total_models;
2077
2078 let prev_model_name = get_model_name(prev_index);
2079 let next_model_name = get_model_name(next_index);
2080
2081 h_flex()
2082 .child(
2083 IconButton::new("previous", IconName::ChevronLeft)
2084 .icon_color(Color::Muted)
2085 .disabled(disabled || current_index == 0)
2086 .shape(IconButtonShape::Square)
2087 .tooltip({
2088 let focus_handle = self.editor.focus_handle(cx);
2089 move |window, cx| {
2090 cx.new(|cx| {
2091 let mut tooltip = Tooltip::new("Previous Alternative").key_binding(
2092 KeyBinding::for_action_in(
2093 &CyclePreviousInlineAssist,
2094 &focus_handle,
2095 window,
2096 cx,
2097 ),
2098 );
2099 if !disabled && current_index != 0 {
2100 tooltip = tooltip.meta(prev_model_name.clone());
2101 }
2102 tooltip
2103 })
2104 .into()
2105 }
2106 })
2107 .on_click(cx.listener(|this, _, _, cx| {
2108 this.codegen
2109 .update(cx, |codegen, cx| codegen.cycle_prev(cx))
2110 })),
2111 )
2112 .child(
2113 Label::new(format!(
2114 "{}/{}",
2115 codegen.active_alternative + 1,
2116 codegen.alternative_count(cx)
2117 ))
2118 .size(LabelSize::Small)
2119 .color(if disabled {
2120 Color::Disabled
2121 } else {
2122 Color::Muted
2123 }),
2124 )
2125 .child(
2126 IconButton::new("next", IconName::ChevronRight)
2127 .icon_color(Color::Muted)
2128 .disabled(disabled || current_index == total_models - 1)
2129 .shape(IconButtonShape::Square)
2130 .tooltip({
2131 let focus_handle = self.editor.focus_handle(cx);
2132 move |window, cx| {
2133 cx.new(|cx| {
2134 let mut tooltip = Tooltip::new("Next Alternative").key_binding(
2135 KeyBinding::for_action_in(
2136 &CycleNextInlineAssist,
2137 &focus_handle,
2138 window,
2139 cx,
2140 ),
2141 );
2142 if !disabled && current_index != total_models - 1 {
2143 tooltip = tooltip.meta(next_model_name.clone());
2144 }
2145 tooltip
2146 })
2147 .into()
2148 }
2149 })
2150 .on_click(cx.listener(|this, _, _, cx| {
2151 this.codegen
2152 .update(cx, |codegen, cx| codegen.cycle_next(cx))
2153 })),
2154 )
2155 .into_any_element()
2156 }
2157
2158 fn render_token_count(&self, cx: &mut Context<Self>) -> Option<impl IntoElement> {
2159 let model = LanguageModelRegistry::read_global(cx).active_model()?;
2160 let token_counts = self.token_counts?;
2161 let max_token_count = model.max_token_count();
2162
2163 let remaining_tokens = max_token_count as isize - token_counts.total as isize;
2164 let token_count_color = if remaining_tokens <= 0 {
2165 Color::Error
2166 } else if token_counts.total as f32 / max_token_count as f32 >= 0.8 {
2167 Color::Warning
2168 } else {
2169 Color::Muted
2170 };
2171
2172 let mut token_count = h_flex()
2173 .id("token_count")
2174 .gap_0p5()
2175 .child(
2176 Label::new(humanize_token_count(token_counts.total))
2177 .size(LabelSize::Small)
2178 .color(token_count_color),
2179 )
2180 .child(Label::new("/").size(LabelSize::Small).color(Color::Muted))
2181 .child(
2182 Label::new(humanize_token_count(max_token_count))
2183 .size(LabelSize::Small)
2184 .color(Color::Muted),
2185 );
2186 if let Some(workspace) = self.workspace.clone() {
2187 token_count = token_count
2188 .tooltip(move |window, cx| {
2189 Tooltip::with_meta(
2190 format!(
2191 "Tokens Used ({} from the Assistant Panel)",
2192 humanize_token_count(token_counts.assistant_panel)
2193 ),
2194 None,
2195 "Click to open the Assistant Panel",
2196 window,
2197 cx,
2198 )
2199 })
2200 .cursor_pointer()
2201 .on_mouse_down(gpui::MouseButton::Left, |_, _, cx| cx.stop_propagation())
2202 .on_click(move |_, window, cx| {
2203 cx.stop_propagation();
2204 workspace
2205 .update(cx, |workspace, cx| {
2206 workspace.focus_panel::<AssistantPanel>(window, cx)
2207 })
2208 .ok();
2209 });
2210 } else {
2211 token_count = token_count
2212 .cursor_default()
2213 .tooltip(Tooltip::text("Tokens used"));
2214 }
2215
2216 Some(token_count)
2217 }
2218
2219 fn render_prompt_editor(&self, cx: &mut Context<Self>) -> impl IntoElement {
2220 let settings = ThemeSettings::get_global(cx);
2221 let text_style = TextStyle {
2222 color: if self.editor.read(cx).read_only(cx) {
2223 cx.theme().colors().text_disabled
2224 } else {
2225 cx.theme().colors().text
2226 },
2227 font_family: settings.buffer_font.family.clone(),
2228 font_fallbacks: settings.buffer_font.fallbacks.clone(),
2229 font_size: settings.buffer_font_size(cx).into(),
2230 font_weight: settings.buffer_font.weight,
2231 line_height: relative(settings.buffer_line_height.value()),
2232 ..Default::default()
2233 };
2234 EditorElement::new(
2235 &self.editor,
2236 EditorStyle {
2237 background: cx.theme().colors().editor_background,
2238 local_player: cx.theme().players().local(),
2239 text: text_style,
2240 ..Default::default()
2241 },
2242 )
2243 }
2244
2245 fn render_rate_limit_notice(&self, cx: &mut Context<Self>) -> impl IntoElement {
2246 Popover::new().child(
2247 v_flex()
2248 .occlude()
2249 .p_2()
2250 .child(
2251 Label::new("Out of Tokens")
2252 .size(LabelSize::Small)
2253 .weight(FontWeight::BOLD),
2254 )
2255 .child(Label::new(
2256 "Try Zed Pro for higher limits, a wider range of models, and more.",
2257 ))
2258 .child(
2259 h_flex()
2260 .justify_between()
2261 .child(CheckboxWithLabel::new(
2262 "dont-show-again",
2263 Label::new("Don't show again"),
2264 if dismissed_rate_limit_notice() {
2265 ui::ToggleState::Selected
2266 } else {
2267 ui::ToggleState::Unselected
2268 },
2269 |selection, _, cx| {
2270 let is_dismissed = match selection {
2271 ui::ToggleState::Unselected => false,
2272 ui::ToggleState::Indeterminate => return,
2273 ui::ToggleState::Selected => true,
2274 };
2275
2276 set_rate_limit_notice_dismissed(is_dismissed, cx)
2277 },
2278 ))
2279 .child(
2280 h_flex()
2281 .gap_2()
2282 .child(
2283 Button::new("dismiss", "Dismiss")
2284 .style(ButtonStyle::Transparent)
2285 .on_click(cx.listener(Self::toggle_rate_limit_notice)),
2286 )
2287 .child(Button::new("more-info", "More Info").on_click(
2288 |_event, window, cx| {
2289 window.dispatch_action(
2290 Box::new(zed_actions::OpenAccountSettings),
2291 cx,
2292 )
2293 },
2294 )),
2295 ),
2296 ),
2297 )
2298 }
2299}
2300
2301const DISMISSED_RATE_LIMIT_NOTICE_KEY: &str = "dismissed-rate-limit-notice";
2302
2303fn dismissed_rate_limit_notice() -> bool {
2304 db::kvp::KEY_VALUE_STORE
2305 .read_kvp(DISMISSED_RATE_LIMIT_NOTICE_KEY)
2306 .log_err()
2307 .map_or(false, |s| s.is_some())
2308}
2309
2310fn set_rate_limit_notice_dismissed(is_dismissed: bool, cx: &mut App) {
2311 db::write_and_log(cx, move || async move {
2312 if is_dismissed {
2313 db::kvp::KEY_VALUE_STORE
2314 .write_kvp(DISMISSED_RATE_LIMIT_NOTICE_KEY.into(), "1".into())
2315 .await
2316 } else {
2317 db::kvp::KEY_VALUE_STORE
2318 .delete_kvp(DISMISSED_RATE_LIMIT_NOTICE_KEY.into())
2319 .await
2320 }
2321 })
2322}
2323
2324struct InlineAssist {
2325 group_id: InlineAssistGroupId,
2326 range: Range<Anchor>,
2327 editor: WeakEntity<Editor>,
2328 decorations: Option<InlineAssistDecorations>,
2329 codegen: Entity<Codegen>,
2330 _subscriptions: Vec<Subscription>,
2331 workspace: Option<WeakEntity<Workspace>>,
2332 include_context: bool,
2333}
2334
2335impl InlineAssist {
2336 #[allow(clippy::too_many_arguments)]
2337 fn new(
2338 assist_id: InlineAssistId,
2339 group_id: InlineAssistGroupId,
2340 include_context: bool,
2341 editor: &Entity<Editor>,
2342 prompt_editor: &Entity<PromptEditor>,
2343 prompt_block_id: CustomBlockId,
2344 end_block_id: CustomBlockId,
2345 range: Range<Anchor>,
2346 codegen: Entity<Codegen>,
2347 workspace: Option<WeakEntity<Workspace>>,
2348 window: &mut Window,
2349 cx: &mut App,
2350 ) -> Self {
2351 let prompt_editor_focus_handle = prompt_editor.focus_handle(cx);
2352 InlineAssist {
2353 group_id,
2354 include_context,
2355 editor: editor.downgrade(),
2356 decorations: Some(InlineAssistDecorations {
2357 prompt_block_id,
2358 prompt_editor: prompt_editor.clone(),
2359 removed_line_block_ids: HashSet::default(),
2360 end_block_id,
2361 }),
2362 range,
2363 codegen: codegen.clone(),
2364 workspace: workspace.clone(),
2365 _subscriptions: vec![
2366 window.on_focus_in(&prompt_editor_focus_handle, cx, move |_, cx| {
2367 InlineAssistant::update_global(cx, |this, cx| {
2368 this.handle_prompt_editor_focus_in(assist_id, cx)
2369 })
2370 }),
2371 window.on_focus_out(&prompt_editor_focus_handle, cx, move |_, _, cx| {
2372 InlineAssistant::update_global(cx, |this, cx| {
2373 this.handle_prompt_editor_focus_out(assist_id, cx)
2374 })
2375 }),
2376 window.subscribe(
2377 prompt_editor,
2378 cx,
2379 move |prompt_editor, event, window, cx| {
2380 InlineAssistant::update_global(cx, |this, cx| {
2381 this.handle_prompt_editor_event(prompt_editor, event, window, cx)
2382 })
2383 },
2384 ),
2385 window.observe(&codegen, cx, {
2386 let editor = editor.downgrade();
2387 move |_, window, cx| {
2388 if let Some(editor) = editor.upgrade() {
2389 InlineAssistant::update_global(cx, |this, cx| {
2390 if let Some(editor_assists) =
2391 this.assists_by_editor.get(&editor.downgrade())
2392 {
2393 editor_assists.highlight_updates.send(()).ok();
2394 }
2395
2396 this.update_editor_blocks(&editor, assist_id, window, cx);
2397 })
2398 }
2399 }
2400 }),
2401 window.subscribe(&codegen, cx, move |codegen, event, window, cx| {
2402 InlineAssistant::update_global(cx, |this, cx| match event {
2403 CodegenEvent::Undone => this.finish_assist(assist_id, false, window, cx),
2404 CodegenEvent::Finished => {
2405 let assist = if let Some(assist) = this.assists.get(&assist_id) {
2406 assist
2407 } else {
2408 return;
2409 };
2410
2411 if let CodegenStatus::Error(error) = codegen.read(cx).status(cx) {
2412 if assist.decorations.is_none() {
2413 if let Some(workspace) = assist
2414 .workspace
2415 .as_ref()
2416 .and_then(|workspace| workspace.upgrade())
2417 {
2418 let error = format!("Inline assistant error: {}", error);
2419 workspace.update(cx, |workspace, cx| {
2420 struct InlineAssistantError;
2421
2422 let id =
2423 NotificationId::composite::<InlineAssistantError>(
2424 assist_id.0,
2425 );
2426
2427 workspace.show_toast(Toast::new(id, error), cx);
2428 })
2429 }
2430 }
2431 }
2432
2433 if assist.decorations.is_none() {
2434 this.finish_assist(assist_id, false, window, cx);
2435 }
2436 }
2437 })
2438 }),
2439 ],
2440 }
2441 }
2442
2443 fn user_prompt(&self, cx: &App) -> Option<String> {
2444 let decorations = self.decorations.as_ref()?;
2445 Some(decorations.prompt_editor.read(cx).prompt(cx))
2446 }
2447
2448 fn assistant_panel_context(&self, cx: &mut App) -> Option<LanguageModelRequest> {
2449 if self.include_context {
2450 let workspace = self.workspace.as_ref()?;
2451 let workspace = workspace.upgrade()?.read(cx);
2452 let assistant_panel = workspace.panel::<AssistantPanel>(cx)?;
2453 Some(
2454 assistant_panel
2455 .read(cx)
2456 .active_context(cx)?
2457 .read(cx)
2458 .to_completion_request(RequestType::Chat, cx),
2459 )
2460 } else {
2461 None
2462 }
2463 }
2464
2465 pub fn count_tokens(&self, cx: &mut App) -> BoxFuture<'static, Result<TokenCounts>> {
2466 let Some(user_prompt) = self.user_prompt(cx) else {
2467 return future::ready(Err(anyhow!("no user prompt"))).boxed();
2468 };
2469 let assistant_panel_context = self.assistant_panel_context(cx);
2470 self.codegen
2471 .read(cx)
2472 .count_tokens(user_prompt, assistant_panel_context, cx)
2473 }
2474}
2475
2476struct InlineAssistDecorations {
2477 prompt_block_id: CustomBlockId,
2478 prompt_editor: Entity<PromptEditor>,
2479 removed_line_block_ids: HashSet<CustomBlockId>,
2480 end_block_id: CustomBlockId,
2481}
2482
2483#[derive(Copy, Clone, Debug)]
2484pub enum CodegenEvent {
2485 Finished,
2486 Undone,
2487}
2488
2489pub struct Codegen {
2490 alternatives: Vec<Entity<CodegenAlternative>>,
2491 active_alternative: usize,
2492 seen_alternatives: HashSet<usize>,
2493 subscriptions: Vec<Subscription>,
2494 buffer: Entity<MultiBuffer>,
2495 range: Range<Anchor>,
2496 initial_transaction_id: Option<TransactionId>,
2497 telemetry: Arc<Telemetry>,
2498 builder: Arc<PromptBuilder>,
2499 is_insertion: bool,
2500}
2501
2502impl Codegen {
2503 pub fn new(
2504 buffer: Entity<MultiBuffer>,
2505 range: Range<Anchor>,
2506 initial_transaction_id: Option<TransactionId>,
2507 telemetry: Arc<Telemetry>,
2508 builder: Arc<PromptBuilder>,
2509 cx: &mut Context<Self>,
2510 ) -> Self {
2511 let codegen = cx.new(|cx| {
2512 CodegenAlternative::new(
2513 buffer.clone(),
2514 range.clone(),
2515 false,
2516 Some(telemetry.clone()),
2517 builder.clone(),
2518 cx,
2519 )
2520 });
2521 let mut this = Self {
2522 is_insertion: range.to_offset(&buffer.read(cx).snapshot(cx)).is_empty(),
2523 alternatives: vec![codegen],
2524 active_alternative: 0,
2525 seen_alternatives: HashSet::default(),
2526 subscriptions: Vec::new(),
2527 buffer,
2528 range,
2529 initial_transaction_id,
2530 telemetry,
2531 builder,
2532 };
2533 this.activate(0, cx);
2534 this
2535 }
2536
2537 fn subscribe_to_alternative(&mut self, cx: &mut Context<Self>) {
2538 let codegen = self.active_alternative().clone();
2539 self.subscriptions.clear();
2540 self.subscriptions
2541 .push(cx.observe(&codegen, |_, _, cx| cx.notify()));
2542 self.subscriptions
2543 .push(cx.subscribe(&codegen, |_, _, event, cx| cx.emit(*event)));
2544 }
2545
2546 fn active_alternative(&self) -> &Entity<CodegenAlternative> {
2547 &self.alternatives[self.active_alternative]
2548 }
2549
2550 fn status<'a>(&self, cx: &'a App) -> &'a CodegenStatus {
2551 &self.active_alternative().read(cx).status
2552 }
2553
2554 fn alternative_count(&self, cx: &App) -> usize {
2555 LanguageModelRegistry::read_global(cx)
2556 .inline_alternative_models()
2557 .len()
2558 + 1
2559 }
2560
2561 pub fn cycle_prev(&mut self, cx: &mut Context<Self>) {
2562 let next_active_ix = if self.active_alternative == 0 {
2563 self.alternatives.len() - 1
2564 } else {
2565 self.active_alternative - 1
2566 };
2567 self.activate(next_active_ix, cx);
2568 }
2569
2570 pub fn cycle_next(&mut self, cx: &mut Context<Self>) {
2571 let next_active_ix = (self.active_alternative + 1) % self.alternatives.len();
2572 self.activate(next_active_ix, cx);
2573 }
2574
2575 fn activate(&mut self, index: usize, cx: &mut Context<Self>) {
2576 self.active_alternative()
2577 .update(cx, |codegen, cx| codegen.set_active(false, cx));
2578 self.seen_alternatives.insert(index);
2579 self.active_alternative = index;
2580 self.active_alternative()
2581 .update(cx, |codegen, cx| codegen.set_active(true, cx));
2582 self.subscribe_to_alternative(cx);
2583 cx.notify();
2584 }
2585
2586 pub fn start(
2587 &mut self,
2588 user_prompt: String,
2589 assistant_panel_context: Option<LanguageModelRequest>,
2590 cx: &mut Context<Self>,
2591 ) -> Result<()> {
2592 let alternative_models = LanguageModelRegistry::read_global(cx)
2593 .inline_alternative_models()
2594 .to_vec();
2595
2596 self.active_alternative()
2597 .update(cx, |alternative, cx| alternative.undo(cx));
2598 self.activate(0, cx);
2599 self.alternatives.truncate(1);
2600
2601 for _ in 0..alternative_models.len() {
2602 self.alternatives.push(cx.new(|cx| {
2603 CodegenAlternative::new(
2604 self.buffer.clone(),
2605 self.range.clone(),
2606 false,
2607 Some(self.telemetry.clone()),
2608 self.builder.clone(),
2609 cx,
2610 )
2611 }));
2612 }
2613
2614 let primary_model = LanguageModelRegistry::read_global(cx)
2615 .active_model()
2616 .context("no active model")?;
2617
2618 for (model, alternative) in iter::once(primary_model)
2619 .chain(alternative_models)
2620 .zip(&self.alternatives)
2621 {
2622 alternative.update(cx, |alternative, cx| {
2623 alternative.start(
2624 user_prompt.clone(),
2625 assistant_panel_context.clone(),
2626 model.clone(),
2627 cx,
2628 )
2629 })?;
2630 }
2631
2632 Ok(())
2633 }
2634
2635 pub fn stop(&mut self, cx: &mut Context<Self>) {
2636 for codegen in &self.alternatives {
2637 codegen.update(cx, |codegen, cx| codegen.stop(cx));
2638 }
2639 }
2640
2641 pub fn undo(&mut self, cx: &mut Context<Self>) {
2642 self.active_alternative()
2643 .update(cx, |codegen, cx| codegen.undo(cx));
2644
2645 self.buffer.update(cx, |buffer, cx| {
2646 if let Some(transaction_id) = self.initial_transaction_id.take() {
2647 buffer.undo_transaction(transaction_id, cx);
2648 buffer.refresh_preview(cx);
2649 }
2650 });
2651 }
2652
2653 pub fn count_tokens(
2654 &self,
2655 user_prompt: String,
2656 assistant_panel_context: Option<LanguageModelRequest>,
2657 cx: &App,
2658 ) -> BoxFuture<'static, Result<TokenCounts>> {
2659 self.active_alternative()
2660 .read(cx)
2661 .count_tokens(user_prompt, assistant_panel_context, cx)
2662 }
2663
2664 pub fn buffer(&self, cx: &App) -> Entity<MultiBuffer> {
2665 self.active_alternative().read(cx).buffer.clone()
2666 }
2667
2668 pub fn old_buffer(&self, cx: &App) -> Entity<Buffer> {
2669 self.active_alternative().read(cx).old_buffer.clone()
2670 }
2671
2672 pub fn snapshot(&self, cx: &App) -> MultiBufferSnapshot {
2673 self.active_alternative().read(cx).snapshot.clone()
2674 }
2675
2676 pub fn edit_position(&self, cx: &App) -> Option<Anchor> {
2677 self.active_alternative().read(cx).edit_position
2678 }
2679
2680 fn diff<'a>(&self, cx: &'a App) -> &'a Diff {
2681 &self.active_alternative().read(cx).diff
2682 }
2683
2684 pub fn last_equal_ranges<'a>(&self, cx: &'a App) -> &'a [Range<Anchor>] {
2685 self.active_alternative().read(cx).last_equal_ranges()
2686 }
2687}
2688
2689impl EventEmitter<CodegenEvent> for Codegen {}
2690
2691pub struct CodegenAlternative {
2692 buffer: Entity<MultiBuffer>,
2693 old_buffer: Entity<Buffer>,
2694 snapshot: MultiBufferSnapshot,
2695 edit_position: Option<Anchor>,
2696 range: Range<Anchor>,
2697 last_equal_ranges: Vec<Range<Anchor>>,
2698 transformation_transaction_id: Option<TransactionId>,
2699 status: CodegenStatus,
2700 generation: Task<()>,
2701 diff: Diff,
2702 telemetry: Option<Arc<Telemetry>>,
2703 _subscription: gpui::Subscription,
2704 builder: Arc<PromptBuilder>,
2705 active: bool,
2706 edits: Vec<(Range<Anchor>, String)>,
2707 line_operations: Vec<LineOperation>,
2708 request: Option<LanguageModelRequest>,
2709 elapsed_time: Option<f64>,
2710 completion: Option<String>,
2711 message_id: Option<String>,
2712}
2713
2714enum CodegenStatus {
2715 Idle,
2716 Pending,
2717 Done,
2718 Error(anyhow::Error),
2719}
2720
2721#[derive(Default)]
2722struct Diff {
2723 deleted_row_ranges: Vec<(Anchor, RangeInclusive<u32>)>,
2724 inserted_row_ranges: Vec<Range<Anchor>>,
2725}
2726
2727impl Diff {
2728 fn is_empty(&self) -> bool {
2729 self.deleted_row_ranges.is_empty() && self.inserted_row_ranges.is_empty()
2730 }
2731}
2732
2733impl EventEmitter<CodegenEvent> for CodegenAlternative {}
2734
2735impl CodegenAlternative {
2736 pub fn new(
2737 multi_buffer: Entity<MultiBuffer>,
2738 range: Range<Anchor>,
2739 active: bool,
2740 telemetry: Option<Arc<Telemetry>>,
2741 builder: Arc<PromptBuilder>,
2742 cx: &mut Context<Self>,
2743 ) -> Self {
2744 let snapshot = multi_buffer.read(cx).snapshot(cx);
2745
2746 let (buffer, _, _) = snapshot
2747 .range_to_buffer_ranges(range.clone())
2748 .pop()
2749 .unwrap();
2750 let old_buffer = cx.new(|cx| {
2751 let text = buffer.as_rope().clone();
2752 let line_ending = buffer.line_ending();
2753 let language = buffer.language().cloned();
2754 let language_registry = multi_buffer
2755 .read(cx)
2756 .buffer(buffer.remote_id())
2757 .unwrap()
2758 .read(cx)
2759 .language_registry();
2760
2761 let mut buffer = Buffer::local_normalized(text, line_ending, cx);
2762 buffer.set_language(language, cx);
2763 if let Some(language_registry) = language_registry {
2764 buffer.set_language_registry(language_registry)
2765 }
2766 buffer
2767 });
2768
2769 Self {
2770 buffer: multi_buffer.clone(),
2771 old_buffer,
2772 edit_position: None,
2773 message_id: None,
2774 snapshot,
2775 last_equal_ranges: Default::default(),
2776 transformation_transaction_id: None,
2777 status: CodegenStatus::Idle,
2778 generation: Task::ready(()),
2779 diff: Diff::default(),
2780 telemetry,
2781 _subscription: cx.subscribe(&multi_buffer, Self::handle_buffer_event),
2782 builder,
2783 active,
2784 edits: Vec::new(),
2785 line_operations: Vec::new(),
2786 range,
2787 request: None,
2788 elapsed_time: None,
2789 completion: None,
2790 }
2791 }
2792
2793 fn set_active(&mut self, active: bool, cx: &mut Context<Self>) {
2794 if active != self.active {
2795 self.active = active;
2796
2797 if self.active {
2798 let edits = self.edits.clone();
2799 self.apply_edits(edits, cx);
2800 if matches!(self.status, CodegenStatus::Pending) {
2801 let line_operations = self.line_operations.clone();
2802 self.reapply_line_based_diff(line_operations, cx);
2803 } else {
2804 self.reapply_batch_diff(cx).detach();
2805 }
2806 } else if let Some(transaction_id) = self.transformation_transaction_id.take() {
2807 self.buffer.update(cx, |buffer, cx| {
2808 buffer.undo_transaction(transaction_id, cx);
2809 buffer.forget_transaction(transaction_id, cx);
2810 });
2811 }
2812 }
2813 }
2814
2815 fn handle_buffer_event(
2816 &mut self,
2817 _buffer: Entity<MultiBuffer>,
2818 event: &multi_buffer::Event,
2819 cx: &mut Context<Self>,
2820 ) {
2821 if let multi_buffer::Event::TransactionUndone { transaction_id } = event {
2822 if self.transformation_transaction_id == Some(*transaction_id) {
2823 self.transformation_transaction_id = None;
2824 self.generation = Task::ready(());
2825 cx.emit(CodegenEvent::Undone);
2826 }
2827 }
2828 }
2829
2830 pub fn last_equal_ranges(&self) -> &[Range<Anchor>] {
2831 &self.last_equal_ranges
2832 }
2833
2834 pub fn count_tokens(
2835 &self,
2836 user_prompt: String,
2837 assistant_panel_context: Option<LanguageModelRequest>,
2838 cx: &App,
2839 ) -> BoxFuture<'static, Result<TokenCounts>> {
2840 if let Some(model) = LanguageModelRegistry::read_global(cx).active_model() {
2841 let request = self.build_request(user_prompt, assistant_panel_context.clone(), cx);
2842 match request {
2843 Ok(request) => {
2844 let total_count = model.count_tokens(request.clone(), cx);
2845 let assistant_panel_count = assistant_panel_context
2846 .map(|context| model.count_tokens(context, cx))
2847 .unwrap_or_else(|| future::ready(Ok(0)).boxed());
2848
2849 async move {
2850 Ok(TokenCounts {
2851 total: total_count.await?,
2852 assistant_panel: assistant_panel_count.await?,
2853 })
2854 }
2855 .boxed()
2856 }
2857 Err(error) => futures::future::ready(Err(error)).boxed(),
2858 }
2859 } else {
2860 future::ready(Err(anyhow!("no active model"))).boxed()
2861 }
2862 }
2863
2864 pub fn start(
2865 &mut self,
2866 user_prompt: String,
2867 assistant_panel_context: Option<LanguageModelRequest>,
2868 model: Arc<dyn LanguageModel>,
2869 cx: &mut Context<Self>,
2870 ) -> Result<()> {
2871 if let Some(transformation_transaction_id) = self.transformation_transaction_id.take() {
2872 self.buffer.update(cx, |buffer, cx| {
2873 buffer.undo_transaction(transformation_transaction_id, cx);
2874 });
2875 }
2876
2877 self.edit_position = Some(self.range.start.bias_right(&self.snapshot));
2878
2879 let api_key = model.api_key(cx);
2880 let telemetry_id = model.telemetry_id();
2881 let provider_id = model.provider_id();
2882 let stream: LocalBoxFuture<Result<LanguageModelTextStream>> =
2883 if user_prompt.trim().to_lowercase() == "delete" {
2884 async { Ok(LanguageModelTextStream::default()) }.boxed_local()
2885 } else {
2886 let request = self.build_request(user_prompt, assistant_panel_context, cx)?;
2887 self.request = Some(request.clone());
2888
2889 cx.spawn(|_, cx| async move { model.stream_completion_text(request, &cx).await })
2890 .boxed_local()
2891 };
2892 self.handle_stream(telemetry_id, provider_id.to_string(), api_key, stream, cx);
2893 Ok(())
2894 }
2895
2896 fn build_request(
2897 &self,
2898 user_prompt: String,
2899 assistant_panel_context: Option<LanguageModelRequest>,
2900 cx: &App,
2901 ) -> Result<LanguageModelRequest> {
2902 let buffer = self.buffer.read(cx).snapshot(cx);
2903 let language = buffer.language_at(self.range.start);
2904 let language_name = if let Some(language) = language.as_ref() {
2905 if Arc::ptr_eq(language, &language::PLAIN_TEXT) {
2906 None
2907 } else {
2908 Some(language.name())
2909 }
2910 } else {
2911 None
2912 };
2913
2914 let language_name = language_name.as_ref();
2915 let start = buffer.point_to_buffer_offset(self.range.start);
2916 let end = buffer.point_to_buffer_offset(self.range.end);
2917 let (buffer, range) = if let Some((start, end)) = start.zip(end) {
2918 let (start_buffer, start_buffer_offset) = start;
2919 let (end_buffer, end_buffer_offset) = end;
2920 if start_buffer.remote_id() == end_buffer.remote_id() {
2921 (start_buffer.clone(), start_buffer_offset..end_buffer_offset)
2922 } else {
2923 return Err(anyhow::anyhow!("invalid transformation range"));
2924 }
2925 } else {
2926 return Err(anyhow::anyhow!("invalid transformation range"));
2927 };
2928
2929 let prompt = self
2930 .builder
2931 .generate_inline_transformation_prompt(user_prompt, language_name, buffer, range)
2932 .map_err(|e| anyhow::anyhow!("Failed to generate content prompt: {}", e))?;
2933
2934 let mut messages = Vec::new();
2935 if let Some(context_request) = assistant_panel_context {
2936 messages = context_request.messages;
2937 }
2938
2939 messages.push(LanguageModelRequestMessage {
2940 role: Role::User,
2941 content: vec![prompt.into()],
2942 cache: false,
2943 });
2944
2945 Ok(LanguageModelRequest {
2946 messages,
2947 tools: Vec::new(),
2948 stop: Vec::new(),
2949 temperature: None,
2950 })
2951 }
2952
2953 pub fn handle_stream(
2954 &mut self,
2955 model_telemetry_id: String,
2956 model_provider_id: String,
2957 model_api_key: Option<String>,
2958 stream: impl 'static + Future<Output = Result<LanguageModelTextStream>>,
2959 cx: &mut Context<Self>,
2960 ) {
2961 let start_time = Instant::now();
2962 let snapshot = self.snapshot.clone();
2963 let selected_text = snapshot
2964 .text_for_range(self.range.start..self.range.end)
2965 .collect::<Rope>();
2966
2967 let selection_start = self.range.start.to_point(&snapshot);
2968
2969 // Start with the indentation of the first line in the selection
2970 let mut suggested_line_indent = snapshot
2971 .suggested_indents(selection_start.row..=selection_start.row, cx)
2972 .into_values()
2973 .next()
2974 .unwrap_or_else(|| snapshot.indent_size_for_line(MultiBufferRow(selection_start.row)));
2975
2976 // If the first line in the selection does not have indentation, check the following lines
2977 if suggested_line_indent.len == 0 && suggested_line_indent.kind == IndentKind::Space {
2978 for row in selection_start.row..=self.range.end.to_point(&snapshot).row {
2979 let line_indent = snapshot.indent_size_for_line(MultiBufferRow(row));
2980 // Prefer tabs if a line in the selection uses tabs as indentation
2981 if line_indent.kind == IndentKind::Tab {
2982 suggested_line_indent.kind = IndentKind::Tab;
2983 break;
2984 }
2985 }
2986 }
2987
2988 let http_client = cx.http_client().clone();
2989 let telemetry = self.telemetry.clone();
2990 let language_name = {
2991 let multibuffer = self.buffer.read(cx);
2992 let snapshot = multibuffer.snapshot(cx);
2993 let ranges = snapshot.range_to_buffer_ranges(self.range.clone());
2994 ranges
2995 .first()
2996 .and_then(|(buffer, _, _)| buffer.language())
2997 .map(|language| language.name())
2998 };
2999
3000 self.diff = Diff::default();
3001 self.status = CodegenStatus::Pending;
3002 let mut edit_start = self.range.start.to_offset(&snapshot);
3003 let completion = Arc::new(Mutex::new(String::new()));
3004 let completion_clone = completion.clone();
3005
3006 self.generation = cx.spawn(|codegen, mut cx| {
3007 async move {
3008 let stream = stream.await;
3009 let message_id = stream
3010 .as_ref()
3011 .ok()
3012 .and_then(|stream| stream.message_id.clone());
3013 let generate = async {
3014 let (mut diff_tx, mut diff_rx) = mpsc::channel(1);
3015 let executor = cx.background_executor().clone();
3016 let message_id = message_id.clone();
3017 let line_based_stream_diff: Task<anyhow::Result<()>> =
3018 cx.background_spawn(async move {
3019 let mut response_latency = None;
3020 let request_start = Instant::now();
3021 let diff = async {
3022 let chunks = StripInvalidSpans::new(stream?.stream);
3023 futures::pin_mut!(chunks);
3024 let mut diff = StreamingDiff::new(selected_text.to_string());
3025 let mut line_diff = LineDiff::default();
3026
3027 let mut new_text = String::new();
3028 let mut base_indent = None;
3029 let mut line_indent = None;
3030 let mut first_line = true;
3031
3032 while let Some(chunk) = chunks.next().await {
3033 if response_latency.is_none() {
3034 response_latency = Some(request_start.elapsed());
3035 }
3036 let chunk = chunk?;
3037 completion_clone.lock().push_str(&chunk);
3038
3039 let mut lines = chunk.split('\n').peekable();
3040 while let Some(line) = lines.next() {
3041 new_text.push_str(line);
3042 if line_indent.is_none() {
3043 if let Some(non_whitespace_ch_ix) =
3044 new_text.find(|ch: char| !ch.is_whitespace())
3045 {
3046 line_indent = Some(non_whitespace_ch_ix);
3047 base_indent = base_indent.or(line_indent);
3048
3049 let line_indent = line_indent.unwrap();
3050 let base_indent = base_indent.unwrap();
3051 let indent_delta =
3052 line_indent as i32 - base_indent as i32;
3053 let mut corrected_indent_len = cmp::max(
3054 0,
3055 suggested_line_indent.len as i32 + indent_delta,
3056 )
3057 as usize;
3058 if first_line {
3059 corrected_indent_len = corrected_indent_len
3060 .saturating_sub(
3061 selection_start.column as usize,
3062 );
3063 }
3064
3065 let indent_char = suggested_line_indent.char();
3066 let mut indent_buffer = [0; 4];
3067 let indent_str =
3068 indent_char.encode_utf8(&mut indent_buffer);
3069 new_text.replace_range(
3070 ..line_indent,
3071 &indent_str.repeat(corrected_indent_len),
3072 );
3073 }
3074 }
3075
3076 if line_indent.is_some() {
3077 let char_ops = diff.push_new(&new_text);
3078 line_diff
3079 .push_char_operations(&char_ops, &selected_text);
3080 diff_tx
3081 .send((char_ops, line_diff.line_operations()))
3082 .await?;
3083 new_text.clear();
3084 }
3085
3086 if lines.peek().is_some() {
3087 let char_ops = diff.push_new("\n");
3088 line_diff
3089 .push_char_operations(&char_ops, &selected_text);
3090 diff_tx
3091 .send((char_ops, line_diff.line_operations()))
3092 .await?;
3093 if line_indent.is_none() {
3094 // Don't write out the leading indentation in empty lines on the next line
3095 // This is the case where the above if statement didn't clear the buffer
3096 new_text.clear();
3097 }
3098 line_indent = None;
3099 first_line = false;
3100 }
3101 }
3102 }
3103
3104 let mut char_ops = diff.push_new(&new_text);
3105 char_ops.extend(diff.finish());
3106 line_diff.push_char_operations(&char_ops, &selected_text);
3107 line_diff.finish(&selected_text);
3108 diff_tx
3109 .send((char_ops, line_diff.line_operations()))
3110 .await?;
3111
3112 anyhow::Ok(())
3113 };
3114
3115 let result = diff.await;
3116
3117 let error_message =
3118 result.as_ref().err().map(|error| error.to_string());
3119 report_assistant_event(
3120 AssistantEvent {
3121 conversation_id: None,
3122 message_id,
3123 kind: AssistantKind::Inline,
3124 phase: AssistantPhase::Response,
3125 model: model_telemetry_id,
3126 model_provider: model_provider_id.to_string(),
3127 response_latency,
3128 error_message,
3129 language_name: language_name.map(|name| name.to_proto()),
3130 },
3131 telemetry,
3132 http_client,
3133 model_api_key,
3134 &executor,
3135 );
3136
3137 result?;
3138 Ok(())
3139 });
3140
3141 while let Some((char_ops, line_ops)) = diff_rx.next().await {
3142 codegen.update(&mut cx, |codegen, cx| {
3143 codegen.last_equal_ranges.clear();
3144
3145 let edits = char_ops
3146 .into_iter()
3147 .filter_map(|operation| match operation {
3148 CharOperation::Insert { text } => {
3149 let edit_start = snapshot.anchor_after(edit_start);
3150 Some((edit_start..edit_start, text))
3151 }
3152 CharOperation::Delete { bytes } => {
3153 let edit_end = edit_start + bytes;
3154 let edit_range = snapshot.anchor_after(edit_start)
3155 ..snapshot.anchor_before(edit_end);
3156 edit_start = edit_end;
3157 Some((edit_range, String::new()))
3158 }
3159 CharOperation::Keep { bytes } => {
3160 let edit_end = edit_start + bytes;
3161 let edit_range = snapshot.anchor_after(edit_start)
3162 ..snapshot.anchor_before(edit_end);
3163 edit_start = edit_end;
3164 codegen.last_equal_ranges.push(edit_range);
3165 None
3166 }
3167 })
3168 .collect::<Vec<_>>();
3169
3170 if codegen.active {
3171 codegen.apply_edits(edits.iter().cloned(), cx);
3172 codegen.reapply_line_based_diff(line_ops.iter().cloned(), cx);
3173 }
3174 codegen.edits.extend(edits);
3175 codegen.line_operations = line_ops;
3176 codegen.edit_position = Some(snapshot.anchor_after(edit_start));
3177
3178 cx.notify();
3179 })?;
3180 }
3181
3182 // Streaming stopped and we have the new text in the buffer, and a line-based diff applied for the whole new buffer.
3183 // That diff is not what a regular diff is and might look unexpected, ergo apply a regular diff.
3184 // It's fine to apply even if the rest of the line diffing fails, as no more hunks are coming through `diff_rx`.
3185 let batch_diff_task =
3186 codegen.update(&mut cx, |codegen, cx| codegen.reapply_batch_diff(cx))?;
3187 let (line_based_stream_diff, ()) =
3188 join!(line_based_stream_diff, batch_diff_task);
3189 line_based_stream_diff?;
3190
3191 anyhow::Ok(())
3192 };
3193
3194 let result = generate.await;
3195 let elapsed_time = start_time.elapsed().as_secs_f64();
3196
3197 codegen
3198 .update(&mut cx, |this, cx| {
3199 this.message_id = message_id;
3200 this.last_equal_ranges.clear();
3201 if let Err(error) = result {
3202 this.status = CodegenStatus::Error(error);
3203 } else {
3204 this.status = CodegenStatus::Done;
3205 }
3206 this.elapsed_time = Some(elapsed_time);
3207 this.completion = Some(completion.lock().clone());
3208 cx.emit(CodegenEvent::Finished);
3209 cx.notify();
3210 })
3211 .ok();
3212 }
3213 });
3214 cx.notify();
3215 }
3216
3217 pub fn stop(&mut self, cx: &mut Context<Self>) {
3218 self.last_equal_ranges.clear();
3219 if self.diff.is_empty() {
3220 self.status = CodegenStatus::Idle;
3221 } else {
3222 self.status = CodegenStatus::Done;
3223 }
3224 self.generation = Task::ready(());
3225 cx.emit(CodegenEvent::Finished);
3226 cx.notify();
3227 }
3228
3229 pub fn undo(&mut self, cx: &mut Context<Self>) {
3230 self.buffer.update(cx, |buffer, cx| {
3231 if let Some(transaction_id) = self.transformation_transaction_id.take() {
3232 buffer.undo_transaction(transaction_id, cx);
3233 buffer.refresh_preview(cx);
3234 }
3235 });
3236 }
3237
3238 fn apply_edits(
3239 &mut self,
3240 edits: impl IntoIterator<Item = (Range<Anchor>, String)>,
3241 cx: &mut Context<CodegenAlternative>,
3242 ) {
3243 let transaction = self.buffer.update(cx, |buffer, cx| {
3244 // Avoid grouping assistant edits with user edits.
3245 buffer.finalize_last_transaction(cx);
3246 buffer.start_transaction(cx);
3247 buffer.edit(edits, None, cx);
3248 buffer.end_transaction(cx)
3249 });
3250
3251 if let Some(transaction) = transaction {
3252 if let Some(first_transaction) = self.transformation_transaction_id {
3253 // Group all assistant edits into the first transaction.
3254 self.buffer.update(cx, |buffer, cx| {
3255 buffer.merge_transactions(transaction, first_transaction, cx)
3256 });
3257 } else {
3258 self.transformation_transaction_id = Some(transaction);
3259 self.buffer
3260 .update(cx, |buffer, cx| buffer.finalize_last_transaction(cx));
3261 }
3262 }
3263 }
3264
3265 fn reapply_line_based_diff(
3266 &mut self,
3267 line_operations: impl IntoIterator<Item = LineOperation>,
3268 cx: &mut Context<Self>,
3269 ) {
3270 let old_snapshot = self.snapshot.clone();
3271 let old_range = self.range.to_point(&old_snapshot);
3272 let new_snapshot = self.buffer.read(cx).snapshot(cx);
3273 let new_range = self.range.to_point(&new_snapshot);
3274
3275 let mut old_row = old_range.start.row;
3276 let mut new_row = new_range.start.row;
3277
3278 self.diff.deleted_row_ranges.clear();
3279 self.diff.inserted_row_ranges.clear();
3280 for operation in line_operations {
3281 match operation {
3282 LineOperation::Keep { lines } => {
3283 old_row += lines;
3284 new_row += lines;
3285 }
3286 LineOperation::Delete { lines } => {
3287 let old_end_row = old_row + lines - 1;
3288 let new_row = new_snapshot.anchor_before(Point::new(new_row, 0));
3289
3290 if let Some((_, last_deleted_row_range)) =
3291 self.diff.deleted_row_ranges.last_mut()
3292 {
3293 if *last_deleted_row_range.end() + 1 == old_row {
3294 *last_deleted_row_range = *last_deleted_row_range.start()..=old_end_row;
3295 } else {
3296 self.diff
3297 .deleted_row_ranges
3298 .push((new_row, old_row..=old_end_row));
3299 }
3300 } else {
3301 self.diff
3302 .deleted_row_ranges
3303 .push((new_row, old_row..=old_end_row));
3304 }
3305
3306 old_row += lines;
3307 }
3308 LineOperation::Insert { lines } => {
3309 let new_end_row = new_row + lines - 1;
3310 let start = new_snapshot.anchor_before(Point::new(new_row, 0));
3311 let end = new_snapshot.anchor_before(Point::new(
3312 new_end_row,
3313 new_snapshot.line_len(MultiBufferRow(new_end_row)),
3314 ));
3315 self.diff.inserted_row_ranges.push(start..end);
3316 new_row += lines;
3317 }
3318 }
3319
3320 cx.notify();
3321 }
3322 }
3323
3324 fn reapply_batch_diff(&mut self, cx: &mut Context<Self>) -> Task<()> {
3325 let old_snapshot = self.snapshot.clone();
3326 let old_range = self.range.to_point(&old_snapshot);
3327 let new_snapshot = self.buffer.read(cx).snapshot(cx);
3328 let new_range = self.range.to_point(&new_snapshot);
3329
3330 cx.spawn(|codegen, mut cx| async move {
3331 let (deleted_row_ranges, inserted_row_ranges) = cx
3332 .background_spawn(async move {
3333 let old_text = old_snapshot
3334 .text_for_range(
3335 Point::new(old_range.start.row, 0)
3336 ..Point::new(
3337 old_range.end.row,
3338 old_snapshot.line_len(MultiBufferRow(old_range.end.row)),
3339 ),
3340 )
3341 .collect::<String>();
3342 let new_text = new_snapshot
3343 .text_for_range(
3344 Point::new(new_range.start.row, 0)
3345 ..Point::new(
3346 new_range.end.row,
3347 new_snapshot.line_len(MultiBufferRow(new_range.end.row)),
3348 ),
3349 )
3350 .collect::<String>();
3351
3352 let old_start_row = old_range.start.row;
3353 let new_start_row = new_range.start.row;
3354 let mut deleted_row_ranges: Vec<(Anchor, RangeInclusive<u32>)> = Vec::new();
3355 let mut inserted_row_ranges = Vec::new();
3356 for (old_rows, new_rows) in line_diff(&old_text, &new_text) {
3357 let old_rows = old_start_row + old_rows.start..old_start_row + old_rows.end;
3358 let new_rows = new_start_row + new_rows.start..new_start_row + new_rows.end;
3359 if !old_rows.is_empty() {
3360 deleted_row_ranges.push((
3361 new_snapshot.anchor_before(Point::new(new_rows.start, 0)),
3362 old_rows.start..=old_rows.end - 1,
3363 ));
3364 }
3365 if !new_rows.is_empty() {
3366 let start = new_snapshot.anchor_before(Point::new(new_rows.start, 0));
3367 let new_end_row = new_rows.end - 1;
3368 let end = new_snapshot.anchor_before(Point::new(
3369 new_end_row,
3370 new_snapshot.line_len(MultiBufferRow(new_end_row)),
3371 ));
3372 inserted_row_ranges.push(start..end);
3373 }
3374 }
3375 (deleted_row_ranges, inserted_row_ranges)
3376 })
3377 .await;
3378
3379 codegen
3380 .update(&mut cx, |codegen, cx| {
3381 codegen.diff.deleted_row_ranges = deleted_row_ranges;
3382 codegen.diff.inserted_row_ranges = inserted_row_ranges;
3383 cx.notify();
3384 })
3385 .ok();
3386 })
3387 }
3388}
3389
3390struct StripInvalidSpans<T> {
3391 stream: T,
3392 stream_done: bool,
3393 buffer: String,
3394 first_line: bool,
3395 line_end: bool,
3396 starts_with_code_block: bool,
3397}
3398
3399impl<T> StripInvalidSpans<T>
3400where
3401 T: Stream<Item = Result<String>>,
3402{
3403 fn new(stream: T) -> Self {
3404 Self {
3405 stream,
3406 stream_done: false,
3407 buffer: String::new(),
3408 first_line: true,
3409 line_end: false,
3410 starts_with_code_block: false,
3411 }
3412 }
3413}
3414
3415impl<T> Stream for StripInvalidSpans<T>
3416where
3417 T: Stream<Item = Result<String>>,
3418{
3419 type Item = Result<String>;
3420
3421 fn poll_next(self: Pin<&mut Self>, cx: &mut task::Context) -> Poll<Option<Self::Item>> {
3422 const CODE_BLOCK_DELIMITER: &str = "```";
3423 const CURSOR_SPAN: &str = "<|CURSOR|>";
3424
3425 let this = unsafe { self.get_unchecked_mut() };
3426 loop {
3427 if !this.stream_done {
3428 let mut stream = unsafe { Pin::new_unchecked(&mut this.stream) };
3429 match stream.as_mut().poll_next(cx) {
3430 Poll::Ready(Some(Ok(chunk))) => {
3431 this.buffer.push_str(&chunk);
3432 }
3433 Poll::Ready(Some(Err(error))) => return Poll::Ready(Some(Err(error))),
3434 Poll::Ready(None) => {
3435 this.stream_done = true;
3436 }
3437 Poll::Pending => return Poll::Pending,
3438 }
3439 }
3440
3441 let mut chunk = String::new();
3442 let mut consumed = 0;
3443 if !this.buffer.is_empty() {
3444 let mut lines = this.buffer.split('\n').enumerate().peekable();
3445 while let Some((line_ix, line)) = lines.next() {
3446 if line_ix > 0 {
3447 this.first_line = false;
3448 }
3449
3450 if this.first_line {
3451 let trimmed_line = line.trim();
3452 if lines.peek().is_some() {
3453 if trimmed_line.starts_with(CODE_BLOCK_DELIMITER) {
3454 consumed += line.len() + 1;
3455 this.starts_with_code_block = true;
3456 continue;
3457 }
3458 } else if trimmed_line.is_empty()
3459 || prefixes(CODE_BLOCK_DELIMITER)
3460 .any(|prefix| trimmed_line.starts_with(prefix))
3461 {
3462 break;
3463 }
3464 }
3465
3466 let line_without_cursor = line.replace(CURSOR_SPAN, "");
3467 if lines.peek().is_some() {
3468 if this.line_end {
3469 chunk.push('\n');
3470 }
3471
3472 chunk.push_str(&line_without_cursor);
3473 this.line_end = true;
3474 consumed += line.len() + 1;
3475 } else if this.stream_done {
3476 if !this.starts_with_code_block
3477 || !line_without_cursor.trim().ends_with(CODE_BLOCK_DELIMITER)
3478 {
3479 if this.line_end {
3480 chunk.push('\n');
3481 }
3482
3483 chunk.push_str(&line);
3484 }
3485
3486 consumed += line.len();
3487 } else {
3488 let trimmed_line = line.trim();
3489 if trimmed_line.is_empty()
3490 || prefixes(CURSOR_SPAN).any(|prefix| trimmed_line.ends_with(prefix))
3491 || prefixes(CODE_BLOCK_DELIMITER)
3492 .any(|prefix| trimmed_line.ends_with(prefix))
3493 {
3494 break;
3495 } else {
3496 if this.line_end {
3497 chunk.push('\n');
3498 this.line_end = false;
3499 }
3500
3501 chunk.push_str(&line_without_cursor);
3502 consumed += line.len();
3503 }
3504 }
3505 }
3506 }
3507
3508 this.buffer = this.buffer.split_off(consumed);
3509 if !chunk.is_empty() {
3510 return Poll::Ready(Some(Ok(chunk)));
3511 } else if this.stream_done {
3512 return Poll::Ready(None);
3513 }
3514 }
3515 }
3516}
3517
3518struct AssistantCodeActionProvider {
3519 editor: WeakEntity<Editor>,
3520 workspace: WeakEntity<Workspace>,
3521}
3522
3523const ASSISTANT_CODE_ACTION_PROVIDER_ID: &str = "assistant";
3524
3525impl CodeActionProvider for AssistantCodeActionProvider {
3526 fn id(&self) -> Arc<str> {
3527 ASSISTANT_CODE_ACTION_PROVIDER_ID.into()
3528 }
3529
3530 fn code_actions(
3531 &self,
3532 buffer: &Entity<Buffer>,
3533 range: Range<text::Anchor>,
3534 _: &mut Window,
3535 cx: &mut App,
3536 ) -> Task<Result<Vec<CodeAction>>> {
3537 if !AssistantSettings::get_global(cx).enabled {
3538 return Task::ready(Ok(Vec::new()));
3539 }
3540
3541 let snapshot = buffer.read(cx).snapshot();
3542 let mut range = range.to_point(&snapshot);
3543
3544 // Expand the range to line boundaries.
3545 range.start.column = 0;
3546 range.end.column = snapshot.line_len(range.end.row);
3547
3548 let mut has_diagnostics = false;
3549 for diagnostic in snapshot.diagnostics_in_range::<_, Point>(range.clone(), false) {
3550 range.start = cmp::min(range.start, diagnostic.range.start);
3551 range.end = cmp::max(range.end, diagnostic.range.end);
3552 has_diagnostics = true;
3553 }
3554 if has_diagnostics {
3555 if let Some(symbols_containing_start) = snapshot.symbols_containing(range.start, None) {
3556 if let Some(symbol) = symbols_containing_start.last() {
3557 range.start = cmp::min(range.start, symbol.range.start.to_point(&snapshot));
3558 range.end = cmp::max(range.end, symbol.range.end.to_point(&snapshot));
3559 }
3560 }
3561
3562 if let Some(symbols_containing_end) = snapshot.symbols_containing(range.end, None) {
3563 if let Some(symbol) = symbols_containing_end.last() {
3564 range.start = cmp::min(range.start, symbol.range.start.to_point(&snapshot));
3565 range.end = cmp::max(range.end, symbol.range.end.to_point(&snapshot));
3566 }
3567 }
3568
3569 Task::ready(Ok(vec![CodeAction {
3570 server_id: language::LanguageServerId(0),
3571 range: snapshot.anchor_before(range.start)..snapshot.anchor_after(range.end),
3572 lsp_action: lsp::CodeAction {
3573 title: "Fix with Assistant".into(),
3574 ..Default::default()
3575 },
3576 }]))
3577 } else {
3578 Task::ready(Ok(Vec::new()))
3579 }
3580 }
3581
3582 fn apply_code_action(
3583 &self,
3584 buffer: Entity<Buffer>,
3585 action: CodeAction,
3586 excerpt_id: ExcerptId,
3587 _push_to_history: bool,
3588 window: &mut Window,
3589 cx: &mut App,
3590 ) -> Task<Result<ProjectTransaction>> {
3591 let editor = self.editor.clone();
3592 let workspace = self.workspace.clone();
3593 window.spawn(cx, |mut cx| async move {
3594 let editor = editor.upgrade().context("editor was released")?;
3595 let range = editor
3596 .update(&mut cx, |editor, cx| {
3597 editor.buffer().update(cx, |multibuffer, cx| {
3598 let buffer = buffer.read(cx);
3599 let multibuffer_snapshot = multibuffer.read(cx);
3600
3601 let old_context_range =
3602 multibuffer_snapshot.context_range_for_excerpt(excerpt_id)?;
3603 let mut new_context_range = old_context_range.clone();
3604 if action
3605 .range
3606 .start
3607 .cmp(&old_context_range.start, buffer)
3608 .is_lt()
3609 {
3610 new_context_range.start = action.range.start;
3611 }
3612 if action.range.end.cmp(&old_context_range.end, buffer).is_gt() {
3613 new_context_range.end = action.range.end;
3614 }
3615 drop(multibuffer_snapshot);
3616
3617 if new_context_range != old_context_range {
3618 multibuffer.resize_excerpt(excerpt_id, new_context_range, cx);
3619 }
3620
3621 let multibuffer_snapshot = multibuffer.read(cx);
3622 Some(
3623 multibuffer_snapshot
3624 .anchor_in_excerpt(excerpt_id, action.range.start)?
3625 ..multibuffer_snapshot
3626 .anchor_in_excerpt(excerpt_id, action.range.end)?,
3627 )
3628 })
3629 })?
3630 .context("invalid range")?;
3631 let assistant_panel = workspace.update(&mut cx, |workspace, cx| {
3632 workspace
3633 .panel::<AssistantPanel>(cx)
3634 .context("assistant panel was released")
3635 })??;
3636
3637 cx.update_global(|assistant: &mut InlineAssistant, window, cx| {
3638 let assist_id = assistant.suggest_assist(
3639 &editor,
3640 range,
3641 "Fix Diagnostics".into(),
3642 None,
3643 true,
3644 Some(workspace),
3645 Some(&assistant_panel),
3646 window,
3647 cx,
3648 );
3649 assistant.start_assist(assist_id, window, cx);
3650 })?;
3651
3652 Ok(ProjectTransaction::default())
3653 })
3654 }
3655}
3656
3657fn prefixes(text: &str) -> impl Iterator<Item = &str> {
3658 (0..text.len() - 1).map(|ix| &text[..ix + 1])
3659}
3660
3661fn merge_ranges(ranges: &mut Vec<Range<Anchor>>, buffer: &MultiBufferSnapshot) {
3662 ranges.sort_unstable_by(|a, b| {
3663 a.start
3664 .cmp(&b.start, buffer)
3665 .then_with(|| b.end.cmp(&a.end, buffer))
3666 });
3667
3668 let mut ix = 0;
3669 while ix + 1 < ranges.len() {
3670 let b = ranges[ix + 1].clone();
3671 let a = &mut ranges[ix];
3672 if a.end.cmp(&b.start, buffer).is_gt() {
3673 if a.end.cmp(&b.end, buffer).is_lt() {
3674 a.end = b.end;
3675 }
3676 ranges.remove(ix + 1);
3677 } else {
3678 ix += 1;
3679 }
3680 }
3681}
3682
3683#[cfg(test)]
3684mod tests {
3685 use super::*;
3686 use futures::stream::{self};
3687 use gpui::TestAppContext;
3688 use indoc::indoc;
3689 use language::{
3690 language_settings, tree_sitter_rust, Buffer, Language, LanguageConfig, LanguageMatcher,
3691 Point,
3692 };
3693 use language_model::LanguageModelRegistry;
3694 use rand::prelude::*;
3695 use serde::Serialize;
3696 use settings::SettingsStore;
3697 use std::{future, sync::Arc};
3698
3699 #[derive(Serialize)]
3700 pub struct DummyCompletionRequest {
3701 pub name: String,
3702 }
3703
3704 #[gpui::test(iterations = 10)]
3705 async fn test_transform_autoindent(cx: &mut TestAppContext, mut rng: StdRng) {
3706 cx.set_global(cx.update(SettingsStore::test));
3707 cx.update(language_model::LanguageModelRegistry::test);
3708 cx.update(language_settings::init);
3709
3710 let text = indoc! {"
3711 fn main() {
3712 let x = 0;
3713 for _ in 0..10 {
3714 x += 1;
3715 }
3716 }
3717 "};
3718 let buffer = cx.new(|cx| Buffer::local(text, cx).with_language(Arc::new(rust_lang()), cx));
3719 let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
3720 let range = buffer.read_with(cx, |buffer, cx| {
3721 let snapshot = buffer.snapshot(cx);
3722 snapshot.anchor_before(Point::new(1, 0))..snapshot.anchor_after(Point::new(4, 5))
3723 });
3724 let prompt_builder = Arc::new(PromptBuilder::new(None).unwrap());
3725 let codegen = cx.new(|cx| {
3726 CodegenAlternative::new(
3727 buffer.clone(),
3728 range.clone(),
3729 true,
3730 None,
3731 prompt_builder,
3732 cx,
3733 )
3734 });
3735
3736 let chunks_tx = simulate_response_stream(codegen.clone(), cx);
3737
3738 let mut new_text = concat!(
3739 " let mut x = 0;\n",
3740 " while x < 10 {\n",
3741 " x += 1;\n",
3742 " }",
3743 );
3744 while !new_text.is_empty() {
3745 let max_len = cmp::min(new_text.len(), 10);
3746 let len = rng.gen_range(1..=max_len);
3747 let (chunk, suffix) = new_text.split_at(len);
3748 chunks_tx.unbounded_send(chunk.to_string()).unwrap();
3749 new_text = suffix;
3750 cx.background_executor.run_until_parked();
3751 }
3752 drop(chunks_tx);
3753 cx.background_executor.run_until_parked();
3754
3755 assert_eq!(
3756 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
3757 indoc! {"
3758 fn main() {
3759 let mut x = 0;
3760 while x < 10 {
3761 x += 1;
3762 }
3763 }
3764 "}
3765 );
3766 }
3767
3768 #[gpui::test(iterations = 10)]
3769 async fn test_autoindent_when_generating_past_indentation(
3770 cx: &mut TestAppContext,
3771 mut rng: StdRng,
3772 ) {
3773 cx.set_global(cx.update(SettingsStore::test));
3774 cx.update(language_settings::init);
3775
3776 let text = indoc! {"
3777 fn main() {
3778 le
3779 }
3780 "};
3781 let buffer = cx.new(|cx| Buffer::local(text, cx).with_language(Arc::new(rust_lang()), cx));
3782 let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
3783 let range = buffer.read_with(cx, |buffer, cx| {
3784 let snapshot = buffer.snapshot(cx);
3785 snapshot.anchor_before(Point::new(1, 6))..snapshot.anchor_after(Point::new(1, 6))
3786 });
3787 let prompt_builder = Arc::new(PromptBuilder::new(None).unwrap());
3788 let codegen = cx.new(|cx| {
3789 CodegenAlternative::new(
3790 buffer.clone(),
3791 range.clone(),
3792 true,
3793 None,
3794 prompt_builder,
3795 cx,
3796 )
3797 });
3798
3799 let chunks_tx = simulate_response_stream(codegen.clone(), cx);
3800
3801 cx.background_executor.run_until_parked();
3802
3803 let mut new_text = concat!(
3804 "t mut x = 0;\n",
3805 "while x < 10 {\n",
3806 " x += 1;\n",
3807 "}", //
3808 );
3809 while !new_text.is_empty() {
3810 let max_len = cmp::min(new_text.len(), 10);
3811 let len = rng.gen_range(1..=max_len);
3812 let (chunk, suffix) = new_text.split_at(len);
3813 chunks_tx.unbounded_send(chunk.to_string()).unwrap();
3814 new_text = suffix;
3815 cx.background_executor.run_until_parked();
3816 }
3817 drop(chunks_tx);
3818 cx.background_executor.run_until_parked();
3819
3820 assert_eq!(
3821 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
3822 indoc! {"
3823 fn main() {
3824 let mut x = 0;
3825 while x < 10 {
3826 x += 1;
3827 }
3828 }
3829 "}
3830 );
3831 }
3832
3833 #[gpui::test(iterations = 10)]
3834 async fn test_autoindent_when_generating_before_indentation(
3835 cx: &mut TestAppContext,
3836 mut rng: StdRng,
3837 ) {
3838 cx.update(LanguageModelRegistry::test);
3839 cx.set_global(cx.update(SettingsStore::test));
3840 cx.update(language_settings::init);
3841
3842 let text = concat!(
3843 "fn main() {\n",
3844 " \n",
3845 "}\n" //
3846 );
3847 let buffer = cx.new(|cx| Buffer::local(text, cx).with_language(Arc::new(rust_lang()), cx));
3848 let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
3849 let range = buffer.read_with(cx, |buffer, cx| {
3850 let snapshot = buffer.snapshot(cx);
3851 snapshot.anchor_before(Point::new(1, 2))..snapshot.anchor_after(Point::new(1, 2))
3852 });
3853 let prompt_builder = Arc::new(PromptBuilder::new(None).unwrap());
3854 let codegen = cx.new(|cx| {
3855 CodegenAlternative::new(
3856 buffer.clone(),
3857 range.clone(),
3858 true,
3859 None,
3860 prompt_builder,
3861 cx,
3862 )
3863 });
3864
3865 let chunks_tx = simulate_response_stream(codegen.clone(), cx);
3866
3867 cx.background_executor.run_until_parked();
3868
3869 let mut new_text = concat!(
3870 "let mut x = 0;\n",
3871 "while x < 10 {\n",
3872 " x += 1;\n",
3873 "}", //
3874 );
3875 while !new_text.is_empty() {
3876 let max_len = cmp::min(new_text.len(), 10);
3877 let len = rng.gen_range(1..=max_len);
3878 let (chunk, suffix) = new_text.split_at(len);
3879 chunks_tx.unbounded_send(chunk.to_string()).unwrap();
3880 new_text = suffix;
3881 cx.background_executor.run_until_parked();
3882 }
3883 drop(chunks_tx);
3884 cx.background_executor.run_until_parked();
3885
3886 assert_eq!(
3887 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
3888 indoc! {"
3889 fn main() {
3890 let mut x = 0;
3891 while x < 10 {
3892 x += 1;
3893 }
3894 }
3895 "}
3896 );
3897 }
3898
3899 #[gpui::test(iterations = 10)]
3900 async fn test_autoindent_respects_tabs_in_selection(cx: &mut TestAppContext) {
3901 cx.update(LanguageModelRegistry::test);
3902 cx.set_global(cx.update(SettingsStore::test));
3903 cx.update(language_settings::init);
3904
3905 let text = indoc! {"
3906 func main() {
3907 \tx := 0
3908 \tfor i := 0; i < 10; i++ {
3909 \t\tx++
3910 \t}
3911 }
3912 "};
3913 let buffer = cx.new(|cx| Buffer::local(text, cx));
3914 let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
3915 let range = buffer.read_with(cx, |buffer, cx| {
3916 let snapshot = buffer.snapshot(cx);
3917 snapshot.anchor_before(Point::new(0, 0))..snapshot.anchor_after(Point::new(4, 2))
3918 });
3919 let prompt_builder = Arc::new(PromptBuilder::new(None).unwrap());
3920 let codegen = cx.new(|cx| {
3921 CodegenAlternative::new(
3922 buffer.clone(),
3923 range.clone(),
3924 true,
3925 None,
3926 prompt_builder,
3927 cx,
3928 )
3929 });
3930
3931 let chunks_tx = simulate_response_stream(codegen.clone(), cx);
3932 let new_text = concat!(
3933 "func main() {\n",
3934 "\tx := 0\n",
3935 "\tfor x < 10 {\n",
3936 "\t\tx++\n",
3937 "\t}", //
3938 );
3939 chunks_tx.unbounded_send(new_text.to_string()).unwrap();
3940 drop(chunks_tx);
3941 cx.background_executor.run_until_parked();
3942
3943 assert_eq!(
3944 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
3945 indoc! {"
3946 func main() {
3947 \tx := 0
3948 \tfor x < 10 {
3949 \t\tx++
3950 \t}
3951 }
3952 "}
3953 );
3954 }
3955
3956 #[gpui::test]
3957 async fn test_inactive_codegen_alternative(cx: &mut TestAppContext) {
3958 cx.update(LanguageModelRegistry::test);
3959 cx.set_global(cx.update(SettingsStore::test));
3960 cx.update(language_settings::init);
3961
3962 let text = indoc! {"
3963 fn main() {
3964 let x = 0;
3965 }
3966 "};
3967 let buffer = cx.new(|cx| Buffer::local(text, cx).with_language(Arc::new(rust_lang()), cx));
3968 let buffer = cx.new(|cx| MultiBuffer::singleton(buffer, cx));
3969 let range = buffer.read_with(cx, |buffer, cx| {
3970 let snapshot = buffer.snapshot(cx);
3971 snapshot.anchor_before(Point::new(1, 0))..snapshot.anchor_after(Point::new(1, 14))
3972 });
3973 let prompt_builder = Arc::new(PromptBuilder::new(None).unwrap());
3974 let codegen = cx.new(|cx| {
3975 CodegenAlternative::new(
3976 buffer.clone(),
3977 range.clone(),
3978 false,
3979 None,
3980 prompt_builder,
3981 cx,
3982 )
3983 });
3984
3985 let chunks_tx = simulate_response_stream(codegen.clone(), cx);
3986 chunks_tx
3987 .unbounded_send("let mut x = 0;\nx += 1;".to_string())
3988 .unwrap();
3989 drop(chunks_tx);
3990 cx.run_until_parked();
3991
3992 // The codegen is inactive, so the buffer doesn't get modified.
3993 assert_eq!(
3994 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
3995 text
3996 );
3997
3998 // Activating the codegen applies the changes.
3999 codegen.update(cx, |codegen, cx| codegen.set_active(true, cx));
4000 assert_eq!(
4001 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
4002 indoc! {"
4003 fn main() {
4004 let mut x = 0;
4005 x += 1;
4006 }
4007 "}
4008 );
4009
4010 // Deactivating the codegen undoes the changes.
4011 codegen.update(cx, |codegen, cx| codegen.set_active(false, cx));
4012 cx.run_until_parked();
4013 assert_eq!(
4014 buffer.read_with(cx, |buffer, cx| buffer.snapshot(cx).text()),
4015 text
4016 );
4017 }
4018
4019 #[gpui::test]
4020 async fn test_strip_invalid_spans_from_codeblock() {
4021 assert_chunks("Lorem ipsum dolor", "Lorem ipsum dolor").await;
4022 assert_chunks("```\nLorem ipsum dolor", "Lorem ipsum dolor").await;
4023 assert_chunks("```\nLorem ipsum dolor\n```", "Lorem ipsum dolor").await;
4024 assert_chunks(
4025 "```html\n```js\nLorem ipsum dolor\n```\n```",
4026 "```js\nLorem ipsum dolor\n```",
4027 )
4028 .await;
4029 assert_chunks("``\nLorem ipsum dolor\n```", "``\nLorem ipsum dolor\n```").await;
4030 assert_chunks("Lorem<|CURSOR|> ipsum", "Lorem ipsum").await;
4031 assert_chunks("Lorem ipsum", "Lorem ipsum").await;
4032 assert_chunks("```\n<|CURSOR|>Lorem ipsum\n```", "Lorem ipsum").await;
4033
4034 async fn assert_chunks(text: &str, expected_text: &str) {
4035 for chunk_size in 1..=text.len() {
4036 let actual_text = StripInvalidSpans::new(chunks(text, chunk_size))
4037 .map(|chunk| chunk.unwrap())
4038 .collect::<String>()
4039 .await;
4040 assert_eq!(
4041 actual_text, expected_text,
4042 "failed to strip invalid spans, chunk size: {}",
4043 chunk_size
4044 );
4045 }
4046 }
4047
4048 fn chunks(text: &str, size: usize) -> impl Stream<Item = Result<String>> {
4049 stream::iter(
4050 text.chars()
4051 .collect::<Vec<_>>()
4052 .chunks(size)
4053 .map(|chunk| Ok(chunk.iter().collect::<String>()))
4054 .collect::<Vec<_>>(),
4055 )
4056 }
4057 }
4058
4059 fn simulate_response_stream(
4060 codegen: Entity<CodegenAlternative>,
4061 cx: &mut TestAppContext,
4062 ) -> mpsc::UnboundedSender<String> {
4063 let (chunks_tx, chunks_rx) = mpsc::unbounded();
4064 codegen.update(cx, |codegen, cx| {
4065 codegen.handle_stream(
4066 String::new(),
4067 String::new(),
4068 None,
4069 future::ready(Ok(LanguageModelTextStream {
4070 message_id: None,
4071 stream: chunks_rx.map(Ok).boxed(),
4072 })),
4073 cx,
4074 );
4075 });
4076 chunks_tx
4077 }
4078
4079 fn rust_lang() -> Language {
4080 Language::new(
4081 LanguageConfig {
4082 name: "Rust".into(),
4083 matcher: LanguageMatcher {
4084 path_suffixes: vec!["rs".to_string()],
4085 ..Default::default()
4086 },
4087 ..Default::default()
4088 },
4089 Some(tree_sitter_rust::LANGUAGE.into()),
4090 )
4091 .with_indents_query(
4092 r#"
4093 (call_expression) @indent
4094 (field_expression) @indent
4095 (_ "(" ")" @end) @indent
4096 (_ "{" "}" @end) @indent
4097 "#,
4098 )
4099 .unwrap()
4100 }
4101}