commit_view.rs

   1use anyhow::{Context as _, Result};
   2use buffer_diff::BufferDiff;
   3use collections::HashMap;
   4use editor::display_map::{BlockPlacement, BlockProperties, BlockStyle};
   5use editor::{Addon, Editor, EditorEvent, ExcerptRange, MultiBuffer, multibuffer_context_lines};
   6use git::repository::{CommitDetails, CommitDiff, RepoPath, is_binary_content};
   7use git::status::{FileStatus, StatusCode, TrackedStatus};
   8use git::{
   9    BuildCommitPermalinkParams, GitHostingProviderRegistry, GitRemote, ParsedGitRemote,
  10    parse_git_remote_url,
  11};
  12use gpui::{
  13    AnyElement, App, AppContext as _, AsyncApp, AsyncWindowContext, ClipboardItem, Context, Entity,
  14    EventEmitter, FocusHandle, Focusable, InteractiveElement, IntoElement, ParentElement,
  15    PromptLevel, Render, Styled, Task, WeakEntity, Window, actions,
  16};
  17use language::{
  18    Anchor, Buffer, Capability, DiskState, File, LanguageRegistry, LineEnding, OffsetRangeExt as _,
  19    Point, ReplicaId, Rope, TextBuffer,
  20};
  21use multi_buffer::PathKey;
  22use project::{Project, WorktreeId, git_store::Repository};
  23use std::{
  24    any::{Any, TypeId},
  25    collections::HashSet,
  26    path::PathBuf,
  27    sync::Arc,
  28};
  29use theme::ActiveTheme;
  30use ui::{DiffStat, Divider, Tooltip, prelude::*};
  31use util::{ResultExt, paths::PathStyle, rel_path::RelPath, truncate_and_trailoff};
  32use workspace::item::TabTooltipContent;
  33use workspace::{
  34    Item, ItemHandle, ItemNavHistory, ToolbarItemEvent, ToolbarItemLocation, ToolbarItemView,
  35    Workspace,
  36    item::{ItemEvent, TabContentParams},
  37    notifications::NotifyTaskExt,
  38    pane::SaveIntent,
  39    searchable::SearchableItemHandle,
  40};
  41
  42use crate::commit_tooltip::CommitAvatar;
  43use crate::git_panel::GitPanel;
  44
  45actions!(git, [ApplyCurrentStash, PopCurrentStash, DropCurrentStash,]);
  46
  47pub fn init(cx: &mut App) {
  48    cx.observe_new(|workspace: &mut Workspace, _window, _cx| {
  49        workspace.register_action(|workspace, _: &ApplyCurrentStash, window, cx| {
  50            CommitView::apply_stash(workspace, window, cx);
  51        });
  52        workspace.register_action(|workspace, _: &DropCurrentStash, window, cx| {
  53            CommitView::remove_stash(workspace, window, cx);
  54        });
  55        workspace.register_action(|workspace, _: &PopCurrentStash, window, cx| {
  56            CommitView::pop_stash(workspace, window, cx);
  57        });
  58    })
  59    .detach();
  60}
  61
  62pub struct CommitView {
  63    commit: CommitDetails,
  64    editor: Entity<Editor>,
  65    stash: Option<usize>,
  66    multibuffer: Entity<MultiBuffer>,
  67    repository: Entity<Repository>,
  68    remote: Option<GitRemote>,
  69}
  70
  71struct GitBlob {
  72    path: RepoPath,
  73    worktree_id: WorktreeId,
  74    is_deleted: bool,
  75    is_binary: bool,
  76    display_name: String,
  77}
  78
  79struct CommitDiffAddon {
  80    file_statuses: HashMap<language::BufferId, FileStatus>,
  81}
  82
  83impl Addon for CommitDiffAddon {
  84    fn to_any(&self) -> &dyn std::any::Any {
  85        self
  86    }
  87
  88    fn override_status_for_buffer_id(
  89        &self,
  90        buffer_id: language::BufferId,
  91        _cx: &App,
  92    ) -> Option<FileStatus> {
  93        self.file_statuses.get(&buffer_id).copied()
  94    }
  95}
  96
  97const COMMIT_MESSAGE_SORT_PREFIX: u64 = 0;
  98const FILE_NAMESPACE_SORT_PREFIX: u64 = 1;
  99
 100impl CommitView {
 101    pub fn open(
 102        commit_sha: String,
 103        repo: WeakEntity<Repository>,
 104        workspace: WeakEntity<Workspace>,
 105        stash: Option<usize>,
 106        file_filter: Option<RepoPath>,
 107        window: &mut Window,
 108        cx: &mut App,
 109    ) {
 110        let commit_diff = repo
 111            .update(cx, |repo, _| repo.load_commit_diff(commit_sha.clone()))
 112            .ok();
 113        let commit_details = repo
 114            .update(cx, |repo, _| repo.show(commit_sha.clone()))
 115            .ok();
 116
 117        window
 118            .spawn(cx, async move |cx| {
 119                let (commit_diff, commit_details) = futures::join!(commit_diff?, commit_details?);
 120                let mut commit_diff = commit_diff.log_err()?.log_err()?;
 121                let commit_details = commit_details.log_err()?.log_err()?;
 122
 123                // Filter to specific file if requested
 124                if let Some(ref filter_path) = file_filter {
 125                    commit_diff.files.retain(|f| &f.path == filter_path);
 126                }
 127
 128                let repo = repo.upgrade()?;
 129
 130                workspace
 131                    .update_in(cx, |workspace, window, cx| {
 132                        let project = workspace.project();
 133                        let commit_view = cx.new(|cx| {
 134                            CommitView::new(
 135                                commit_details,
 136                                commit_diff,
 137                                repo,
 138                                project.clone(),
 139                                stash,
 140                                window,
 141                                cx,
 142                            )
 143                        });
 144
 145                        let pane = workspace.active_pane();
 146                        pane.update(cx, |pane, cx| {
 147                            let ix = pane.items().position(|item| {
 148                                let commit_view = item.downcast::<CommitView>();
 149                                commit_view
 150                                    .is_some_and(|view| view.read(cx).commit.sha == commit_sha)
 151                            });
 152                            if let Some(ix) = ix {
 153                                pane.activate_item(ix, true, true, window, cx);
 154                            } else {
 155                                pane.add_item(Box::new(commit_view), true, true, None, window, cx);
 156                            }
 157                        })
 158                    })
 159                    .log_err()
 160            })
 161            .detach();
 162    }
 163
 164    fn new(
 165        commit: CommitDetails,
 166        commit_diff: CommitDiff,
 167        repository: Entity<Repository>,
 168        project: Entity<Project>,
 169        stash: Option<usize>,
 170        window: &mut Window,
 171        cx: &mut Context<Self>,
 172    ) -> Self {
 173        let language_registry = project.read(cx).languages().clone();
 174        let multibuffer = cx.new(|_| MultiBuffer::new(Capability::ReadOnly));
 175
 176        let message_buffer = cx.new(|cx| {
 177            let mut buffer = Buffer::local(commit.message.clone(), cx);
 178            buffer.set_capability(Capability::ReadOnly, cx);
 179            buffer
 180        });
 181
 182        multibuffer.update(cx, |multibuffer, cx| {
 183            let snapshot = message_buffer.read(cx).snapshot();
 184            let full_range = Point::zero()..snapshot.max_point();
 185            let range = ExcerptRange {
 186                context: full_range.clone(),
 187                primary: full_range,
 188            };
 189            multibuffer.set_excerpt_ranges_for_path(
 190                PathKey::with_sort_prefix(
 191                    COMMIT_MESSAGE_SORT_PREFIX,
 192                    RelPath::unix("commit message").unwrap().into(),
 193                ),
 194                message_buffer.clone(),
 195                &snapshot,
 196                vec![range],
 197                cx,
 198            )
 199        });
 200
 201        let editor = cx.new(|cx| {
 202            let mut editor =
 203                Editor::for_multibuffer(multibuffer.clone(), Some(project.clone()), window, cx);
 204
 205            editor.disable_inline_diagnostics();
 206            editor.set_show_breakpoints(false, cx);
 207            editor.set_show_diff_review_button(true, cx);
 208            editor.set_expand_all_diff_hunks(cx);
 209            editor.disable_header_for_buffer(message_buffer.read(cx).remote_id(), cx);
 210            editor.disable_indent_guides_for_buffer(message_buffer.read(cx).remote_id(), cx);
 211
 212            editor.insert_blocks(
 213                [BlockProperties {
 214                    placement: BlockPlacement::Above(editor::Anchor::min()),
 215                    height: Some(1),
 216                    style: BlockStyle::Sticky,
 217                    render: Arc::new(|_| gpui::Empty.into_any_element()),
 218                    priority: 0,
 219                }]
 220                .into_iter()
 221                .chain(
 222                    editor
 223                        .buffer()
 224                        .read(cx)
 225                        .buffer_anchor_to_anchor(&message_buffer, Anchor::MAX, cx)
 226                        .map(|anchor| BlockProperties {
 227                            placement: BlockPlacement::Below(anchor),
 228                            height: Some(1),
 229                            style: BlockStyle::Sticky,
 230                            render: Arc::new(|_| gpui::Empty.into_any_element()),
 231                            priority: 0,
 232                        }),
 233                ),
 234                None,
 235                cx,
 236            );
 237
 238            editor
 239        });
 240
 241        let commit_sha = Arc::<str>::from(commit.sha.as_ref());
 242
 243        let first_worktree_id = project
 244            .read(cx)
 245            .worktrees(cx)
 246            .next()
 247            .map(|worktree| worktree.read(cx).id());
 248
 249        let repository_clone = repository.clone();
 250
 251        cx.spawn(async move |this, cx| {
 252            let mut binary_buffer_ids: HashSet<language::BufferId> = HashSet::default();
 253            let mut file_statuses: HashMap<language::BufferId, FileStatus> = HashMap::default();
 254
 255            for file in commit_diff.files {
 256                let is_created = file.old_text.is_none();
 257                let is_deleted = file.new_text.is_none();
 258                let raw_new_text = file.new_text.unwrap_or_default();
 259                let raw_old_text = file.old_text;
 260
 261                let is_binary = file.is_binary
 262                    || is_binary_content(raw_new_text.as_bytes())
 263                    || raw_old_text
 264                        .as_ref()
 265                        .is_some_and(|text| is_binary_content(text.as_bytes()));
 266
 267                let new_text = if is_binary {
 268                    "(binary file not shown)".to_string()
 269                } else {
 270                    raw_new_text
 271                };
 272                let old_text = if is_binary { None } else { raw_old_text };
 273                let worktree_id = repository_clone
 274                    .update(cx, |repository, cx| {
 275                        repository
 276                            .repo_path_to_project_path(&file.path, cx)
 277                            .map(|path| path.worktree_id)
 278                            .or(first_worktree_id)
 279                    })
 280                    .context("project has no worktrees")?;
 281                let short_sha = commit_sha.get(0..7).unwrap_or(&commit_sha);
 282                let file_name = file
 283                    .path
 284                    .file_name()
 285                    .map(|name| name.to_string())
 286                    .unwrap_or_else(|| file.path.display(PathStyle::local()).to_string());
 287                let display_name = format!("{short_sha} - {file_name}");
 288
 289                let file = Arc::new(GitBlob {
 290                    path: file.path.clone(),
 291                    is_deleted,
 292                    is_binary,
 293                    worktree_id,
 294                    display_name,
 295                }) as Arc<dyn language::File>;
 296
 297                let buffer = build_buffer(new_text, file, &language_registry, cx).await?;
 298                let buffer_id = cx.update(|cx| buffer.read(cx).remote_id());
 299
 300                let status_code = if is_created {
 301                    StatusCode::Added
 302                } else if is_deleted {
 303                    StatusCode::Deleted
 304                } else {
 305                    StatusCode::Modified
 306                };
 307                file_statuses.insert(
 308                    buffer_id,
 309                    FileStatus::Tracked(TrackedStatus {
 310                        index_status: status_code,
 311                        worktree_status: StatusCode::Unmodified,
 312                    }),
 313                );
 314
 315                if is_binary {
 316                    binary_buffer_ids.insert(buffer_id);
 317                }
 318
 319                let buffer_diff = if is_binary {
 320                    None
 321                } else {
 322                    Some(build_buffer_diff(old_text, &buffer, &language_registry, cx).await?)
 323                };
 324
 325                this.update(cx, |this, cx| {
 326                    this.multibuffer.update(cx, |multibuffer, cx| {
 327                        let snapshot = buffer.read(cx).snapshot();
 328                        let path = snapshot.file().unwrap().path().clone();
 329                        let excerpt_ranges = if is_binary {
 330                            vec![language::Point::zero()..snapshot.max_point()]
 331                        } else if let Some(buffer_diff) = &buffer_diff {
 332                            let diff_snapshot = buffer_diff.read(cx).snapshot(cx);
 333                            let mut hunks = diff_snapshot.hunks(&snapshot).peekable();
 334                            if hunks.peek().is_none() {
 335                                vec![language::Point::zero()..snapshot.max_point()]
 336                            } else {
 337                                hunks
 338                                    .map(|hunk| hunk.buffer_range.to_point(&snapshot))
 339                                    .collect::<Vec<_>>()
 340                            }
 341                        } else {
 342                            vec![language::Point::zero()..snapshot.max_point()]
 343                        };
 344
 345                        let _is_newly_added = multibuffer.set_excerpts_for_path(
 346                            PathKey::with_sort_prefix(FILE_NAMESPACE_SORT_PREFIX, path),
 347                            buffer,
 348                            excerpt_ranges,
 349                            multibuffer_context_lines(cx),
 350                            cx,
 351                        );
 352                        if let Some(buffer_diff) = buffer_diff {
 353                            multibuffer.add_diff(buffer_diff, cx);
 354                        }
 355                    });
 356                })?;
 357            }
 358
 359            this.update(cx, |this, cx| {
 360                this.editor.update(cx, |editor, _cx| {
 361                    editor.register_addon(CommitDiffAddon { file_statuses });
 362                });
 363                if !binary_buffer_ids.is_empty() {
 364                    this.editor.update(cx, |editor, cx| {
 365                        editor.fold_buffers(binary_buffer_ids, cx);
 366                    });
 367                }
 368            })?;
 369
 370            anyhow::Ok(())
 371        })
 372        .detach();
 373
 374        let snapshot = repository.read(cx).snapshot();
 375        let remote_url = snapshot
 376            .remote_upstream_url
 377            .as_ref()
 378            .or(snapshot.remote_origin_url.as_ref());
 379
 380        let remote = remote_url.and_then(|url| {
 381            let provider_registry = GitHostingProviderRegistry::default_global(cx);
 382            parse_git_remote_url(provider_registry, url).map(|(host, parsed)| GitRemote {
 383                host,
 384                owner: parsed.owner.into(),
 385                repo: parsed.repo.into(),
 386            })
 387        });
 388
 389        Self {
 390            commit,
 391            editor,
 392            multibuffer,
 393            stash,
 394            repository,
 395            remote,
 396        }
 397    }
 398
 399    fn render_commit_avatar(
 400        &self,
 401        sha: &SharedString,
 402        size: impl Into<gpui::AbsoluteLength>,
 403        window: &mut Window,
 404        cx: &mut App,
 405    ) -> AnyElement {
 406        CommitAvatar::new(
 407            sha,
 408            Some(self.commit.author_email.clone()),
 409            self.remote.as_ref(),
 410        )
 411        .size(size)
 412        .render(window, cx)
 413    }
 414
 415    fn calculate_changed_lines(&self, cx: &App) -> (u32, u32) {
 416        self.multibuffer.read(cx).snapshot(cx).total_changed_lines()
 417    }
 418
 419    fn render_header(&self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
 420        let commit = &self.commit;
 421        let author_name = commit.author_name.clone();
 422        let author_email = commit.author_email.clone();
 423        let commit_sha = commit.sha.clone();
 424        let commit_date = time::OffsetDateTime::from_unix_timestamp(commit.commit_timestamp)
 425            .unwrap_or_else(|_| time::OffsetDateTime::now_utc());
 426        let local_offset = time::UtcOffset::current_local_offset().unwrap_or(time::UtcOffset::UTC);
 427        let date_string = time_format::format_localized_timestamp(
 428            commit_date,
 429            time::OffsetDateTime::now_utc(),
 430            local_offset,
 431            time_format::TimestampFormat::MediumAbsolute,
 432        );
 433
 434        let gutter_width = self.editor.update(cx, |editor, cx| {
 435            let snapshot = editor.snapshot(window, cx);
 436            let style = editor.style(cx);
 437            let font_id = window.text_system().resolve_font(&style.text.font());
 438            let font_size = style.text.font_size.to_pixels(window.rem_size());
 439            snapshot
 440                .gutter_dimensions(font_id, font_size, style, window, cx)
 441                .full_width()
 442        });
 443
 444        let clipboard_has_sha = cx
 445            .read_from_clipboard()
 446            .and_then(|entry| entry.text())
 447            .map_or(false, |clipboard_text| {
 448                clipboard_text.trim() == commit_sha.as_ref()
 449            });
 450
 451        let (copy_icon, copy_icon_color) = if clipboard_has_sha {
 452            (IconName::Check, Color::Success)
 453        } else {
 454            (IconName::Copy, Color::Muted)
 455        };
 456
 457        h_flex()
 458            .py_2()
 459            .pr_2p5()
 460            .w_full()
 461            .justify_between()
 462            .border_b_1()
 463            .border_color(cx.theme().colors().border_variant)
 464            .child(
 465                h_flex()
 466                    .child(h_flex().w(gutter_width).justify_center().child(
 467                        self.render_commit_avatar(&commit.sha, rems_from_px(40.), window, cx),
 468                    ))
 469                    .child(
 470                        v_flex().child(Label::new(author_name)).child(
 471                            h_flex()
 472                                .gap_1p5()
 473                                .child(
 474                                    Label::new(date_string)
 475                                        .color(Color::Muted)
 476                                        .size(LabelSize::Small),
 477                                )
 478                                .child(
 479                                    Label::new("")
 480                                        .size(LabelSize::Small)
 481                                        .color(Color::Muted)
 482                                        .alpha(0.5),
 483                                )
 484                                .child(
 485                                    Label::new(author_email)
 486                                        .color(Color::Muted)
 487                                        .size(LabelSize::Small),
 488                                ),
 489                        ),
 490                    ),
 491            )
 492            .when(self.stash.is_none(), |this| {
 493                this.child(
 494                    Button::new("sha", "Commit SHA")
 495                        .start_icon(
 496                            Icon::new(copy_icon)
 497                                .size(IconSize::Small)
 498                                .color(copy_icon_color),
 499                        )
 500                        .tooltip({
 501                            let commit_sha = commit_sha.clone();
 502                            move |_, cx| {
 503                                Tooltip::with_meta("Copy Commit SHA", None, commit_sha.clone(), cx)
 504                            }
 505                        })
 506                        .on_click(move |_, _, cx| {
 507                            cx.stop_propagation();
 508                            cx.write_to_clipboard(ClipboardItem::new_string(
 509                                commit_sha.to_string(),
 510                            ));
 511                        }),
 512                )
 513            })
 514    }
 515
 516    fn apply_stash(workspace: &mut Workspace, window: &mut Window, cx: &mut App) {
 517        Self::stash_action(
 518            workspace,
 519            "Apply",
 520            window,
 521            cx,
 522            async move |repository, sha, stash, commit_view, workspace, cx| {
 523                let result = repository.update(cx, |repo, cx| {
 524                    if !stash_matches_index(&sha, stash, repo) {
 525                        return Err(anyhow::anyhow!("Stash has changed, not applying"));
 526                    }
 527                    Ok(repo.stash_apply(Some(stash), cx))
 528                });
 529
 530                match result {
 531                    Ok(task) => task.await?,
 532                    Err(err) => {
 533                        Self::close_commit_view(commit_view, workspace, cx).await?;
 534                        return Err(err);
 535                    }
 536                };
 537                Self::close_commit_view(commit_view, workspace, cx).await?;
 538                anyhow::Ok(())
 539            },
 540        );
 541    }
 542
 543    fn pop_stash(workspace: &mut Workspace, window: &mut Window, cx: &mut App) {
 544        Self::stash_action(
 545            workspace,
 546            "Pop",
 547            window,
 548            cx,
 549            async move |repository, sha, stash, commit_view, workspace, cx| {
 550                let result = repository.update(cx, |repo, cx| {
 551                    if !stash_matches_index(&sha, stash, repo) {
 552                        return Err(anyhow::anyhow!("Stash has changed, pop aborted"));
 553                    }
 554                    Ok(repo.stash_pop(Some(stash), cx))
 555                });
 556
 557                match result {
 558                    Ok(task) => task.await?,
 559                    Err(err) => {
 560                        Self::close_commit_view(commit_view, workspace, cx).await?;
 561                        return Err(err);
 562                    }
 563                };
 564                Self::close_commit_view(commit_view, workspace, cx).await?;
 565                anyhow::Ok(())
 566            },
 567        );
 568    }
 569
 570    fn remove_stash(workspace: &mut Workspace, window: &mut Window, cx: &mut App) {
 571        Self::stash_action(
 572            workspace,
 573            "Drop",
 574            window,
 575            cx,
 576            async move |repository, sha, stash, commit_view, workspace, cx| {
 577                let result = repository.update(cx, |repo, cx| {
 578                    if !stash_matches_index(&sha, stash, repo) {
 579                        return Err(anyhow::anyhow!("Stash has changed, drop aborted"));
 580                    }
 581                    Ok(repo.stash_drop(Some(stash), cx))
 582                });
 583
 584                match result {
 585                    Ok(task) => task.await??,
 586                    Err(err) => {
 587                        Self::close_commit_view(commit_view, workspace, cx).await?;
 588                        return Err(err);
 589                    }
 590                };
 591                Self::close_commit_view(commit_view, workspace, cx).await?;
 592                anyhow::Ok(())
 593            },
 594        );
 595    }
 596
 597    fn stash_action<AsyncFn>(
 598        workspace: &mut Workspace,
 599        str_action: &str,
 600        window: &mut Window,
 601        cx: &mut App,
 602        callback: AsyncFn,
 603    ) where
 604        AsyncFn: AsyncFnOnce(
 605                Entity<Repository>,
 606                &SharedString,
 607                usize,
 608                Entity<CommitView>,
 609                WeakEntity<Workspace>,
 610                &mut AsyncWindowContext,
 611            ) -> anyhow::Result<()>
 612            + 'static,
 613    {
 614        let Some(commit_view) = workspace.active_item_as::<CommitView>(cx) else {
 615            return;
 616        };
 617        let Some(stash) = commit_view.read(cx).stash else {
 618            return;
 619        };
 620        let sha = commit_view.read(cx).commit.sha.clone();
 621        let answer = window.prompt(
 622            PromptLevel::Info,
 623            &format!("{} stash@{{{}}}?", str_action, stash),
 624            None,
 625            &[str_action, "Cancel"],
 626            cx,
 627        );
 628
 629        let workspace_weak = workspace.weak_handle();
 630        let commit_view_entity = commit_view;
 631
 632        window
 633            .spawn(cx, async move |cx| {
 634                if answer.await != Ok(0) {
 635                    return anyhow::Ok(());
 636                }
 637
 638                let Some(workspace) = workspace_weak.upgrade() else {
 639                    return Ok(());
 640                };
 641
 642                let repo = workspace.update(cx, |workspace, cx| {
 643                    workspace
 644                        .panel::<GitPanel>(cx)
 645                        .and_then(|p| p.read(cx).active_repository.clone())
 646                });
 647
 648                let Some(repo) = repo else {
 649                    return Ok(());
 650                };
 651
 652                callback(repo, &sha, stash, commit_view_entity, workspace_weak, cx).await?;
 653                anyhow::Ok(())
 654            })
 655            .detach_and_notify_err(workspace.weak_handle(), window, cx);
 656    }
 657
 658    async fn close_commit_view(
 659        commit_view: Entity<CommitView>,
 660        workspace: WeakEntity<Workspace>,
 661        cx: &mut AsyncWindowContext,
 662    ) -> anyhow::Result<()> {
 663        workspace
 664            .update_in(cx, |workspace, window, cx| {
 665                let active_pane = workspace.active_pane();
 666                let commit_view_id = commit_view.entity_id();
 667                active_pane.update(cx, |pane, cx| {
 668                    pane.close_item_by_id(commit_view_id, SaveIntent::Skip, window, cx)
 669                })
 670            })?
 671            .await?;
 672        anyhow::Ok(())
 673    }
 674}
 675
 676impl language::File for GitBlob {
 677    fn as_local(&self) -> Option<&dyn language::LocalFile> {
 678        None
 679    }
 680
 681    fn disk_state(&self) -> DiskState {
 682        DiskState::Historic {
 683            was_deleted: self.is_deleted,
 684        }
 685    }
 686
 687    fn path_style(&self, _: &App) -> PathStyle {
 688        PathStyle::local()
 689    }
 690
 691    fn path(&self) -> &Arc<RelPath> {
 692        self.path.as_ref()
 693    }
 694
 695    fn full_path(&self, _: &App) -> PathBuf {
 696        self.path.as_std_path().to_path_buf()
 697    }
 698
 699    fn file_name<'a>(&'a self, _: &'a App) -> &'a str {
 700        self.display_name.as_ref()
 701    }
 702
 703    fn worktree_id(&self, _: &App) -> WorktreeId {
 704        self.worktree_id
 705    }
 706
 707    fn to_proto(&self, _cx: &App) -> language::proto::File {
 708        unimplemented!()
 709    }
 710
 711    fn is_private(&self) -> bool {
 712        false
 713    }
 714
 715    fn can_open(&self) -> bool {
 716        !self.is_binary
 717    }
 718}
 719
 720async fn build_buffer(
 721    mut text: String,
 722    blob: Arc<dyn File>,
 723    language_registry: &Arc<language::LanguageRegistry>,
 724    cx: &mut AsyncApp,
 725) -> Result<Entity<Buffer>> {
 726    let line_ending = LineEnding::detect(&text);
 727    LineEnding::normalize(&mut text);
 728    let text = Rope::from(text);
 729    let language = cx.update(|cx| language_registry.language_for_file(&blob, Some(&text), cx));
 730    let language = if let Some(language) = language {
 731        language_registry
 732            .load_language(&language)
 733            .await
 734            .ok()
 735            .and_then(|e| e.log_err())
 736    } else {
 737        None
 738    };
 739    let buffer = cx.new(|cx| {
 740        let buffer = TextBuffer::new_normalized(
 741            ReplicaId::LOCAL,
 742            cx.entity_id().as_non_zero_u64().into(),
 743            line_ending,
 744            text,
 745        );
 746        let mut buffer = Buffer::build(buffer, Some(blob), Capability::ReadWrite);
 747        buffer.set_language_async(language, cx);
 748        buffer
 749    });
 750    Ok(buffer)
 751}
 752
 753async fn build_buffer_diff(
 754    mut old_text: Option<String>,
 755    buffer: &Entity<Buffer>,
 756    language_registry: &Arc<LanguageRegistry>,
 757    cx: &mut AsyncApp,
 758) -> Result<Entity<BufferDiff>> {
 759    if let Some(old_text) = &mut old_text {
 760        LineEnding::normalize(old_text);
 761    }
 762
 763    let language = cx.update(|cx| buffer.read(cx).language().cloned());
 764    let buffer = cx.update(|cx| buffer.read(cx).snapshot());
 765
 766    let diff = cx.new(|cx| BufferDiff::new(&buffer.text, cx));
 767
 768    let update = diff
 769        .update(cx, |diff, cx| {
 770            diff.update_diff(
 771                buffer.text.clone(),
 772                old_text.map(|old_text| Arc::from(old_text.as_str())),
 773                Some(true),
 774                language.clone(),
 775                cx,
 776            )
 777        })
 778        .await;
 779
 780    diff.update(cx, |diff, cx| {
 781        diff.language_changed(language, Some(language_registry.clone()), cx);
 782        diff.set_snapshot(update, &buffer.text, cx)
 783    })
 784    .await;
 785
 786    Ok(diff)
 787}
 788
 789impl EventEmitter<EditorEvent> for CommitView {}
 790
 791impl Focusable for CommitView {
 792    fn focus_handle(&self, cx: &App) -> FocusHandle {
 793        self.editor.focus_handle(cx)
 794    }
 795}
 796
 797impl Item for CommitView {
 798    type Event = EditorEvent;
 799
 800    fn tab_icon(&self, _window: &Window, _cx: &App) -> Option<Icon> {
 801        Some(Icon::new(IconName::GitCommit).color(Color::Muted))
 802    }
 803
 804    fn tab_content(&self, params: TabContentParams, _window: &Window, cx: &App) -> AnyElement {
 805        Label::new(self.tab_content_text(params.detail.unwrap_or_default(), cx))
 806            .color(if params.selected {
 807                Color::Default
 808            } else {
 809                Color::Muted
 810            })
 811            .into_any_element()
 812    }
 813
 814    fn tab_content_text(&self, _detail: usize, _cx: &App) -> SharedString {
 815        let short_sha = self.commit.sha.get(0..7).unwrap_or(&*self.commit.sha);
 816        let subject = truncate_and_trailoff(self.commit.message.split('\n').next().unwrap(), 20);
 817        format!("{short_sha}{subject}").into()
 818    }
 819
 820    fn tab_tooltip_content(&self, _: &App) -> Option<TabTooltipContent> {
 821        let short_sha = self.commit.sha.get(0..16).unwrap_or(&*self.commit.sha);
 822        let subject = self.commit.message.split('\n').next().unwrap();
 823
 824        Some(TabTooltipContent::Custom(Box::new(Tooltip::element({
 825            let subject = subject.to_string();
 826            let short_sha = short_sha.to_string();
 827
 828            move |_, _| {
 829                v_flex()
 830                    .child(Label::new(subject.clone()))
 831                    .child(
 832                        Label::new(short_sha.clone())
 833                            .color(Color::Muted)
 834                            .size(LabelSize::Small),
 835                    )
 836                    .into_any_element()
 837            }
 838        }))))
 839    }
 840
 841    fn to_item_events(event: &EditorEvent, f: &mut dyn FnMut(ItemEvent)) {
 842        Editor::to_item_events(event, f)
 843    }
 844
 845    fn telemetry_event_text(&self) -> Option<&'static str> {
 846        Some("Commit View Opened")
 847    }
 848
 849    fn deactivated(&mut self, window: &mut Window, cx: &mut Context<Self>) {
 850        self.editor
 851            .update(cx, |editor, cx| editor.deactivated(window, cx));
 852    }
 853
 854    fn act_as_type<'a>(
 855        &'a self,
 856        type_id: TypeId,
 857        self_handle: &'a Entity<Self>,
 858        _: &'a App,
 859    ) -> Option<gpui::AnyEntity> {
 860        if type_id == TypeId::of::<Self>() {
 861            Some(self_handle.clone().into())
 862        } else if type_id == TypeId::of::<Editor>() {
 863            Some(self.editor.clone().into())
 864        } else {
 865            None
 866        }
 867    }
 868
 869    fn as_searchable(&self, _: &Entity<Self>, _: &App) -> Option<Box<dyn SearchableItemHandle>> {
 870        Some(Box::new(self.editor.clone()))
 871    }
 872
 873    fn for_each_project_item(
 874        &self,
 875        cx: &App,
 876        f: &mut dyn FnMut(gpui::EntityId, &dyn project::ProjectItem),
 877    ) {
 878        self.editor.for_each_project_item(cx, f)
 879    }
 880
 881    fn set_nav_history(
 882        &mut self,
 883        nav_history: ItemNavHistory,
 884        _: &mut Window,
 885        cx: &mut Context<Self>,
 886    ) {
 887        self.editor.update(cx, |editor, _| {
 888            editor.set_nav_history(Some(nav_history));
 889        });
 890    }
 891
 892    fn navigate(
 893        &mut self,
 894        data: Arc<dyn Any + Send>,
 895        window: &mut Window,
 896        cx: &mut Context<Self>,
 897    ) -> bool {
 898        self.editor
 899            .update(cx, |editor, cx| editor.navigate(data, window, cx))
 900    }
 901
 902    fn added_to_workspace(
 903        &mut self,
 904        workspace: &mut Workspace,
 905        window: &mut Window,
 906        cx: &mut Context<Self>,
 907    ) {
 908        self.editor.update(cx, |editor, cx| {
 909            editor.added_to_workspace(workspace, window, cx)
 910        });
 911    }
 912
 913    fn can_split(&self) -> bool {
 914        true
 915    }
 916
 917    fn clone_on_split(
 918        &self,
 919        _workspace_id: Option<workspace::WorkspaceId>,
 920        window: &mut Window,
 921        cx: &mut Context<Self>,
 922    ) -> Task<Option<Entity<Self>>>
 923    where
 924        Self: Sized,
 925    {
 926        let file_statuses = self
 927            .editor
 928            .read(cx)
 929            .addon::<CommitDiffAddon>()
 930            .map(|addon| addon.file_statuses.clone())
 931            .unwrap_or_default();
 932        Task::ready(Some(cx.new(|cx| {
 933            let editor = cx.new({
 934                let file_statuses = file_statuses.clone();
 935                |cx| {
 936                    let mut editor = self
 937                        .editor
 938                        .update(cx, |editor, cx| editor.clone(window, cx));
 939                    editor.register_addon(CommitDiffAddon { file_statuses });
 940                    editor
 941                }
 942            });
 943            let multibuffer = editor.read(cx).buffer().clone();
 944            Self {
 945                editor,
 946                multibuffer,
 947                commit: self.commit.clone(),
 948                stash: self.stash,
 949                repository: self.repository.clone(),
 950                remote: self.remote.clone(),
 951            }
 952        })))
 953    }
 954}
 955
 956impl Render for CommitView {
 957    fn render(&mut self, window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
 958        let is_stash = self.stash.is_some();
 959
 960        v_flex()
 961            .key_context(if is_stash { "StashDiff" } else { "CommitDiff" })
 962            .size_full()
 963            .bg(cx.theme().colors().editor_background)
 964            .child(self.render_header(window, cx))
 965            .when(!self.editor.read(cx).is_empty(cx), |this| {
 966                this.child(div().flex_grow().child(self.editor.clone()))
 967            })
 968    }
 969}
 970
 971pub struct CommitViewToolbar {
 972    commit_view: Option<WeakEntity<CommitView>>,
 973}
 974
 975impl CommitViewToolbar {
 976    pub fn new() -> Self {
 977        Self { commit_view: None }
 978    }
 979}
 980
 981impl EventEmitter<ToolbarItemEvent> for CommitViewToolbar {}
 982
 983impl Render for CommitViewToolbar {
 984    fn render(&mut self, _window: &mut Window, cx: &mut Context<Self>) -> impl IntoElement {
 985        let Some(commit_view) = self.commit_view.as_ref().and_then(|w| w.upgrade()) else {
 986            return div();
 987        };
 988
 989        let commit_view_ref = commit_view.read(cx);
 990        let is_stash = commit_view_ref.stash.is_some();
 991
 992        let (additions, deletions) = commit_view_ref.calculate_changed_lines(cx);
 993
 994        let commit_sha = commit_view_ref.commit.sha.clone();
 995
 996        let remote_info = commit_view_ref.remote.as_ref().map(|remote| {
 997            let provider = remote.host.name();
 998            let parsed_remote = ParsedGitRemote {
 999                owner: remote.owner.as_ref().into(),
1000                repo: remote.repo.as_ref().into(),
1001            };
1002            let params = BuildCommitPermalinkParams { sha: &commit_sha };
1003            let url = remote
1004                .host
1005                .build_commit_permalink(&parsed_remote, params)
1006                .to_string();
1007            (provider, url)
1008        });
1009
1010        let sha_for_graph = commit_sha.to_string();
1011
1012        h_flex()
1013            .gap_1()
1014            .when(additions > 0 || deletions > 0, |this| {
1015                this.child(
1016                    h_flex()
1017                        .gap_2()
1018                        .child(DiffStat::new(
1019                            "toolbar-diff-stat",
1020                            additions as usize,
1021                            deletions as usize,
1022                        ))
1023                        .child(Divider::vertical()),
1024                )
1025            })
1026            .child(
1027                IconButton::new("buffer-search", IconName::MagnifyingGlass)
1028                    .icon_size(IconSize::Small)
1029                    .tooltip(move |_, cx| {
1030                        Tooltip::for_action(
1031                            "Buffer Search",
1032                            &zed_actions::buffer_search::Deploy::find(),
1033                            cx,
1034                        )
1035                    })
1036                    .on_click(|_, window, cx| {
1037                        window.dispatch_action(
1038                            Box::new(zed_actions::buffer_search::Deploy::find()),
1039                            cx,
1040                        );
1041                    }),
1042            )
1043            .when(!is_stash, |this| {
1044                this.child(
1045                    IconButton::new("show-in-git-graph", IconName::GitGraph)
1046                        .icon_size(IconSize::Small)
1047                        .tooltip(Tooltip::text("Show in Git Graph"))
1048                        .on_click(move |_, window, cx| {
1049                            window.dispatch_action(
1050                                Box::new(crate::git_panel::OpenAtCommit {
1051                                    sha: sha_for_graph.clone(),
1052                                }),
1053                                cx,
1054                            );
1055                        }),
1056                )
1057                .children(remote_info.map(|(provider_name, url)| {
1058                    let icon = match provider_name.as_str() {
1059                        "GitHub" => IconName::Github,
1060                        _ => IconName::Link,
1061                    };
1062
1063                    IconButton::new("view_on_provider", icon)
1064                        .icon_size(IconSize::Small)
1065                        .tooltip(Tooltip::text(format!("View on {}", provider_name)))
1066                        .on_click(move |_, _, cx| cx.open_url(&url))
1067                }))
1068            })
1069    }
1070}
1071
1072impl ToolbarItemView for CommitViewToolbar {
1073    fn set_active_pane_item(
1074        &mut self,
1075        active_pane_item: Option<&dyn ItemHandle>,
1076        _: &mut Window,
1077        cx: &mut Context<Self>,
1078    ) -> ToolbarItemLocation {
1079        if let Some(entity) = active_pane_item.and_then(|i| i.act_as::<CommitView>(cx)) {
1080            self.commit_view = Some(entity.downgrade());
1081            return ToolbarItemLocation::PrimaryRight;
1082        }
1083        self.commit_view = None;
1084        ToolbarItemLocation::Hidden
1085    }
1086
1087    fn pane_focus_update(
1088        &mut self,
1089        _pane_focused: bool,
1090        _window: &mut Window,
1091        _cx: &mut Context<Self>,
1092    ) {
1093    }
1094}
1095
1096fn stash_matches_index(sha: &str, stash_index: usize, repo: &Repository) -> bool {
1097    repo.stash_entries
1098        .entries
1099        .get(stash_index)
1100        .map(|entry| entry.oid.to_string() == sha)
1101        .unwrap_or(false)
1102}