supermaven_completion_provider.rs

  1use crate::{Supermaven, SupermavenCompletionStateId};
  2use anyhow::Result;
  3use futures::StreamExt as _;
  4use gpui::{App, Context, Entity, EntityId, Task};
  5use inline_completion::{Direction, EditPredictionProvider, InlineCompletion};
  6use language::{Anchor, Buffer, BufferSnapshot};
  7use project::Project;
  8use std::{
  9    ops::{AddAssign, Range},
 10    path::Path,
 11    time::Duration,
 12};
 13use text::{ToOffset, ToPoint};
 14use unicode_segmentation::UnicodeSegmentation;
 15
 16pub const DEBOUNCE_TIMEOUT: Duration = Duration::from_millis(75);
 17
 18pub struct SupermavenCompletionProvider {
 19    supermaven: Entity<Supermaven>,
 20    buffer_id: Option<EntityId>,
 21    completion_id: Option<SupermavenCompletionStateId>,
 22    file_extension: Option<String>,
 23    pending_refresh: Option<Task<Result<()>>>,
 24}
 25
 26impl SupermavenCompletionProvider {
 27    pub fn new(supermaven: Entity<Supermaven>) -> Self {
 28        Self {
 29            supermaven,
 30            buffer_id: None,
 31            completion_id: None,
 32            file_extension: None,
 33            pending_refresh: None,
 34        }
 35    }
 36}
 37
 38// Computes the edit prediction from the difference between the completion text.
 39// this is defined by greedily matching the buffer text against the completion text, with any leftover buffer placed at the end.
 40// for example, given the completion text "moo cows are cool" and the buffer text "cowsre pool", the completion state would be
 41// the inlays "moo ", " a", and "cool" which will render as "[moo ]cows[ a]re [cool]pool" in the editor.
 42fn completion_from_diff(
 43    snapshot: BufferSnapshot,
 44    completion_text: &str,
 45    position: Anchor,
 46    delete_range: Range<Anchor>,
 47) -> InlineCompletion {
 48    let buffer_text = snapshot
 49        .text_for_range(delete_range.clone())
 50        .collect::<String>();
 51
 52    let mut edits: Vec<(Range<language::Anchor>, String)> = Vec::new();
 53
 54    let completion_graphemes: Vec<&str> = completion_text.graphemes(true).collect();
 55    let buffer_graphemes: Vec<&str> = buffer_text.graphemes(true).collect();
 56
 57    let mut offset = position.to_offset(&snapshot);
 58
 59    let mut i = 0;
 60    let mut j = 0;
 61    while i < completion_graphemes.len() && j < buffer_graphemes.len() {
 62        // find the next instance of the buffer text in the completion text.
 63        let k = completion_graphemes[i..]
 64            .iter()
 65            .position(|c| *c == buffer_graphemes[j]);
 66        match k {
 67            Some(k) => {
 68                if k != 0 {
 69                    let offset = snapshot.anchor_after(offset);
 70                    // the range from the current position to item is an inlay.
 71                    let edit = (offset..offset, completion_graphemes[i..i + k].join(""));
 72                    edits.push(edit);
 73                }
 74                i += k + 1;
 75                j += 1;
 76                offset.add_assign(buffer_graphemes[j - 1].len());
 77            }
 78            None => {
 79                // there are no more matching completions, so drop the remaining
 80                // completion text as an inlay.
 81                break;
 82            }
 83        }
 84    }
 85
 86    if j == buffer_graphemes.len() && i < completion_graphemes.len() {
 87        let offset = snapshot.anchor_after(offset);
 88        // there is leftover completion text, so drop it as an inlay.
 89        let edit_range = offset..offset;
 90        let edit_text = completion_graphemes[i..].join("");
 91        edits.push((edit_range, edit_text));
 92    }
 93
 94    InlineCompletion {
 95        id: None,
 96        edits,
 97        edit_preview: None,
 98    }
 99}
100
101impl EditPredictionProvider for SupermavenCompletionProvider {
102    fn name() -> &'static str {
103        "supermaven"
104    }
105
106    fn display_name() -> &'static str {
107        "Supermaven"
108    }
109
110    fn show_completions_in_menu() -> bool {
111        false
112    }
113
114    fn is_enabled(&self, _buffer: &Entity<Buffer>, _cursor_position: Anchor, cx: &App) -> bool {
115        self.supermaven.read(cx).is_enabled()
116    }
117
118    fn is_refreshing(&self) -> bool {
119        self.pending_refresh.is_some()
120    }
121
122    fn refresh(
123        &mut self,
124        _project: Option<Entity<Project>>,
125        buffer_handle: Entity<Buffer>,
126        cursor_position: Anchor,
127        debounce: bool,
128        cx: &mut Context<Self>,
129    ) {
130        let Some(mut completion) = self.supermaven.update(cx, |supermaven, cx| {
131            supermaven.complete(&buffer_handle, cursor_position, cx)
132        }) else {
133            return;
134        };
135
136        self.pending_refresh = Some(cx.spawn(async move |this, cx| {
137            if debounce {
138                cx.background_executor().timer(DEBOUNCE_TIMEOUT).await;
139            }
140
141            while let Some(()) = completion.updates.next().await {
142                this.update(cx, |this, cx| {
143                    this.completion_id = Some(completion.id);
144                    this.buffer_id = Some(buffer_handle.entity_id());
145                    this.file_extension = buffer_handle.read(cx).file().and_then(|file| {
146                        Some(
147                            Path::new(file.file_name(cx))
148                                .extension()?
149                                .to_str()?
150                                .to_string(),
151                        )
152                    });
153                    this.pending_refresh = None;
154                    cx.notify();
155                })?;
156            }
157            Ok(())
158        }));
159    }
160
161    fn cycle(
162        &mut self,
163        _buffer: Entity<Buffer>,
164        _cursor_position: Anchor,
165        _direction: Direction,
166        _cx: &mut Context<Self>,
167    ) {
168    }
169
170    fn accept(&mut self, _cx: &mut Context<Self>) {
171        self.pending_refresh = None;
172        self.completion_id = None;
173    }
174
175    fn discard(&mut self, _cx: &mut Context<Self>) {
176        self.pending_refresh = None;
177        self.completion_id = None;
178    }
179
180    fn suggest(
181        &mut self,
182        buffer: &Entity<Buffer>,
183        cursor_position: Anchor,
184        cx: &mut Context<Self>,
185    ) -> Option<InlineCompletion> {
186        let completion_text = self
187            .supermaven
188            .read(cx)
189            .completion(buffer, cursor_position, cx)?;
190
191        let completion_text = trim_to_end_of_line_unless_leading_newline(completion_text);
192
193        let completion_text = completion_text.trim_end();
194
195        if !completion_text.trim().is_empty() {
196            let snapshot = buffer.read(cx).snapshot();
197            let mut point = cursor_position.to_point(&snapshot);
198            point.column = snapshot.line_len(point.row);
199            let range = cursor_position..snapshot.anchor_after(point);
200            Some(completion_from_diff(
201                snapshot,
202                completion_text,
203                cursor_position,
204                range,
205            ))
206        } else {
207            None
208        }
209    }
210}
211
212fn trim_to_end_of_line_unless_leading_newline(text: &str) -> &str {
213    if has_leading_newline(text) {
214        text
215    } else if let Some(i) = text.find('\n') {
216        &text[..i]
217    } else {
218        text
219    }
220}
221
222fn has_leading_newline(text: &str) -> bool {
223    for c in text.chars() {
224        if c == '\n' {
225            return true;
226        }
227        if !c.is_whitespace() {
228            return false;
229        }
230    }
231    false
232}