1use crate::commit::parse_git_diff_name_status;
2use crate::status::{GitStatus, StatusCode};
3use crate::{Oid, SHORT_SHA_LENGTH};
4use anyhow::{Context as _, Result, anyhow, bail};
5use collections::HashMap;
6use futures::future::BoxFuture;
7use futures::{AsyncWriteExt, FutureExt as _, select_biased};
8use git2::BranchType;
9use gpui::{AppContext as _, AsyncApp, BackgroundExecutor, SharedString};
10use parking_lot::Mutex;
11use rope::Rope;
12use schemars::JsonSchema;
13use serde::Deserialize;
14use std::borrow::{Borrow, Cow};
15use std::ffi::{OsStr, OsString};
16use std::io::prelude::*;
17use std::path::Component;
18use std::process::{ExitStatus, Stdio};
19use std::sync::LazyLock;
20use std::{
21 cmp::Ordering,
22 future,
23 io::{BufRead, BufReader, BufWriter, Read},
24 path::{Path, PathBuf},
25 sync::Arc,
26};
27use sum_tree::MapSeekTarget;
28use thiserror::Error;
29use util::command::{new_smol_command, new_std_command};
30use util::{ResultExt, paths};
31use uuid::Uuid;
32
33pub use askpass::{AskPassDelegate, AskPassResult, AskPassSession};
34
35pub const REMOTE_CANCELLED_BY_USER: &str = "Operation cancelled by user";
36
37#[derive(Clone, Debug, Hash, PartialEq, Eq)]
38pub struct Branch {
39 pub is_head: bool,
40 pub ref_name: SharedString,
41 pub upstream: Option<Upstream>,
42 pub most_recent_commit: Option<CommitSummary>,
43}
44
45impl Branch {
46 pub fn name(&self) -> &str {
47 self.ref_name
48 .as_ref()
49 .strip_prefix("refs/heads/")
50 .or_else(|| self.ref_name.as_ref().strip_prefix("refs/remotes/"))
51 .unwrap_or(self.ref_name.as_ref())
52 }
53
54 pub fn is_remote(&self) -> bool {
55 self.ref_name.starts_with("refs/remotes/")
56 }
57
58 pub fn tracking_status(&self) -> Option<UpstreamTrackingStatus> {
59 self.upstream
60 .as_ref()
61 .and_then(|upstream| upstream.tracking.status())
62 }
63
64 pub fn priority_key(&self) -> (bool, Option<i64>) {
65 (
66 self.is_head,
67 self.most_recent_commit
68 .as_ref()
69 .map(|commit| commit.commit_timestamp),
70 )
71 }
72}
73
74#[derive(Clone, Debug, Hash, PartialEq, Eq)]
75pub struct Upstream {
76 pub ref_name: SharedString,
77 pub tracking: UpstreamTracking,
78}
79
80impl Upstream {
81 pub fn is_remote(&self) -> bool {
82 self.remote_name().is_some()
83 }
84
85 pub fn remote_name(&self) -> Option<&str> {
86 self.ref_name
87 .strip_prefix("refs/remotes/")
88 .and_then(|stripped| stripped.split("/").next())
89 }
90
91 pub fn stripped_ref_name(&self) -> Option<&str> {
92 self.ref_name.strip_prefix("refs/remotes/")
93 }
94}
95
96#[derive(Clone, Copy, Default)]
97pub struct CommitOptions {
98 pub amend: bool,
99 pub signoff: bool,
100}
101
102#[derive(Clone, Copy, Debug, Hash, PartialEq, Eq)]
103pub enum UpstreamTracking {
104 /// Remote ref not present in local repository.
105 Gone,
106 /// Remote ref present in local repository (fetched from remote).
107 Tracked(UpstreamTrackingStatus),
108}
109
110impl From<UpstreamTrackingStatus> for UpstreamTracking {
111 fn from(status: UpstreamTrackingStatus) -> Self {
112 UpstreamTracking::Tracked(status)
113 }
114}
115
116impl UpstreamTracking {
117 pub fn is_gone(&self) -> bool {
118 matches!(self, UpstreamTracking::Gone)
119 }
120
121 pub fn status(&self) -> Option<UpstreamTrackingStatus> {
122 match self {
123 UpstreamTracking::Gone => None,
124 UpstreamTracking::Tracked(status) => Some(*status),
125 }
126 }
127}
128
129#[derive(Debug, Clone)]
130pub struct RemoteCommandOutput {
131 pub stdout: String,
132 pub stderr: String,
133}
134
135impl RemoteCommandOutput {
136 pub fn is_empty(&self) -> bool {
137 self.stdout.is_empty() && self.stderr.is_empty()
138 }
139}
140
141#[derive(Clone, Copy, Debug, Hash, PartialEq, Eq)]
142pub struct UpstreamTrackingStatus {
143 pub ahead: u32,
144 pub behind: u32,
145}
146
147#[derive(Clone, Debug, Hash, PartialEq, Eq)]
148pub struct CommitSummary {
149 pub sha: SharedString,
150 pub subject: SharedString,
151 /// This is a unix timestamp
152 pub commit_timestamp: i64,
153 pub has_parent: bool,
154}
155
156#[derive(Clone, Debug, Default, Hash, PartialEq, Eq)]
157pub struct CommitDetails {
158 pub sha: SharedString,
159 pub message: SharedString,
160 pub commit_timestamp: i64,
161 pub author_email: SharedString,
162 pub author_name: SharedString,
163}
164
165#[derive(Debug)]
166pub struct CommitDiff {
167 pub files: Vec<CommitFile>,
168}
169
170#[derive(Debug)]
171pub struct CommitFile {
172 pub path: RepoPath,
173 pub old_text: Option<String>,
174 pub new_text: Option<String>,
175}
176
177impl CommitDetails {
178 pub fn short_sha(&self) -> SharedString {
179 self.sha[..SHORT_SHA_LENGTH].to_string().into()
180 }
181}
182
183#[derive(Debug, Clone, Hash, PartialEq, Eq)]
184pub struct Remote {
185 pub name: SharedString,
186}
187
188pub enum ResetMode {
189 /// Reset the branch pointer, leave index and worktree unchanged (this will make it look like things that were
190 /// committed are now staged).
191 Soft,
192 /// Reset the branch pointer and index, leave worktree unchanged (this makes it look as though things that were
193 /// committed are now unstaged).
194 Mixed,
195}
196
197#[derive(Debug, Clone, Hash, PartialEq, Eq)]
198pub enum FetchOptions {
199 All,
200 Remote(Remote),
201}
202
203impl FetchOptions {
204 pub fn to_proto(&self) -> Option<String> {
205 match self {
206 FetchOptions::All => None,
207 FetchOptions::Remote(remote) => Some(remote.clone().name.into()),
208 }
209 }
210
211 pub fn from_proto(remote_name: Option<String>) -> Self {
212 match remote_name {
213 Some(name) => FetchOptions::Remote(Remote { name: name.into() }),
214 None => FetchOptions::All,
215 }
216 }
217
218 pub fn name(&self) -> SharedString {
219 match self {
220 Self::All => "Fetch all remotes".into(),
221 Self::Remote(remote) => remote.name.clone(),
222 }
223 }
224}
225
226impl std::fmt::Display for FetchOptions {
227 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
228 match self {
229 FetchOptions::All => write!(f, "--all"),
230 FetchOptions::Remote(remote) => write!(f, "{}", remote.name),
231 }
232 }
233}
234
235/// Modifies .git/info/exclude temporarily
236pub struct GitExcludeOverride {
237 git_exclude_path: PathBuf,
238 original_excludes: Option<String>,
239 added_excludes: Option<String>,
240}
241
242impl GitExcludeOverride {
243 pub async fn new(git_exclude_path: PathBuf) -> Result<Self> {
244 let original_excludes = smol::fs::read_to_string(&git_exclude_path).await.ok();
245
246 Ok(GitExcludeOverride {
247 git_exclude_path,
248 original_excludes,
249 added_excludes: None,
250 })
251 }
252
253 pub async fn add_excludes(&mut self, excludes: &str) -> Result<()> {
254 self.added_excludes = Some(if let Some(ref already_added) = self.added_excludes {
255 format!("{already_added}\n{excludes}")
256 } else {
257 excludes.to_string()
258 });
259
260 let mut content = self.original_excludes.clone().unwrap_or_default();
261 content.push_str("\n\n# ====== Auto-added by Zed: =======\n");
262 content.push_str(self.added_excludes.as_ref().unwrap());
263 content.push('\n');
264
265 smol::fs::write(&self.git_exclude_path, content).await?;
266 Ok(())
267 }
268
269 pub async fn restore_original(&mut self) -> Result<()> {
270 if let Some(ref original) = self.original_excludes {
271 smol::fs::write(&self.git_exclude_path, original).await?;
272 } else {
273 if self.git_exclude_path.exists() {
274 smol::fs::remove_file(&self.git_exclude_path).await?;
275 }
276 }
277
278 self.added_excludes = None;
279
280 Ok(())
281 }
282}
283
284impl Drop for GitExcludeOverride {
285 fn drop(&mut self) {
286 if self.added_excludes.is_some() {
287 let git_exclude_path = self.git_exclude_path.clone();
288 let original_excludes = self.original_excludes.clone();
289 smol::spawn(async move {
290 if let Some(original) = original_excludes {
291 smol::fs::write(&git_exclude_path, original).await
292 } else {
293 smol::fs::remove_file(&git_exclude_path).await
294 }
295 })
296 .detach();
297 }
298 }
299}
300
301pub trait GitRepository: Send + Sync {
302 fn reload_index(&self);
303
304 /// Returns the contents of an entry in the repository's index, or None if there is no entry for the given path.
305 ///
306 /// Also returns `None` for symlinks.
307 fn load_index_text(&self, path: RepoPath) -> BoxFuture<'_, Option<String>>;
308
309 /// Returns the contents of an entry in the repository's HEAD, or None if HEAD does not exist or has no entry for the given path.
310 ///
311 /// Also returns `None` for symlinks.
312 fn load_committed_text(&self, path: RepoPath) -> BoxFuture<'_, Option<String>>;
313
314 fn set_index_text(
315 &self,
316 path: RepoPath,
317 content: Option<String>,
318 env: Arc<HashMap<String, String>>,
319 ) -> BoxFuture<'_, anyhow::Result<()>>;
320
321 /// Returns the URL of the remote with the given name.
322 fn remote_url(&self, name: &str) -> Option<String>;
323
324 /// Resolve a list of refs to SHAs.
325 fn revparse_batch(&self, revs: Vec<String>) -> BoxFuture<'_, Result<Vec<Option<String>>>>;
326
327 fn head_sha(&self) -> BoxFuture<'_, Option<String>> {
328 async move {
329 self.revparse_batch(vec!["HEAD".into()])
330 .await
331 .unwrap_or_default()
332 .into_iter()
333 .next()
334 .flatten()
335 }
336 .boxed()
337 }
338
339 fn merge_message(&self) -> BoxFuture<'_, Option<String>>;
340
341 fn status(&self, path_prefixes: &[RepoPath]) -> BoxFuture<'_, Result<GitStatus>>;
342
343 fn branches(&self) -> BoxFuture<'_, Result<Vec<Branch>>>;
344
345 fn change_branch(&self, name: String) -> BoxFuture<'_, Result<()>>;
346 fn create_branch(&self, name: String) -> BoxFuture<'_, Result<()>>;
347
348 fn reset(
349 &self,
350 commit: String,
351 mode: ResetMode,
352 env: Arc<HashMap<String, String>>,
353 ) -> BoxFuture<'_, Result<()>>;
354
355 fn checkout_files(
356 &self,
357 commit: String,
358 paths: Vec<RepoPath>,
359 env: Arc<HashMap<String, String>>,
360 ) -> BoxFuture<'_, Result<()>>;
361
362 fn show(&self, commit: String) -> BoxFuture<'_, Result<CommitDetails>>;
363
364 fn load_commit(&self, commit: String, cx: AsyncApp) -> BoxFuture<'_, Result<CommitDiff>>;
365 fn blame(&self, path: RepoPath, content: Rope) -> BoxFuture<'_, Result<crate::blame::Blame>>;
366
367 /// Returns the absolute path to the repository. For worktrees, this will be the path to the
368 /// worktree's gitdir within the main repository (typically `.git/worktrees/<name>`).
369 fn path(&self) -> PathBuf;
370
371 fn main_repository_path(&self) -> PathBuf;
372
373 /// Updates the index to match the worktree at the given paths.
374 ///
375 /// If any of the paths have been deleted from the worktree, they will be removed from the index if found there.
376 fn stage_paths(
377 &self,
378 paths: Vec<RepoPath>,
379 env: Arc<HashMap<String, String>>,
380 ) -> BoxFuture<'_, Result<()>>;
381 /// Updates the index to match HEAD at the given paths.
382 ///
383 /// If any of the paths were previously staged but do not exist in HEAD, they will be removed from the index.
384 fn unstage_paths(
385 &self,
386 paths: Vec<RepoPath>,
387 env: Arc<HashMap<String, String>>,
388 ) -> BoxFuture<'_, Result<()>>;
389
390 fn commit(
391 &self,
392 message: SharedString,
393 name_and_email: Option<(SharedString, SharedString)>,
394 options: CommitOptions,
395 env: Arc<HashMap<String, String>>,
396 ) -> BoxFuture<'_, Result<()>>;
397
398 fn stash_paths(
399 &self,
400 paths: Vec<RepoPath>,
401 env: Arc<HashMap<String, String>>,
402 ) -> BoxFuture<Result<()>>;
403
404 fn stash_pop(&self, env: Arc<HashMap<String, String>>) -> BoxFuture<Result<()>>;
405
406 fn push(
407 &self,
408 branch_name: String,
409 upstream_name: String,
410 options: Option<PushOptions>,
411 askpass: AskPassDelegate,
412 env: Arc<HashMap<String, String>>,
413 // This method takes an AsyncApp to ensure it's invoked on the main thread,
414 // otherwise git-credentials-manager won't work.
415 cx: AsyncApp,
416 ) -> BoxFuture<'_, Result<RemoteCommandOutput>>;
417
418 fn pull(
419 &self,
420 branch_name: String,
421 upstream_name: String,
422 askpass: AskPassDelegate,
423 env: Arc<HashMap<String, String>>,
424 // This method takes an AsyncApp to ensure it's invoked on the main thread,
425 // otherwise git-credentials-manager won't work.
426 cx: AsyncApp,
427 ) -> BoxFuture<'_, Result<RemoteCommandOutput>>;
428
429 fn fetch(
430 &self,
431 fetch_options: FetchOptions,
432 askpass: AskPassDelegate,
433 env: Arc<HashMap<String, String>>,
434 // This method takes an AsyncApp to ensure it's invoked on the main thread,
435 // otherwise git-credentials-manager won't work.
436 cx: AsyncApp,
437 ) -> BoxFuture<'_, Result<RemoteCommandOutput>>;
438
439 fn get_remotes(&self, branch_name: Option<String>) -> BoxFuture<'_, Result<Vec<Remote>>>;
440
441 /// returns a list of remote branches that contain HEAD
442 fn check_for_pushed_commit(&self) -> BoxFuture<'_, Result<Vec<SharedString>>>;
443
444 /// Run git diff
445 fn diff(&self, diff: DiffType) -> BoxFuture<'_, Result<String>>;
446
447 /// Creates a checkpoint for the repository.
448 fn checkpoint(&self) -> BoxFuture<'static, Result<GitRepositoryCheckpoint>>;
449
450 /// Resets to a previously-created checkpoint.
451 fn restore_checkpoint(&self, checkpoint: GitRepositoryCheckpoint) -> BoxFuture<'_, Result<()>>;
452
453 /// Compares two checkpoints, returning true if they are equal
454 fn compare_checkpoints(
455 &self,
456 left: GitRepositoryCheckpoint,
457 right: GitRepositoryCheckpoint,
458 ) -> BoxFuture<'_, Result<bool>>;
459
460 /// Computes a diff between two checkpoints.
461 fn diff_checkpoints(
462 &self,
463 base_checkpoint: GitRepositoryCheckpoint,
464 target_checkpoint: GitRepositoryCheckpoint,
465 ) -> BoxFuture<'_, Result<String>>;
466
467 fn default_branch(&self) -> BoxFuture<'_, Result<Option<SharedString>>>;
468}
469
470pub enum DiffType {
471 HeadToIndex,
472 HeadToWorktree,
473}
474
475#[derive(Debug, Clone, Copy, PartialEq, Eq, Deserialize, JsonSchema)]
476pub enum PushOptions {
477 SetUpstream,
478 Force,
479}
480
481impl std::fmt::Debug for dyn GitRepository {
482 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
483 f.debug_struct("dyn GitRepository<...>").finish()
484 }
485}
486
487pub struct RealGitRepository {
488 pub repository: Arc<Mutex<git2::Repository>>,
489 pub git_binary_path: PathBuf,
490 executor: BackgroundExecutor,
491}
492
493impl RealGitRepository {
494 pub fn new(
495 dotgit_path: &Path,
496 git_binary_path: Option<PathBuf>,
497 executor: BackgroundExecutor,
498 ) -> Option<Self> {
499 let workdir_root = dotgit_path.parent()?;
500 let repository = git2::Repository::open(workdir_root).log_err()?;
501 Some(Self {
502 repository: Arc::new(Mutex::new(repository)),
503 git_binary_path: git_binary_path.unwrap_or_else(|| PathBuf::from("git")),
504 executor,
505 })
506 }
507
508 fn working_directory(&self) -> Result<PathBuf> {
509 self.repository
510 .lock()
511 .workdir()
512 .context("failed to read git work directory")
513 .map(Path::to_path_buf)
514 }
515}
516
517#[derive(Clone, Debug)]
518pub struct GitRepositoryCheckpoint {
519 pub commit_sha: Oid,
520}
521
522#[derive(Debug)]
523pub struct GitCommitter {
524 pub name: Option<String>,
525 pub email: Option<String>,
526}
527
528pub async fn get_git_committer(cx: &AsyncApp) -> GitCommitter {
529 if cfg!(any(feature = "test-support", test)) {
530 return GitCommitter {
531 name: None,
532 email: None,
533 };
534 }
535
536 let git_binary_path =
537 if cfg!(target_os = "macos") && option_env!("ZED_BUNDLE").as_deref() == Some("true") {
538 cx.update(|cx| {
539 cx.path_for_auxiliary_executable("git")
540 .context("could not find git binary path")
541 .log_err()
542 })
543 .ok()
544 .flatten()
545 } else {
546 None
547 };
548
549 let git = GitBinary::new(
550 git_binary_path.unwrap_or(PathBuf::from("git")),
551 paths::home_dir().clone(),
552 cx.background_executor().clone(),
553 );
554
555 cx.background_spawn(async move {
556 let name = git.run(["config", "--global", "user.name"]).await.log_err();
557 let email = git
558 .run(["config", "--global", "user.email"])
559 .await
560 .log_err();
561 GitCommitter { name, email }
562 })
563 .await
564}
565
566impl GitRepository for RealGitRepository {
567 fn reload_index(&self) {
568 if let Ok(mut index) = self.repository.lock().index() {
569 _ = index.read(false);
570 }
571 }
572
573 fn path(&self) -> PathBuf {
574 let repo = self.repository.lock();
575 repo.path().into()
576 }
577
578 fn main_repository_path(&self) -> PathBuf {
579 let repo = self.repository.lock();
580 repo.commondir().into()
581 }
582
583 fn show(&self, commit: String) -> BoxFuture<'_, Result<CommitDetails>> {
584 let working_directory = self.working_directory();
585 self.executor
586 .spawn(async move {
587 let working_directory = working_directory?;
588 let output = new_std_command("git")
589 .current_dir(&working_directory)
590 .args([
591 "--no-optional-locks",
592 "show",
593 "--no-patch",
594 "--format=%H%x00%B%x00%at%x00%ae%x00%an%x00",
595 &commit,
596 ])
597 .output()?;
598 let output = std::str::from_utf8(&output.stdout)?;
599 let fields = output.split('\0').collect::<Vec<_>>();
600 if fields.len() != 6 {
601 bail!("unexpected git-show output for {commit:?}: {output:?}")
602 }
603 let sha = fields[0].to_string().into();
604 let message = fields[1].to_string().into();
605 let commit_timestamp = fields[2].parse()?;
606 let author_email = fields[3].to_string().into();
607 let author_name = fields[4].to_string().into();
608 Ok(CommitDetails {
609 sha,
610 message,
611 commit_timestamp,
612 author_email,
613 author_name,
614 })
615 })
616 .boxed()
617 }
618
619 fn load_commit(&self, commit: String, cx: AsyncApp) -> BoxFuture<'_, Result<CommitDiff>> {
620 let Some(working_directory) = self.repository.lock().workdir().map(ToOwned::to_owned)
621 else {
622 return future::ready(Err(anyhow!("no working directory"))).boxed();
623 };
624 cx.background_spawn(async move {
625 let show_output = util::command::new_std_command("git")
626 .current_dir(&working_directory)
627 .args([
628 "--no-optional-locks",
629 "show",
630 "--format=%P",
631 "-z",
632 "--no-renames",
633 "--name-status",
634 ])
635 .arg(&commit)
636 .stdin(Stdio::null())
637 .stdout(Stdio::piped())
638 .stderr(Stdio::piped())
639 .output()
640 .context("starting git show process")?;
641
642 let show_stdout = String::from_utf8_lossy(&show_output.stdout);
643 let mut lines = show_stdout.split('\n');
644 let parent_sha = lines.next().unwrap().trim().trim_end_matches('\0');
645 let changes = parse_git_diff_name_status(lines.next().unwrap_or(""));
646
647 let mut cat_file_process = util::command::new_std_command("git")
648 .current_dir(&working_directory)
649 .args(["--no-optional-locks", "cat-file", "--batch=%(objectsize)"])
650 .stdin(Stdio::piped())
651 .stdout(Stdio::piped())
652 .stderr(Stdio::piped())
653 .spawn()
654 .context("starting git cat-file process")?;
655
656 use std::io::Write as _;
657 let mut files = Vec::<CommitFile>::new();
658 let mut stdin = BufWriter::with_capacity(512, cat_file_process.stdin.take().unwrap());
659 let mut stdout = BufReader::new(cat_file_process.stdout.take().unwrap());
660 let mut info_line = String::new();
661 let mut newline = [b'\0'];
662 for (path, status_code) in changes {
663 match status_code {
664 StatusCode::Modified => {
665 writeln!(&mut stdin, "{commit}:{}", path.display())?;
666 writeln!(&mut stdin, "{parent_sha}:{}", path.display())?;
667 }
668 StatusCode::Added => {
669 writeln!(&mut stdin, "{commit}:{}", path.display())?;
670 }
671 StatusCode::Deleted => {
672 writeln!(&mut stdin, "{parent_sha}:{}", path.display())?;
673 }
674 _ => continue,
675 }
676 stdin.flush()?;
677
678 info_line.clear();
679 stdout.read_line(&mut info_line)?;
680
681 let len = info_line.trim_end().parse().with_context(|| {
682 format!("invalid object size output from cat-file {info_line}")
683 })?;
684 let mut text = vec![0; len];
685 stdout.read_exact(&mut text)?;
686 stdout.read_exact(&mut newline)?;
687 let text = String::from_utf8_lossy(&text).to_string();
688
689 let mut old_text = None;
690 let mut new_text = None;
691 match status_code {
692 StatusCode::Modified => {
693 info_line.clear();
694 stdout.read_line(&mut info_line)?;
695 let len = info_line.trim_end().parse().with_context(|| {
696 format!("invalid object size output from cat-file {}", info_line)
697 })?;
698 let mut parent_text = vec![0; len];
699 stdout.read_exact(&mut parent_text)?;
700 stdout.read_exact(&mut newline)?;
701 old_text = Some(String::from_utf8_lossy(&parent_text).to_string());
702 new_text = Some(text);
703 }
704 StatusCode::Added => new_text = Some(text),
705 StatusCode::Deleted => old_text = Some(text),
706 _ => continue,
707 }
708
709 files.push(CommitFile {
710 path: path.into(),
711 old_text,
712 new_text,
713 })
714 }
715
716 Ok(CommitDiff { files })
717 })
718 .boxed()
719 }
720
721 fn reset(
722 &self,
723 commit: String,
724 mode: ResetMode,
725 env: Arc<HashMap<String, String>>,
726 ) -> BoxFuture<'_, Result<()>> {
727 async move {
728 let working_directory = self.working_directory();
729
730 let mode_flag = match mode {
731 ResetMode::Mixed => "--mixed",
732 ResetMode::Soft => "--soft",
733 };
734
735 let output = new_smol_command(&self.git_binary_path)
736 .envs(env.iter())
737 .current_dir(&working_directory?)
738 .args(["reset", mode_flag, &commit])
739 .output()
740 .await?;
741 anyhow::ensure!(
742 output.status.success(),
743 "Failed to reset:\n{}",
744 String::from_utf8_lossy(&output.stderr),
745 );
746 Ok(())
747 }
748 .boxed()
749 }
750
751 fn checkout_files(
752 &self,
753 commit: String,
754 paths: Vec<RepoPath>,
755 env: Arc<HashMap<String, String>>,
756 ) -> BoxFuture<'_, Result<()>> {
757 let working_directory = self.working_directory();
758 let git_binary_path = self.git_binary_path.clone();
759 async move {
760 if paths.is_empty() {
761 return Ok(());
762 }
763
764 let output = new_smol_command(&git_binary_path)
765 .current_dir(&working_directory?)
766 .envs(env.iter())
767 .args(["checkout", &commit, "--"])
768 .args(paths.iter().map(|path| path.as_ref()))
769 .output()
770 .await?;
771 anyhow::ensure!(
772 output.status.success(),
773 "Failed to checkout files:\n{}",
774 String::from_utf8_lossy(&output.stderr),
775 );
776 Ok(())
777 }
778 .boxed()
779 }
780
781 fn load_index_text(&self, path: RepoPath) -> BoxFuture<'_, Option<String>> {
782 // https://git-scm.com/book/en/v2/Git-Internals-Git-Objects
783 const GIT_MODE_SYMLINK: u32 = 0o120000;
784
785 let repo = self.repository.clone();
786 self.executor
787 .spawn(async move {
788 fn logic(repo: &git2::Repository, path: &RepoPath) -> Result<Option<String>> {
789 // This check is required because index.get_path() unwraps internally :(
790 check_path_to_repo_path_errors(path)?;
791
792 let mut index = repo.index()?;
793 index.read(false)?;
794
795 const STAGE_NORMAL: i32 = 0;
796 let oid = match index.get_path(path, STAGE_NORMAL) {
797 Some(entry) if entry.mode != GIT_MODE_SYMLINK => entry.id,
798 _ => return Ok(None),
799 };
800
801 let content = repo.find_blob(oid)?.content().to_owned();
802 Ok(String::from_utf8(content).ok())
803 }
804
805 match logic(&repo.lock(), &path) {
806 Ok(value) => return value,
807 Err(err) => log::error!("Error loading index text: {:?}", err),
808 }
809 None
810 })
811 .boxed()
812 }
813
814 fn load_committed_text(&self, path: RepoPath) -> BoxFuture<'_, Option<String>> {
815 let repo = self.repository.clone();
816 self.executor
817 .spawn(async move {
818 let repo = repo.lock();
819 let head = repo.head().ok()?.peel_to_tree().log_err()?;
820 let entry = head.get_path(&path).ok()?;
821 if entry.filemode() == i32::from(git2::FileMode::Link) {
822 return None;
823 }
824 let content = repo.find_blob(entry.id()).log_err()?.content().to_owned();
825 String::from_utf8(content).ok()
826 })
827 .boxed()
828 }
829
830 fn set_index_text(
831 &self,
832 path: RepoPath,
833 content: Option<String>,
834 env: Arc<HashMap<String, String>>,
835 ) -> BoxFuture<'_, anyhow::Result<()>> {
836 let working_directory = self.working_directory();
837 let git_binary_path = self.git_binary_path.clone();
838 self.executor
839 .spawn(async move {
840 let working_directory = working_directory?;
841 if let Some(content) = content {
842 let mut child = new_smol_command(&git_binary_path)
843 .current_dir(&working_directory)
844 .envs(env.iter())
845 .args(["hash-object", "-w", "--stdin"])
846 .stdin(Stdio::piped())
847 .stdout(Stdio::piped())
848 .spawn()?;
849 child
850 .stdin
851 .take()
852 .unwrap()
853 .write_all(content.as_bytes())
854 .await?;
855 let output = child.output().await?.stdout;
856 let sha = String::from_utf8(output)?;
857
858 log::debug!("indexing SHA: {sha}, path {path:?}");
859
860 let output = new_smol_command(&git_binary_path)
861 .current_dir(&working_directory)
862 .envs(env.iter())
863 .args(["update-index", "--add", "--cacheinfo", "100644", &sha])
864 .arg(path.to_unix_style())
865 .output()
866 .await?;
867
868 anyhow::ensure!(
869 output.status.success(),
870 "Failed to stage:\n{}",
871 String::from_utf8_lossy(&output.stderr)
872 );
873 } else {
874 let output = new_smol_command(&git_binary_path)
875 .current_dir(&working_directory)
876 .envs(env.iter())
877 .args(["update-index", "--force-remove"])
878 .arg(path.to_unix_style())
879 .output()
880 .await?;
881 anyhow::ensure!(
882 output.status.success(),
883 "Failed to unstage:\n{}",
884 String::from_utf8_lossy(&output.stderr)
885 );
886 }
887
888 Ok(())
889 })
890 .boxed()
891 }
892
893 fn remote_url(&self, name: &str) -> Option<String> {
894 let repo = self.repository.lock();
895 let remote = repo.find_remote(name).ok()?;
896 remote.url().map(|url| url.to_string())
897 }
898
899 fn revparse_batch(&self, revs: Vec<String>) -> BoxFuture<'_, Result<Vec<Option<String>>>> {
900 let working_directory = self.working_directory();
901 self.executor
902 .spawn(async move {
903 let working_directory = working_directory?;
904 let mut process = new_std_command("git")
905 .current_dir(&working_directory)
906 .args([
907 "--no-optional-locks",
908 "cat-file",
909 "--batch-check=%(objectname)",
910 ])
911 .stdin(Stdio::piped())
912 .stdout(Stdio::piped())
913 .stderr(Stdio::piped())
914 .spawn()?;
915
916 let stdin = process
917 .stdin
918 .take()
919 .context("no stdin for git cat-file subprocess")?;
920 let mut stdin = BufWriter::new(stdin);
921 for rev in &revs {
922 write!(&mut stdin, "{rev}\n")?;
923 }
924 drop(stdin);
925
926 let output = process.wait_with_output()?;
927 let output = std::str::from_utf8(&output.stdout)?;
928 let shas = output
929 .lines()
930 .map(|line| {
931 if line.ends_with("missing") {
932 None
933 } else {
934 Some(line.to_string())
935 }
936 })
937 .collect::<Vec<_>>();
938
939 if shas.len() != revs.len() {
940 // In an octopus merge, git cat-file still only outputs the first sha from MERGE_HEAD.
941 bail!("unexpected number of shas")
942 }
943
944 Ok(shas)
945 })
946 .boxed()
947 }
948
949 fn merge_message(&self) -> BoxFuture<'_, Option<String>> {
950 let path = self.path().join("MERGE_MSG");
951 self.executor
952 .spawn(async move { std::fs::read_to_string(&path).ok() })
953 .boxed()
954 }
955
956 fn status(&self, path_prefixes: &[RepoPath]) -> BoxFuture<'_, Result<GitStatus>> {
957 let git_binary_path = self.git_binary_path.clone();
958 let working_directory = self.working_directory();
959 let path_prefixes = path_prefixes.to_owned();
960 self.executor
961 .spawn(async move {
962 let output = new_std_command(&git_binary_path)
963 .current_dir(working_directory?)
964 .args(git_status_args(&path_prefixes))
965 .output()?;
966 if output.status.success() {
967 let stdout = String::from_utf8_lossy(&output.stdout);
968 stdout.parse()
969 } else {
970 let stderr = String::from_utf8_lossy(&output.stderr);
971 anyhow::bail!("git status failed: {stderr}");
972 }
973 })
974 .boxed()
975 }
976
977 fn branches(&self) -> BoxFuture<'_, Result<Vec<Branch>>> {
978 let working_directory = self.working_directory();
979 let git_binary_path = self.git_binary_path.clone();
980 self.executor
981 .spawn(async move {
982 let fields = [
983 "%(HEAD)",
984 "%(objectname)",
985 "%(parent)",
986 "%(refname)",
987 "%(upstream)",
988 "%(upstream:track)",
989 "%(committerdate:unix)",
990 "%(contents:subject)",
991 ]
992 .join("%00");
993 let args = vec![
994 "for-each-ref",
995 "refs/heads/**/*",
996 "refs/remotes/**/*",
997 "--format",
998 &fields,
999 ];
1000 let working_directory = working_directory?;
1001 let output = new_smol_command(&git_binary_path)
1002 .current_dir(&working_directory)
1003 .args(args)
1004 .output()
1005 .await?;
1006
1007 anyhow::ensure!(
1008 output.status.success(),
1009 "Failed to git git branches:\n{}",
1010 String::from_utf8_lossy(&output.stderr)
1011 );
1012
1013 let input = String::from_utf8_lossy(&output.stdout);
1014
1015 let mut branches = parse_branch_input(&input)?;
1016 if branches.is_empty() {
1017 let args = vec!["symbolic-ref", "--quiet", "HEAD"];
1018
1019 let output = new_smol_command(&git_binary_path)
1020 .current_dir(&working_directory)
1021 .args(args)
1022 .output()
1023 .await?;
1024
1025 // git symbolic-ref returns a non-0 exit code if HEAD points
1026 // to something other than a branch
1027 if output.status.success() {
1028 let name = String::from_utf8_lossy(&output.stdout).trim().to_string();
1029
1030 branches.push(Branch {
1031 ref_name: name.into(),
1032 is_head: true,
1033 upstream: None,
1034 most_recent_commit: None,
1035 });
1036 }
1037 }
1038
1039 Ok(branches)
1040 })
1041 .boxed()
1042 }
1043
1044 fn change_branch(&self, name: String) -> BoxFuture<'_, Result<()>> {
1045 let repo = self.repository.clone();
1046 let working_directory = self.working_directory();
1047 let git_binary_path = self.git_binary_path.clone();
1048 let executor = self.executor.clone();
1049 let branch = self.executor.spawn(async move {
1050 let repo = repo.lock();
1051 let branch = if let Ok(branch) = repo.find_branch(&name, BranchType::Local) {
1052 branch
1053 } else if let Ok(revision) = repo.find_branch(&name, BranchType::Remote) {
1054 let (_, branch_name) = name.split_once("/").context("Unexpected branch format")?;
1055 let revision = revision.get();
1056 let branch_commit = revision.peel_to_commit()?;
1057 let mut branch = repo.branch(&branch_name, &branch_commit, false)?;
1058 branch.set_upstream(Some(&name))?;
1059 branch
1060 } else {
1061 anyhow::bail!("Branch not found");
1062 };
1063
1064 Ok(branch
1065 .name()?
1066 .context("cannot checkout anonymous branch")?
1067 .to_string())
1068 });
1069
1070 self.executor
1071 .spawn(async move {
1072 let branch = branch.await?;
1073
1074 GitBinary::new(git_binary_path, working_directory?, executor)
1075 .run(&["checkout", &branch])
1076 .await?;
1077
1078 anyhow::Ok(())
1079 })
1080 .boxed()
1081 }
1082
1083 fn create_branch(&self, name: String) -> BoxFuture<'_, Result<()>> {
1084 let repo = self.repository.clone();
1085 self.executor
1086 .spawn(async move {
1087 let repo = repo.lock();
1088 let current_commit = repo.head()?.peel_to_commit()?;
1089 repo.branch(&name, ¤t_commit, false)?;
1090 Ok(())
1091 })
1092 .boxed()
1093 }
1094
1095 fn blame(&self, path: RepoPath, content: Rope) -> BoxFuture<'_, Result<crate::blame::Blame>> {
1096 let working_directory = self.working_directory();
1097 let git_binary_path = self.git_binary_path.clone();
1098
1099 let remote_url = self
1100 .remote_url("upstream")
1101 .or_else(|| self.remote_url("origin"));
1102
1103 self.executor
1104 .spawn(async move {
1105 crate::blame::Blame::for_path(
1106 &git_binary_path,
1107 &working_directory?,
1108 &path,
1109 &content,
1110 remote_url,
1111 )
1112 .await
1113 })
1114 .boxed()
1115 }
1116
1117 fn diff(&self, diff: DiffType) -> BoxFuture<'_, Result<String>> {
1118 let working_directory = self.working_directory();
1119 let git_binary_path = self.git_binary_path.clone();
1120 self.executor
1121 .spawn(async move {
1122 let args = match diff {
1123 DiffType::HeadToIndex => Some("--staged"),
1124 DiffType::HeadToWorktree => None,
1125 };
1126
1127 let output = new_smol_command(&git_binary_path)
1128 .current_dir(&working_directory?)
1129 .args(["diff"])
1130 .args(args)
1131 .output()
1132 .await?;
1133
1134 anyhow::ensure!(
1135 output.status.success(),
1136 "Failed to run git diff:\n{}",
1137 String::from_utf8_lossy(&output.stderr)
1138 );
1139 Ok(String::from_utf8_lossy(&output.stdout).to_string())
1140 })
1141 .boxed()
1142 }
1143
1144 fn stage_paths(
1145 &self,
1146 paths: Vec<RepoPath>,
1147 env: Arc<HashMap<String, String>>,
1148 ) -> BoxFuture<'_, Result<()>> {
1149 let working_directory = self.working_directory();
1150 let git_binary_path = self.git_binary_path.clone();
1151 self.executor
1152 .spawn(async move {
1153 if !paths.is_empty() {
1154 let output = new_smol_command(&git_binary_path)
1155 .current_dir(&working_directory?)
1156 .envs(env.iter())
1157 .args(["update-index", "--add", "--remove", "--"])
1158 .args(paths.iter().map(|p| p.to_unix_style()))
1159 .output()
1160 .await?;
1161 anyhow::ensure!(
1162 output.status.success(),
1163 "Failed to stage paths:\n{}",
1164 String::from_utf8_lossy(&output.stderr),
1165 );
1166 }
1167 Ok(())
1168 })
1169 .boxed()
1170 }
1171
1172 fn unstage_paths(
1173 &self,
1174 paths: Vec<RepoPath>,
1175 env: Arc<HashMap<String, String>>,
1176 ) -> BoxFuture<'_, Result<()>> {
1177 let working_directory = self.working_directory();
1178 let git_binary_path = self.git_binary_path.clone();
1179
1180 self.executor
1181 .spawn(async move {
1182 if !paths.is_empty() {
1183 let output = new_smol_command(&git_binary_path)
1184 .current_dir(&working_directory?)
1185 .envs(env.iter())
1186 .args(["reset", "--quiet", "--"])
1187 .args(paths.iter().map(|p| p.as_ref()))
1188 .output()
1189 .await?;
1190
1191 anyhow::ensure!(
1192 output.status.success(),
1193 "Failed to unstage:\n{}",
1194 String::from_utf8_lossy(&output.stderr),
1195 );
1196 }
1197 Ok(())
1198 })
1199 .boxed()
1200 }
1201
1202 fn stash_paths(
1203 &self,
1204 paths: Vec<RepoPath>,
1205 env: Arc<HashMap<String, String>>,
1206 ) -> BoxFuture<Result<()>> {
1207 let working_directory = self.working_directory();
1208 self.executor
1209 .spawn(async move {
1210 let mut cmd = new_smol_command("git");
1211 cmd.current_dir(&working_directory?)
1212 .envs(env.iter())
1213 .args(["stash", "push", "--quiet"])
1214 .arg("--include-untracked");
1215
1216 cmd.args(paths.iter().map(|p| p.as_ref()));
1217
1218 let output = cmd.output().await?;
1219
1220 anyhow::ensure!(
1221 output.status.success(),
1222 "Failed to stash:\n{}",
1223 String::from_utf8_lossy(&output.stderr)
1224 );
1225 Ok(())
1226 })
1227 .boxed()
1228 }
1229
1230 fn stash_pop(&self, env: Arc<HashMap<String, String>>) -> BoxFuture<Result<()>> {
1231 let working_directory = self.working_directory();
1232 self.executor
1233 .spawn(async move {
1234 let mut cmd = new_smol_command("git");
1235 cmd.current_dir(&working_directory?)
1236 .envs(env.iter())
1237 .args(["stash", "pop"]);
1238
1239 let output = cmd.output().await?;
1240
1241 anyhow::ensure!(
1242 output.status.success(),
1243 "Failed to stash pop:\n{}",
1244 String::from_utf8_lossy(&output.stderr)
1245 );
1246 Ok(())
1247 })
1248 .boxed()
1249 }
1250
1251 fn commit(
1252 &self,
1253 message: SharedString,
1254 name_and_email: Option<(SharedString, SharedString)>,
1255 options: CommitOptions,
1256 env: Arc<HashMap<String, String>>,
1257 ) -> BoxFuture<'_, Result<()>> {
1258 let working_directory = self.working_directory();
1259 self.executor
1260 .spawn(async move {
1261 let mut cmd = new_smol_command("git");
1262 cmd.current_dir(&working_directory?)
1263 .envs(env.iter())
1264 .args(["commit", "--quiet", "-m"])
1265 .arg(&message.to_string())
1266 .arg("--cleanup=strip");
1267
1268 if options.amend {
1269 cmd.arg("--amend");
1270 }
1271
1272 if options.signoff {
1273 cmd.arg("--signoff");
1274 }
1275
1276 if let Some((name, email)) = name_and_email {
1277 cmd.arg("--author").arg(&format!("{name} <{email}>"));
1278 }
1279
1280 let output = cmd.output().await?;
1281
1282 anyhow::ensure!(
1283 output.status.success(),
1284 "Failed to commit:\n{}",
1285 String::from_utf8_lossy(&output.stderr)
1286 );
1287 Ok(())
1288 })
1289 .boxed()
1290 }
1291
1292 fn push(
1293 &self,
1294 branch_name: String,
1295 remote_name: String,
1296 options: Option<PushOptions>,
1297 ask_pass: AskPassDelegate,
1298 env: Arc<HashMap<String, String>>,
1299 cx: AsyncApp,
1300 ) -> BoxFuture<'_, Result<RemoteCommandOutput>> {
1301 let working_directory = self.working_directory();
1302 let executor = cx.background_executor().clone();
1303 async move {
1304 let working_directory = working_directory?;
1305 let mut command = new_smol_command("git");
1306 command
1307 .envs(env.iter())
1308 .current_dir(&working_directory)
1309 .args(["push"])
1310 .args(options.map(|option| match option {
1311 PushOptions::SetUpstream => "--set-upstream",
1312 PushOptions::Force => "--force-with-lease",
1313 }))
1314 .arg(remote_name)
1315 .arg(format!("{}:{}", branch_name, branch_name))
1316 .stdin(smol::process::Stdio::null())
1317 .stdout(smol::process::Stdio::piped())
1318 .stderr(smol::process::Stdio::piped());
1319
1320 run_git_command(env, ask_pass, command, &executor).await
1321 }
1322 .boxed()
1323 }
1324
1325 fn pull(
1326 &self,
1327 branch_name: String,
1328 remote_name: String,
1329 ask_pass: AskPassDelegate,
1330 env: Arc<HashMap<String, String>>,
1331 cx: AsyncApp,
1332 ) -> BoxFuture<'_, Result<RemoteCommandOutput>> {
1333 let working_directory = self.working_directory();
1334 let executor = cx.background_executor().clone();
1335 async move {
1336 let mut command = new_smol_command("git");
1337 command
1338 .envs(env.iter())
1339 .current_dir(&working_directory?)
1340 .args(["pull"])
1341 .arg(remote_name)
1342 .arg(branch_name)
1343 .stdout(smol::process::Stdio::piped())
1344 .stderr(smol::process::Stdio::piped());
1345
1346 run_git_command(env, ask_pass, command, &executor).await
1347 }
1348 .boxed()
1349 }
1350
1351 fn fetch(
1352 &self,
1353 fetch_options: FetchOptions,
1354 ask_pass: AskPassDelegate,
1355 env: Arc<HashMap<String, String>>,
1356 cx: AsyncApp,
1357 ) -> BoxFuture<'_, Result<RemoteCommandOutput>> {
1358 let working_directory = self.working_directory();
1359 let remote_name = format!("{}", fetch_options);
1360 let executor = cx.background_executor().clone();
1361 async move {
1362 let mut command = new_smol_command("git");
1363 command
1364 .envs(env.iter())
1365 .current_dir(&working_directory?)
1366 .args(["fetch", &remote_name])
1367 .stdout(smol::process::Stdio::piped())
1368 .stderr(smol::process::Stdio::piped());
1369
1370 run_git_command(env, ask_pass, command, &executor).await
1371 }
1372 .boxed()
1373 }
1374
1375 fn get_remotes(&self, branch_name: Option<String>) -> BoxFuture<'_, Result<Vec<Remote>>> {
1376 let working_directory = self.working_directory();
1377 let git_binary_path = self.git_binary_path.clone();
1378 self.executor
1379 .spawn(async move {
1380 let working_directory = working_directory?;
1381 if let Some(branch_name) = branch_name {
1382 let output = new_smol_command(&git_binary_path)
1383 .current_dir(&working_directory)
1384 .args(["config", "--get"])
1385 .arg(format!("branch.{}.remote", branch_name))
1386 .output()
1387 .await?;
1388
1389 if output.status.success() {
1390 let remote_name = String::from_utf8_lossy(&output.stdout);
1391
1392 return Ok(vec![Remote {
1393 name: remote_name.trim().to_string().into(),
1394 }]);
1395 }
1396 }
1397
1398 let output = new_smol_command(&git_binary_path)
1399 .current_dir(&working_directory)
1400 .args(["remote"])
1401 .output()
1402 .await?;
1403
1404 anyhow::ensure!(
1405 output.status.success(),
1406 "Failed to get remotes:\n{}",
1407 String::from_utf8_lossy(&output.stderr)
1408 );
1409 let remote_names = String::from_utf8_lossy(&output.stdout)
1410 .split('\n')
1411 .filter(|name| !name.is_empty())
1412 .map(|name| Remote {
1413 name: name.trim().to_string().into(),
1414 })
1415 .collect();
1416 Ok(remote_names)
1417 })
1418 .boxed()
1419 }
1420
1421 fn check_for_pushed_commit(&self) -> BoxFuture<'_, Result<Vec<SharedString>>> {
1422 let working_directory = self.working_directory();
1423 let git_binary_path = self.git_binary_path.clone();
1424 self.executor
1425 .spawn(async move {
1426 let working_directory = working_directory?;
1427 let git_cmd = async |args: &[&str]| -> Result<String> {
1428 let output = new_smol_command(&git_binary_path)
1429 .current_dir(&working_directory)
1430 .args(args)
1431 .output()
1432 .await?;
1433 anyhow::ensure!(
1434 output.status.success(),
1435 String::from_utf8_lossy(&output.stderr).to_string()
1436 );
1437 Ok(String::from_utf8(output.stdout)?)
1438 };
1439
1440 let head = git_cmd(&["rev-parse", "HEAD"])
1441 .await
1442 .context("Failed to get HEAD")?
1443 .trim()
1444 .to_owned();
1445
1446 let mut remote_branches = vec![];
1447 let mut add_if_matching = async |remote_head: &str| {
1448 if let Ok(merge_base) = git_cmd(&["merge-base", &head, remote_head]).await {
1449 if merge_base.trim() == head {
1450 if let Some(s) = remote_head.strip_prefix("refs/remotes/") {
1451 remote_branches.push(s.to_owned().into());
1452 }
1453 }
1454 }
1455 };
1456
1457 // check the main branch of each remote
1458 let remotes = git_cmd(&["remote"])
1459 .await
1460 .context("Failed to get remotes")?;
1461 for remote in remotes.lines() {
1462 if let Ok(remote_head) =
1463 git_cmd(&["symbolic-ref", &format!("refs/remotes/{remote}/HEAD")]).await
1464 {
1465 add_if_matching(remote_head.trim()).await;
1466 }
1467 }
1468
1469 // ... and the remote branch that the checked-out one is tracking
1470 if let Ok(remote_head) =
1471 git_cmd(&["rev-parse", "--symbolic-full-name", "@{u}"]).await
1472 {
1473 add_if_matching(remote_head.trim()).await;
1474 }
1475
1476 Ok(remote_branches)
1477 })
1478 .boxed()
1479 }
1480
1481 fn checkpoint(&self) -> BoxFuture<'static, Result<GitRepositoryCheckpoint>> {
1482 let working_directory = self.working_directory();
1483 let git_binary_path = self.git_binary_path.clone();
1484 let executor = self.executor.clone();
1485 self.executor
1486 .spawn(async move {
1487 let working_directory = working_directory?;
1488 let mut git = GitBinary::new(git_binary_path, working_directory.clone(), executor)
1489 .envs(checkpoint_author_envs());
1490 git.with_temp_index(async |git| {
1491 let head_sha = git.run(&["rev-parse", "HEAD"]).await.ok();
1492 let mut excludes = exclude_files(git).await?;
1493
1494 git.run(&["add", "--all"]).await?;
1495 let tree = git.run(&["write-tree"]).await?;
1496 let checkpoint_sha = if let Some(head_sha) = head_sha.as_deref() {
1497 git.run(&["commit-tree", &tree, "-p", head_sha, "-m", "Checkpoint"])
1498 .await?
1499 } else {
1500 git.run(&["commit-tree", &tree, "-m", "Checkpoint"]).await?
1501 };
1502
1503 excludes.restore_original().await?;
1504
1505 Ok(GitRepositoryCheckpoint {
1506 commit_sha: checkpoint_sha.parse()?,
1507 })
1508 })
1509 .await
1510 })
1511 .boxed()
1512 }
1513
1514 fn restore_checkpoint(&self, checkpoint: GitRepositoryCheckpoint) -> BoxFuture<'_, Result<()>> {
1515 let working_directory = self.working_directory();
1516 let git_binary_path = self.git_binary_path.clone();
1517
1518 let executor = self.executor.clone();
1519 self.executor
1520 .spawn(async move {
1521 let working_directory = working_directory?;
1522
1523 let git = GitBinary::new(git_binary_path, working_directory, executor);
1524 git.run(&[
1525 "restore",
1526 "--source",
1527 &checkpoint.commit_sha.to_string(),
1528 "--worktree",
1529 ".",
1530 ])
1531 .await?;
1532
1533 // TODO: We don't track binary and large files anymore,
1534 // so the following call would delete them.
1535 // Implement an alternative way to track files added by agent.
1536 //
1537 // git.with_temp_index(async move |git| {
1538 // git.run(&["read-tree", &checkpoint.commit_sha.to_string()])
1539 // .await?;
1540 // git.run(&["clean", "-d", "--force"]).await
1541 // })
1542 // .await?;
1543
1544 Ok(())
1545 })
1546 .boxed()
1547 }
1548
1549 fn compare_checkpoints(
1550 &self,
1551 left: GitRepositoryCheckpoint,
1552 right: GitRepositoryCheckpoint,
1553 ) -> BoxFuture<'_, Result<bool>> {
1554 let working_directory = self.working_directory();
1555 let git_binary_path = self.git_binary_path.clone();
1556
1557 let executor = self.executor.clone();
1558 self.executor
1559 .spawn(async move {
1560 let working_directory = working_directory?;
1561 let git = GitBinary::new(git_binary_path, working_directory, executor);
1562 let result = git
1563 .run(&[
1564 "diff-tree",
1565 "--quiet",
1566 &left.commit_sha.to_string(),
1567 &right.commit_sha.to_string(),
1568 ])
1569 .await;
1570 match result {
1571 Ok(_) => Ok(true),
1572 Err(error) => {
1573 if let Some(GitBinaryCommandError { status, .. }) =
1574 error.downcast_ref::<GitBinaryCommandError>()
1575 {
1576 if status.code() == Some(1) {
1577 return Ok(false);
1578 }
1579 }
1580
1581 Err(error)
1582 }
1583 }
1584 })
1585 .boxed()
1586 }
1587
1588 fn diff_checkpoints(
1589 &self,
1590 base_checkpoint: GitRepositoryCheckpoint,
1591 target_checkpoint: GitRepositoryCheckpoint,
1592 ) -> BoxFuture<'_, Result<String>> {
1593 let working_directory = self.working_directory();
1594 let git_binary_path = self.git_binary_path.clone();
1595
1596 let executor = self.executor.clone();
1597 self.executor
1598 .spawn(async move {
1599 let working_directory = working_directory?;
1600 let git = GitBinary::new(git_binary_path, working_directory, executor);
1601 git.run(&[
1602 "diff",
1603 "--find-renames",
1604 "--patch",
1605 &base_checkpoint.commit_sha.to_string(),
1606 &target_checkpoint.commit_sha.to_string(),
1607 ])
1608 .await
1609 })
1610 .boxed()
1611 }
1612
1613 fn default_branch(&self) -> BoxFuture<'_, Result<Option<SharedString>>> {
1614 let working_directory = self.working_directory();
1615 let git_binary_path = self.git_binary_path.clone();
1616
1617 let executor = self.executor.clone();
1618 self.executor
1619 .spawn(async move {
1620 let working_directory = working_directory?;
1621 let git = GitBinary::new(git_binary_path, working_directory, executor);
1622
1623 if let Ok(output) = git
1624 .run(&["symbolic-ref", "refs/remotes/upstream/HEAD"])
1625 .await
1626 {
1627 let output = output
1628 .strip_prefix("refs/remotes/upstream/")
1629 .map(|s| SharedString::from(s.to_owned()));
1630 return Ok(output);
1631 }
1632
1633 let output = git
1634 .run(&["symbolic-ref", "refs/remotes/origin/HEAD"])
1635 .await?;
1636
1637 Ok(output
1638 .strip_prefix("refs/remotes/origin/")
1639 .map(|s| SharedString::from(s.to_owned())))
1640 })
1641 .boxed()
1642 }
1643}
1644
1645fn git_status_args(path_prefixes: &[RepoPath]) -> Vec<OsString> {
1646 let mut args = vec![
1647 OsString::from("--no-optional-locks"),
1648 OsString::from("status"),
1649 OsString::from("--porcelain=v1"),
1650 OsString::from("--untracked-files=all"),
1651 OsString::from("--no-renames"),
1652 OsString::from("-z"),
1653 ];
1654 args.extend(path_prefixes.iter().map(|path_prefix| {
1655 if path_prefix.0.as_ref() == Path::new("") {
1656 Path::new(".").into()
1657 } else {
1658 path_prefix.as_os_str().into()
1659 }
1660 }));
1661 args
1662}
1663
1664/// Temporarily git-ignore commonly ignored files and files over 2MB
1665async fn exclude_files(git: &GitBinary) -> Result<GitExcludeOverride> {
1666 const MAX_SIZE: u64 = 2 * 1024 * 1024; // 2 MB
1667 let mut excludes = git.with_exclude_overrides().await?;
1668 excludes
1669 .add_excludes(include_str!("./checkpoint.gitignore"))
1670 .await?;
1671
1672 let working_directory = git.working_directory.clone();
1673 let untracked_files = git.list_untracked_files().await?;
1674 let excluded_paths = untracked_files.into_iter().map(|path| {
1675 let working_directory = working_directory.clone();
1676 smol::spawn(async move {
1677 let full_path = working_directory.join(path.clone());
1678 match smol::fs::metadata(&full_path).await {
1679 Ok(metadata) if metadata.is_file() && metadata.len() >= MAX_SIZE => {
1680 Some(PathBuf::from("/").join(path.clone()))
1681 }
1682 _ => None,
1683 }
1684 })
1685 });
1686
1687 let excluded_paths = futures::future::join_all(excluded_paths).await;
1688 let excluded_paths = excluded_paths.into_iter().flatten().collect::<Vec<_>>();
1689
1690 if !excluded_paths.is_empty() {
1691 let exclude_patterns = excluded_paths
1692 .into_iter()
1693 .map(|path| path.to_string_lossy().to_string())
1694 .collect::<Vec<_>>()
1695 .join("\n");
1696 excludes.add_excludes(&exclude_patterns).await?;
1697 }
1698
1699 Ok(excludes)
1700}
1701
1702struct GitBinary {
1703 git_binary_path: PathBuf,
1704 working_directory: PathBuf,
1705 executor: BackgroundExecutor,
1706 index_file_path: Option<PathBuf>,
1707 envs: HashMap<String, String>,
1708}
1709
1710impl GitBinary {
1711 fn new(
1712 git_binary_path: PathBuf,
1713 working_directory: PathBuf,
1714 executor: BackgroundExecutor,
1715 ) -> Self {
1716 Self {
1717 git_binary_path,
1718 working_directory,
1719 executor,
1720 index_file_path: None,
1721 envs: HashMap::default(),
1722 }
1723 }
1724
1725 async fn list_untracked_files(&self) -> Result<Vec<PathBuf>> {
1726 let status_output = self
1727 .run(&["status", "--porcelain=v1", "--untracked-files=all", "-z"])
1728 .await?;
1729
1730 let paths = status_output
1731 .split('\0')
1732 .filter(|entry| entry.len() >= 3 && entry.starts_with("?? "))
1733 .map(|entry| PathBuf::from(&entry[3..]))
1734 .collect::<Vec<_>>();
1735 Ok(paths)
1736 }
1737
1738 fn envs(mut self, envs: HashMap<String, String>) -> Self {
1739 self.envs = envs;
1740 self
1741 }
1742
1743 pub async fn with_temp_index<R>(
1744 &mut self,
1745 f: impl AsyncFnOnce(&Self) -> Result<R>,
1746 ) -> Result<R> {
1747 let index_file_path = self.path_for_index_id(Uuid::new_v4());
1748
1749 let delete_temp_index = util::defer({
1750 let index_file_path = index_file_path.clone();
1751 let executor = self.executor.clone();
1752 move || {
1753 executor
1754 .spawn(async move {
1755 smol::fs::remove_file(index_file_path).await.log_err();
1756 })
1757 .detach();
1758 }
1759 });
1760
1761 // Copy the default index file so that Git doesn't have to rebuild the
1762 // whole index from scratch. This might fail if this is an empty repository.
1763 smol::fs::copy(
1764 self.working_directory.join(".git").join("index"),
1765 &index_file_path,
1766 )
1767 .await
1768 .ok();
1769
1770 self.index_file_path = Some(index_file_path.clone());
1771 let result = f(self).await;
1772 self.index_file_path = None;
1773 let result = result?;
1774
1775 smol::fs::remove_file(index_file_path).await.ok();
1776 delete_temp_index.abort();
1777
1778 Ok(result)
1779 }
1780
1781 pub async fn with_exclude_overrides(&self) -> Result<GitExcludeOverride> {
1782 let path = self
1783 .working_directory
1784 .join(".git")
1785 .join("info")
1786 .join("exclude");
1787
1788 GitExcludeOverride::new(path).await
1789 }
1790
1791 fn path_for_index_id(&self, id: Uuid) -> PathBuf {
1792 self.working_directory
1793 .join(".git")
1794 .join(format!("index-{}.tmp", id))
1795 }
1796
1797 pub async fn run<S>(&self, args: impl IntoIterator<Item = S>) -> Result<String>
1798 where
1799 S: AsRef<OsStr>,
1800 {
1801 let mut stdout = self.run_raw(args).await?;
1802 if stdout.chars().last() == Some('\n') {
1803 stdout.pop();
1804 }
1805 Ok(stdout)
1806 }
1807
1808 /// Returns the result of the command without trimming the trailing newline.
1809 pub async fn run_raw<S>(&self, args: impl IntoIterator<Item = S>) -> Result<String>
1810 where
1811 S: AsRef<OsStr>,
1812 {
1813 let mut command = self.build_command(args);
1814 let output = command.output().await?;
1815 anyhow::ensure!(
1816 output.status.success(),
1817 GitBinaryCommandError {
1818 stdout: String::from_utf8_lossy(&output.stdout).to_string(),
1819 status: output.status,
1820 }
1821 );
1822 Ok(String::from_utf8(output.stdout)?)
1823 }
1824
1825 fn build_command<S>(&self, args: impl IntoIterator<Item = S>) -> smol::process::Command
1826 where
1827 S: AsRef<OsStr>,
1828 {
1829 let mut command = new_smol_command(&self.git_binary_path);
1830 command.current_dir(&self.working_directory);
1831 command.args(args);
1832 if let Some(index_file_path) = self.index_file_path.as_ref() {
1833 command.env("GIT_INDEX_FILE", index_file_path);
1834 }
1835 command.envs(&self.envs);
1836 command
1837 }
1838}
1839
1840#[derive(Error, Debug)]
1841#[error("Git command failed: {stdout}")]
1842struct GitBinaryCommandError {
1843 stdout: String,
1844 status: ExitStatus,
1845}
1846
1847async fn run_git_command(
1848 env: Arc<HashMap<String, String>>,
1849 ask_pass: AskPassDelegate,
1850 mut command: smol::process::Command,
1851 executor: &BackgroundExecutor,
1852) -> Result<RemoteCommandOutput> {
1853 if env.contains_key("GIT_ASKPASS") {
1854 let git_process = command.spawn()?;
1855 let output = git_process.output().await?;
1856 anyhow::ensure!(
1857 output.status.success(),
1858 "{}",
1859 String::from_utf8_lossy(&output.stderr)
1860 );
1861 Ok(RemoteCommandOutput {
1862 stdout: String::from_utf8_lossy(&output.stdout).to_string(),
1863 stderr: String::from_utf8_lossy(&output.stderr).to_string(),
1864 })
1865 } else {
1866 let ask_pass = AskPassSession::new(executor, ask_pass).await?;
1867 command
1868 .env("GIT_ASKPASS", ask_pass.script_path())
1869 .env("SSH_ASKPASS", ask_pass.script_path())
1870 .env("SSH_ASKPASS_REQUIRE", "force");
1871 let git_process = command.spawn()?;
1872
1873 run_askpass_command(ask_pass, git_process).await
1874 }
1875}
1876
1877async fn run_askpass_command(
1878 mut ask_pass: AskPassSession,
1879 git_process: smol::process::Child,
1880) -> anyhow::Result<RemoteCommandOutput> {
1881 select_biased! {
1882 result = ask_pass.run().fuse() => {
1883 match result {
1884 AskPassResult::CancelledByUser => {
1885 Err(anyhow!(REMOTE_CANCELLED_BY_USER))?
1886 }
1887 AskPassResult::Timedout => {
1888 Err(anyhow!("Connecting to host timed out"))?
1889 }
1890 }
1891 }
1892 output = git_process.output().fuse() => {
1893 let output = output?;
1894 anyhow::ensure!(
1895 output.status.success(),
1896 "{}",
1897 String::from_utf8_lossy(&output.stderr)
1898 );
1899 Ok(RemoteCommandOutput {
1900 stdout: String::from_utf8_lossy(&output.stdout).to_string(),
1901 stderr: String::from_utf8_lossy(&output.stderr).to_string(),
1902 })
1903 }
1904 }
1905}
1906
1907pub static WORK_DIRECTORY_REPO_PATH: LazyLock<RepoPath> =
1908 LazyLock::new(|| RepoPath(Path::new("").into()));
1909
1910#[derive(Clone, Debug, Ord, Hash, PartialOrd, Eq, PartialEq)]
1911pub struct RepoPath(pub Arc<Path>);
1912
1913impl RepoPath {
1914 pub fn new(path: PathBuf) -> Self {
1915 debug_assert!(path.is_relative(), "Repo paths must be relative");
1916
1917 RepoPath(path.into())
1918 }
1919
1920 pub fn from_str(path: &str) -> Self {
1921 let path = Path::new(path);
1922 debug_assert!(path.is_relative(), "Repo paths must be relative");
1923
1924 RepoPath(path.into())
1925 }
1926
1927 pub fn to_unix_style(&self) -> Cow<'_, OsStr> {
1928 #[cfg(target_os = "windows")]
1929 {
1930 use std::ffi::OsString;
1931
1932 let path = self.0.as_os_str().to_string_lossy().replace("\\", "/");
1933 Cow::Owned(OsString::from(path))
1934 }
1935 #[cfg(not(target_os = "windows"))]
1936 {
1937 Cow::Borrowed(self.0.as_os_str())
1938 }
1939 }
1940}
1941
1942impl std::fmt::Display for RepoPath {
1943 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
1944 self.0.to_string_lossy().fmt(f)
1945 }
1946}
1947
1948impl From<&Path> for RepoPath {
1949 fn from(value: &Path) -> Self {
1950 RepoPath::new(value.into())
1951 }
1952}
1953
1954impl From<Arc<Path>> for RepoPath {
1955 fn from(value: Arc<Path>) -> Self {
1956 RepoPath(value)
1957 }
1958}
1959
1960impl From<PathBuf> for RepoPath {
1961 fn from(value: PathBuf) -> Self {
1962 RepoPath::new(value)
1963 }
1964}
1965
1966impl From<&str> for RepoPath {
1967 fn from(value: &str) -> Self {
1968 Self::from_str(value)
1969 }
1970}
1971
1972impl Default for RepoPath {
1973 fn default() -> Self {
1974 RepoPath(Path::new("").into())
1975 }
1976}
1977
1978impl AsRef<Path> for RepoPath {
1979 fn as_ref(&self) -> &Path {
1980 self.0.as_ref()
1981 }
1982}
1983
1984impl std::ops::Deref for RepoPath {
1985 type Target = Path;
1986
1987 fn deref(&self) -> &Self::Target {
1988 &self.0
1989 }
1990}
1991
1992impl Borrow<Path> for RepoPath {
1993 fn borrow(&self) -> &Path {
1994 self.0.as_ref()
1995 }
1996}
1997
1998#[derive(Debug)]
1999pub struct RepoPathDescendants<'a>(pub &'a Path);
2000
2001impl MapSeekTarget<RepoPath> for RepoPathDescendants<'_> {
2002 fn cmp_cursor(&self, key: &RepoPath) -> Ordering {
2003 if key.starts_with(self.0) {
2004 Ordering::Greater
2005 } else {
2006 self.0.cmp(key)
2007 }
2008 }
2009}
2010
2011fn parse_branch_input(input: &str) -> Result<Vec<Branch>> {
2012 let mut branches = Vec::new();
2013 for line in input.split('\n') {
2014 if line.is_empty() {
2015 continue;
2016 }
2017 let mut fields = line.split('\x00');
2018 let is_current_branch = fields.next().context("no HEAD")? == "*";
2019 let head_sha: SharedString = fields.next().context("no objectname")?.to_string().into();
2020 let parent_sha: SharedString = fields.next().context("no parent")?.to_string().into();
2021 let ref_name = fields.next().context("no refname")?.to_string().into();
2022 let upstream_name = fields.next().context("no upstream")?.to_string();
2023 let upstream_tracking = parse_upstream_track(fields.next().context("no upstream:track")?)?;
2024 let commiterdate = fields.next().context("no committerdate")?.parse::<i64>()?;
2025 let subject: SharedString = fields
2026 .next()
2027 .context("no contents:subject")?
2028 .to_string()
2029 .into();
2030
2031 branches.push(Branch {
2032 is_head: is_current_branch,
2033 ref_name: ref_name,
2034 most_recent_commit: Some(CommitSummary {
2035 sha: head_sha,
2036 subject,
2037 commit_timestamp: commiterdate,
2038 has_parent: !parent_sha.is_empty(),
2039 }),
2040 upstream: if upstream_name.is_empty() {
2041 None
2042 } else {
2043 Some(Upstream {
2044 ref_name: upstream_name.into(),
2045 tracking: upstream_tracking,
2046 })
2047 },
2048 })
2049 }
2050
2051 Ok(branches)
2052}
2053
2054fn parse_upstream_track(upstream_track: &str) -> Result<UpstreamTracking> {
2055 if upstream_track == "" {
2056 return Ok(UpstreamTracking::Tracked(UpstreamTrackingStatus {
2057 ahead: 0,
2058 behind: 0,
2059 }));
2060 }
2061
2062 let upstream_track = upstream_track.strip_prefix("[").context("missing [")?;
2063 let upstream_track = upstream_track.strip_suffix("]").context("missing [")?;
2064 let mut ahead: u32 = 0;
2065 let mut behind: u32 = 0;
2066 for component in upstream_track.split(", ") {
2067 if component == "gone" {
2068 return Ok(UpstreamTracking::Gone);
2069 }
2070 if let Some(ahead_num) = component.strip_prefix("ahead ") {
2071 ahead = ahead_num.parse::<u32>()?;
2072 }
2073 if let Some(behind_num) = component.strip_prefix("behind ") {
2074 behind = behind_num.parse::<u32>()?;
2075 }
2076 }
2077 Ok(UpstreamTracking::Tracked(UpstreamTrackingStatus {
2078 ahead,
2079 behind,
2080 }))
2081}
2082
2083fn check_path_to_repo_path_errors(relative_file_path: &Path) -> Result<()> {
2084 match relative_file_path.components().next() {
2085 None => anyhow::bail!("repo path should not be empty"),
2086 Some(Component::Prefix(_)) => anyhow::bail!(
2087 "repo path `{}` should be relative, not a windows prefix",
2088 relative_file_path.to_string_lossy()
2089 ),
2090 Some(Component::RootDir) => {
2091 anyhow::bail!(
2092 "repo path `{}` should be relative",
2093 relative_file_path.to_string_lossy()
2094 )
2095 }
2096 Some(Component::CurDir) => {
2097 anyhow::bail!(
2098 "repo path `{}` should not start with `.`",
2099 relative_file_path.to_string_lossy()
2100 )
2101 }
2102 Some(Component::ParentDir) => {
2103 anyhow::bail!(
2104 "repo path `{}` should not start with `..`",
2105 relative_file_path.to_string_lossy()
2106 )
2107 }
2108 _ => Ok(()),
2109 }
2110}
2111
2112fn checkpoint_author_envs() -> HashMap<String, String> {
2113 HashMap::from_iter([
2114 ("GIT_AUTHOR_NAME".to_string(), "Zed".to_string()),
2115 ("GIT_AUTHOR_EMAIL".to_string(), "hi@zed.dev".to_string()),
2116 ("GIT_COMMITTER_NAME".to_string(), "Zed".to_string()),
2117 ("GIT_COMMITTER_EMAIL".to_string(), "hi@zed.dev".to_string()),
2118 ])
2119}
2120
2121#[cfg(test)]
2122mod tests {
2123 use super::*;
2124 use gpui::TestAppContext;
2125
2126 #[gpui::test]
2127 async fn test_checkpoint_basic(cx: &mut TestAppContext) {
2128 cx.executor().allow_parking();
2129
2130 let repo_dir = tempfile::tempdir().unwrap();
2131
2132 git2::Repository::init(repo_dir.path()).unwrap();
2133 let file_path = repo_dir.path().join("file");
2134 smol::fs::write(&file_path, "initial").await.unwrap();
2135
2136 let repo =
2137 RealGitRepository::new(&repo_dir.path().join(".git"), None, cx.executor()).unwrap();
2138 repo.stage_paths(
2139 vec![RepoPath::from_str("file")],
2140 Arc::new(HashMap::default()),
2141 )
2142 .await
2143 .unwrap();
2144 repo.commit(
2145 "Initial commit".into(),
2146 None,
2147 CommitOptions::default(),
2148 Arc::new(checkpoint_author_envs()),
2149 )
2150 .await
2151 .unwrap();
2152
2153 smol::fs::write(&file_path, "modified before checkpoint")
2154 .await
2155 .unwrap();
2156 smol::fs::write(repo_dir.path().join("new_file_before_checkpoint"), "1")
2157 .await
2158 .unwrap();
2159 let checkpoint = repo.checkpoint().await.unwrap();
2160
2161 // Ensure the user can't see any branches after creating a checkpoint.
2162 assert_eq!(repo.branches().await.unwrap().len(), 1);
2163
2164 smol::fs::write(&file_path, "modified after checkpoint")
2165 .await
2166 .unwrap();
2167 repo.stage_paths(
2168 vec![RepoPath::from_str("file")],
2169 Arc::new(HashMap::default()),
2170 )
2171 .await
2172 .unwrap();
2173 repo.commit(
2174 "Commit after checkpoint".into(),
2175 None,
2176 CommitOptions::default(),
2177 Arc::new(checkpoint_author_envs()),
2178 )
2179 .await
2180 .unwrap();
2181
2182 smol::fs::remove_file(repo_dir.path().join("new_file_before_checkpoint"))
2183 .await
2184 .unwrap();
2185 smol::fs::write(repo_dir.path().join("new_file_after_checkpoint"), "2")
2186 .await
2187 .unwrap();
2188
2189 // Ensure checkpoint stays alive even after a Git GC.
2190 repo.gc().await.unwrap();
2191 repo.restore_checkpoint(checkpoint.clone()).await.unwrap();
2192
2193 assert_eq!(
2194 smol::fs::read_to_string(&file_path).await.unwrap(),
2195 "modified before checkpoint"
2196 );
2197 assert_eq!(
2198 smol::fs::read_to_string(repo_dir.path().join("new_file_before_checkpoint"))
2199 .await
2200 .unwrap(),
2201 "1"
2202 );
2203 // See TODO above
2204 // assert_eq!(
2205 // smol::fs::read_to_string(repo_dir.path().join("new_file_after_checkpoint"))
2206 // .await
2207 // .ok(),
2208 // None
2209 // );
2210 }
2211
2212 #[gpui::test]
2213 async fn test_checkpoint_empty_repo(cx: &mut TestAppContext) {
2214 cx.executor().allow_parking();
2215
2216 let repo_dir = tempfile::tempdir().unwrap();
2217 git2::Repository::init(repo_dir.path()).unwrap();
2218 let repo =
2219 RealGitRepository::new(&repo_dir.path().join(".git"), None, cx.executor()).unwrap();
2220
2221 smol::fs::write(repo_dir.path().join("foo"), "foo")
2222 .await
2223 .unwrap();
2224 let checkpoint_sha = repo.checkpoint().await.unwrap();
2225
2226 // Ensure the user can't see any branches after creating a checkpoint.
2227 assert_eq!(repo.branches().await.unwrap().len(), 1);
2228
2229 smol::fs::write(repo_dir.path().join("foo"), "bar")
2230 .await
2231 .unwrap();
2232 smol::fs::write(repo_dir.path().join("baz"), "qux")
2233 .await
2234 .unwrap();
2235 repo.restore_checkpoint(checkpoint_sha).await.unwrap();
2236 assert_eq!(
2237 smol::fs::read_to_string(repo_dir.path().join("foo"))
2238 .await
2239 .unwrap(),
2240 "foo"
2241 );
2242 // See TODOs above
2243 // assert_eq!(
2244 // smol::fs::read_to_string(repo_dir.path().join("baz"))
2245 // .await
2246 // .ok(),
2247 // None
2248 // );
2249 }
2250
2251 #[gpui::test]
2252 async fn test_compare_checkpoints(cx: &mut TestAppContext) {
2253 cx.executor().allow_parking();
2254
2255 let repo_dir = tempfile::tempdir().unwrap();
2256 git2::Repository::init(repo_dir.path()).unwrap();
2257 let repo =
2258 RealGitRepository::new(&repo_dir.path().join(".git"), None, cx.executor()).unwrap();
2259
2260 smol::fs::write(repo_dir.path().join("file1"), "content1")
2261 .await
2262 .unwrap();
2263 let checkpoint1 = repo.checkpoint().await.unwrap();
2264
2265 smol::fs::write(repo_dir.path().join("file2"), "content2")
2266 .await
2267 .unwrap();
2268 let checkpoint2 = repo.checkpoint().await.unwrap();
2269
2270 assert!(
2271 !repo
2272 .compare_checkpoints(checkpoint1, checkpoint2.clone())
2273 .await
2274 .unwrap()
2275 );
2276
2277 let checkpoint3 = repo.checkpoint().await.unwrap();
2278 assert!(
2279 repo.compare_checkpoints(checkpoint2, checkpoint3)
2280 .await
2281 .unwrap()
2282 );
2283 }
2284
2285 #[gpui::test]
2286 async fn test_checkpoint_exclude_binary_files(cx: &mut TestAppContext) {
2287 cx.executor().allow_parking();
2288
2289 let repo_dir = tempfile::tempdir().unwrap();
2290 let text_path = repo_dir.path().join("main.rs");
2291 let bin_path = repo_dir.path().join("binary.o");
2292
2293 git2::Repository::init(repo_dir.path()).unwrap();
2294
2295 smol::fs::write(&text_path, "fn main() {}").await.unwrap();
2296
2297 smol::fs::write(&bin_path, "some binary file here")
2298 .await
2299 .unwrap();
2300
2301 let repo =
2302 RealGitRepository::new(&repo_dir.path().join(".git"), None, cx.executor()).unwrap();
2303
2304 // initial commit
2305 repo.stage_paths(
2306 vec![RepoPath::from_str("main.rs")],
2307 Arc::new(HashMap::default()),
2308 )
2309 .await
2310 .unwrap();
2311 repo.commit(
2312 "Initial commit".into(),
2313 None,
2314 CommitOptions::default(),
2315 Arc::new(checkpoint_author_envs()),
2316 )
2317 .await
2318 .unwrap();
2319
2320 let checkpoint = repo.checkpoint().await.unwrap();
2321
2322 smol::fs::write(&text_path, "fn main() { println!(\"Modified\"); }")
2323 .await
2324 .unwrap();
2325 smol::fs::write(&bin_path, "Modified binary file")
2326 .await
2327 .unwrap();
2328
2329 repo.restore_checkpoint(checkpoint).await.unwrap();
2330
2331 // Text files should be restored to checkpoint state,
2332 // but binaries should not (they aren't tracked)
2333 assert_eq!(
2334 smol::fs::read_to_string(&text_path).await.unwrap(),
2335 "fn main() {}"
2336 );
2337
2338 assert_eq!(
2339 smol::fs::read_to_string(&bin_path).await.unwrap(),
2340 "Modified binary file"
2341 );
2342 }
2343
2344 #[test]
2345 fn test_branches_parsing() {
2346 // suppress "help: octal escapes are not supported, `\0` is always null"
2347 #[allow(clippy::octal_escapes)]
2348 let input = "*\0060964da10574cd9bf06463a53bf6e0769c5c45e\0\0refs/heads/zed-patches\0refs/remotes/origin/zed-patches\0\01733187470\0generated protobuf\n";
2349 assert_eq!(
2350 parse_branch_input(&input).unwrap(),
2351 vec![Branch {
2352 is_head: true,
2353 ref_name: "refs/heads/zed-patches".into(),
2354 upstream: Some(Upstream {
2355 ref_name: "refs/remotes/origin/zed-patches".into(),
2356 tracking: UpstreamTracking::Tracked(UpstreamTrackingStatus {
2357 ahead: 0,
2358 behind: 0
2359 })
2360 }),
2361 most_recent_commit: Some(CommitSummary {
2362 sha: "060964da10574cd9bf06463a53bf6e0769c5c45e".into(),
2363 subject: "generated protobuf".into(),
2364 commit_timestamp: 1733187470,
2365 has_parent: false,
2366 })
2367 }]
2368 )
2369 }
2370
2371 impl RealGitRepository {
2372 /// Force a Git garbage collection on the repository.
2373 fn gc(&self) -> BoxFuture<'_, Result<()>> {
2374 let working_directory = self.working_directory();
2375 let git_binary_path = self.git_binary_path.clone();
2376 let executor = self.executor.clone();
2377 self.executor
2378 .spawn(async move {
2379 let git_binary_path = git_binary_path.clone();
2380 let working_directory = working_directory?;
2381 let git = GitBinary::new(git_binary_path, working_directory, executor);
2382 git.run(&["gc", "--prune"]).await?;
2383 Ok(())
2384 })
2385 .boxed()
2386 }
2387 }
2388}