Skip to content

Commit 669de27

Browse files
committed
Improves overview branch autolinks
- skip redirected PR autolinks if the refset is non-prefixed - filter autolinks by type=issue before render in the issues section - add unlink feature
1 parent 960b7a3 commit 669de27

File tree

7 files changed

+128
-29
lines changed

7 files changed

+128
-29
lines changed

src/autolinks/autolinks.ts

+8-1
Original file line numberDiff line numberDiff line change
@@ -223,7 +223,7 @@ export class Autolinks implements Disposable {
223223
linkIntegration = undefined;
224224
}
225225
}
226-
const issueOrPullRequestPromise =
226+
let issueOrPullRequestPromise =
227227
remote?.provider != null &&
228228
integration != null &&
229229
link.provider?.id === integration.id &&
@@ -235,6 +235,13 @@ export class Autolinks implements Disposable {
235235
: link.descriptor != null
236236
? linkIntegration?.getIssueOrPullRequest(link.descriptor, this.getAutolinkEnrichableId(link))
237237
: undefined;
238+
// we consider that all non-prefixed links are came from branch names and linked to issues
239+
// skip if it's a PR link
240+
if (!link.prefix) {
241+
issueOrPullRequestPromise = issueOrPullRequestPromise?.then(x =>
242+
x?.type === 'pullrequest' ? undefined : x,
243+
);
244+
}
238245
enrichedAutolinks.set(id, [issueOrPullRequestPromise, link]);
239246
}
240247

src/constants.commands.ts

+1
Original file line numberDiff line numberDiff line change
@@ -685,6 +685,7 @@ export type TreeViewCommandSuffixesByViewType<T extends TreeViewTypes> = Extract
685685
>;
686686

687687
type HomeWebviewCommands = `home.${
688+
| 'unlinkIssue'
688689
| 'openMergeTargetComparison'
689690
| 'openPullRequestChanges'
690691
| 'openPullRequestComparison'

src/constants.storage.ts

+4
Original file line numberDiff line numberDiff line change
@@ -79,6 +79,8 @@ export type GlobalStorage = {
7979
'graph:searchMode': StoredGraphSearchMode;
8080
'views:scm:grouped:welcome:dismissed': boolean;
8181
'integrations:configured': StoredIntegrationConfigurations;
82+
'autolinks:branches:ignore': IgnoredBranchesAutolinks;
83+
'autolinks:branches:ignore:skipPrompt': boolean | undefined;
8284
} & { [key in `plus:preview:${FeaturePreviews}:usages`]: StoredFeaturePreviewUsagePeriod[] } & {
8385
[key in `confirm:ai:tos:${AIProviders}`]: boolean;
8486
} & {
@@ -91,6 +93,8 @@ export type GlobalStorage = {
9193

9294
export type StoredIntegrationConfigurations = Record<string, StoredConfiguredIntegrationDescriptor[] | undefined>;
9395

96+
export type IgnoredBranchesAutolinks = Record<string, string[] | undefined>;
97+
9498
export interface StoredConfiguredIntegrationDescriptor {
9599
cloud: boolean;
96100
integrationId: IntegrationId;

src/git/models/branch.ts

+11-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import type { Container } from '../../container';
33
import { formatDate, fromNow } from '../../system/date';
44
import { debug } from '../../system/decorators/log';
55
import { memoize } from '../../system/decorators/memoize';
6+
import { forEach } from '../../system/iterable';
67
import { getLoggableName } from '../../system/logger';
78
import {
89
formatDetachedHeadName,
@@ -127,9 +128,18 @@ export class GitBranch implements GitBranchReference {
127128
}
128129

129130
@memoize()
130-
async getEnrichedAutolinks(): Promise<Map<string, EnrichedAutolink> | undefined> {
131+
async getEnrichedAutolinks(ignoredLinks?: string[]): Promise<Map<string, EnrichedAutolink> | undefined> {
131132
const remote = await this.container.git.remotes(this.repoPath).getBestRemoteWithProvider();
132133
const branchAutolinks = await this.container.autolinks.getBranchAutolinks(this.name, remote);
134+
if (ignoredLinks?.length) {
135+
const ignoredMap = Object.fromEntries(ignoredLinks.map(x => [x, true]));
136+
forEach(branchAutolinks, ([key, link]) => {
137+
if (ignoredMap[link.url]) {
138+
console.log('ignored', link.url, branchAutolinks);
139+
branchAutolinks.delete(key);
140+
}
141+
});
142+
}
133143
return this.container.autolinks.getEnrichedAutolinks(branchAutolinks, remote);
134144
}
135145

src/webviews/apps/plus/home/components/branch-card.ts

+54-7
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ import type { AssociateIssueWithBranchCommandArgs } from '../../../../../plus/st
1515
import { createCommandLink } from '../../../../../system/commands';
1616
import { fromNow } from '../../../../../system/date';
1717
import { interpolate, pluralize } from '../../../../../system/string';
18-
import type { BranchRef, GetOverviewBranch, OpenInGraphParams } from '../../../../home/protocol';
18+
import type { BranchRef, GetOverviewBranch, OpenInGraphParams, OverviewBranchIssue } from '../../../../home/protocol';
1919
import { renderBranchName } from '../../../shared/components/branch-name';
2020
import type { GlCard } from '../../../shared/components/card/card';
2121
import { GlElement, observe } from '../../../shared/components/element';
@@ -58,6 +58,25 @@ export const branchCardStyles = css`
5858
flex-direction: column;
5959
gap: 0.4rem;
6060
}
61+
62+
.branch-item__unplug {
63+
padding: 0.2em;
64+
margin-block: -0.2em;
65+
opacity: 0;
66+
border-radius: 3px;
67+
}
68+
69+
.branch-item__section:hover .branch-item__unplug,
70+
.branch-item__section:focus-within .branch-item__unplug {
71+
opacity: 1;
72+
}
73+
74+
.branch-item__unplug:hover,
75+
.branch-item__unplug:focus {
76+
background-color: var(--vscode-toolbar-hoverBackground);
77+
outline: 1px dashed var(--vscode-toolbar-hoverOutline);
78+
}
79+
6180
.branch-item__section > * {
6281
margin-block: 0;
6382
}
@@ -499,19 +518,47 @@ export abstract class GlBranchCardBase extends GlElement {
499518
this.toggleExpanded(true);
500519
}
501520

502-
protected renderIssues() {
521+
private getIssues() {
503522
const { autolinks, issues } = this;
504-
const issuesSource = issues?.length ? issues : autolinks;
505-
if (!issuesSource?.length) return nothing;
523+
const issuesMap: Record<string, OverviewBranchIssue> = {};
524+
autolinks?.map(autolink => {
525+
if (autolink.type !== 'issue') {
526+
return;
527+
}
528+
issuesMap[autolink.url] = autolink;
529+
});
530+
issues?.map(issue => {
531+
issuesMap[issue.url] = issue;
532+
});
533+
return Object.values(issuesMap);
534+
}
506535

536+
protected renderIssues(issues: OverviewBranchIssue[]) {
537+
if (!issues.length) return nothing;
507538
return html`
508-
${issuesSource.map(issue => {
539+
${issues.map(issue => {
509540
return html`
510541
<p class="branch-item__grouping">
511542
<span class="branch-item__icon">
512543
<issue-icon state=${issue.state} issue-id=${issue.id}></issue-icon>
513544
</span>
514545
<a href=${issue.url} class="branch-item__name branch-item__name--secondary">${issue.title}</a>
546+
${when(
547+
issue.isAutolink && this.expanded,
548+
() => html`
549+
<gl-tooltip>
550+
<a
551+
class="branch-item__unplug"
552+
href=${createCommandLink('gitlens.home.unlinkIssue', {
553+
issue: issue,
554+
reference: this.branch.reference,
555+
})}
556+
><code-icon icon="gl-unplug"></code-icon
557+
></a>
558+
<div slot="content">Unlink automatically linked issue</div>
559+
</gl-tooltip>
560+
`,
561+
)}
515562
<span class="branch-item__identifier">#${issue.id}</span>
516563
</p>
517564
`;
@@ -791,7 +838,7 @@ export abstract class GlBranchCardBase extends GlElement {
791838
}
792839

793840
protected renderIssuesItem() {
794-
const issues = [...(this.issues ?? []), ...(this.autolinks ?? [])];
841+
const issues = this.getIssues();
795842
if (!issues.length) {
796843
if (!this.expanded) return nothing;
797844

@@ -821,7 +868,7 @@ export abstract class GlBranchCardBase extends GlElement {
821868

822869
return html`
823870
<gl-work-item ?expanded=${this.expanded} ?nested=${!this.branch.opened} .indicator=${indicator}>
824-
<div class="branch-item__section">${this.renderIssues()}</div>
871+
<div class="branch-item__section">${this.renderIssues(issues)}</div>
825872
</gl-work-item>
826873
`;
827874
}

src/webviews/home/homeWebview.ts

+39-3
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,7 @@ import type { Issue } from '../../git/models/issue';
2626
import type { GitPausedOperationStatus } from '../../git/models/pausedOperationStatus';
2727
import type { PullRequest } from '../../git/models/pullRequest';
2828
import { getComparisonRefsForPullRequest } from '../../git/models/pullRequest';
29+
import type { GitBranchReference } from '../../git/models/reference';
2930
import { getReferenceFromBranch } from '../../git/models/reference.utils';
3031
import { RemoteResourceType } from '../../git/models/remoteResource';
3132
import type { Repository } from '../../git/models/repository';
@@ -68,6 +69,7 @@ import type {
6869
GetOverviewResponse,
6970
IntegrationState,
7071
OpenInGraphParams,
72+
OverviewBranchIssue,
7173
OverviewFilters,
7274
OverviewRecentThreshold,
7375
OverviewStaleThreshold,
@@ -312,6 +314,7 @@ export class HomeWebviewProvider implements WebviewProvider<State, State, HomeWe
312314
registerCommand('gitlens.home.continuePausedOperation', this.continuePausedOperation, this),
313315
registerCommand('gitlens.home.abortPausedOperation', this.abortPausedOperation, this),
314316
registerCommand('gitlens.home.openRebaseEditor', this.openRebaseEditor, this),
317+
registerCommand('gitlens.home.unlinkIssue', this.unlinkIssue, this),
315318
];
316319
}
317320

@@ -504,6 +507,35 @@ export class HomeWebviewProvider implements WebviewProvider<State, State, HomeWe
504507
});
505508
}
506509

510+
private async unlinkIssue({ issue, reference }: { reference: GitBranchReference; issue: OverviewBranchIssue }) {
511+
const skipPrompt = this.container.storage.get('autolinks:branches:ignore:skipPrompt') || undefined;
512+
const item =
513+
skipPrompt ??
514+
(await window.showWarningMessage(
515+
`This action will unlink the issue ${issue.url} from the branch ${reference.name} forever`,
516+
{
517+
modal: true,
518+
},
519+
`OK`,
520+
`OK, Don't ask again`,
521+
));
522+
if (!item) {
523+
return;
524+
}
525+
if (item === `OK, Don't ask again`) {
526+
void this.container.storage.store('autolinks:branches:ignore:skipPrompt', true);
527+
}
528+
const prev = this.container.storage.get('autolinks:branches:ignore') ?? {};
529+
const refId = reference.id ?? `${reference.repoPath}/${reference.remote}/${reference.ref}`;
530+
await this.container.storage
531+
.store('autolinks:branches:ignore', {
532+
...prev,
533+
[refId]: [...(prev[refId] ?? []), issue.url],
534+
})
535+
.catch();
536+
void this.host.notify(DidChangeRepositoryWip, undefined);
537+
}
538+
507539
private async createCloudPatch(ref: BranchRef) {
508540
const status = await this.container.git.status(ref.repoPath).getStatus();
509541
if (status == null) return;
@@ -1192,12 +1224,13 @@ function getOverviewBranches(
11921224
const wt = worktreesByBranch.get(branch.id);
11931225
const worktree: GetOverviewBranch['worktree'] = wt ? { name: wt.name, uri: wt.uri.toString() } : undefined;
11941226

1227+
const ignored = container.storage.get('autolinks:branches:ignore')?.[branch.id];
11951228
const timestamp = branch.date?.getTime();
11961229
if (branch.current || wt?.opened) {
11971230
const forceOptions = options?.forceActive ? { force: true } : undefined;
11981231
if (options?.isPro !== false) {
11991232
prPromises.set(branch.id, getPullRequestInfo(container, branch, launchpadPromise));
1200-
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks());
1233+
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks(ignored));
12011234
issuePromises.set(
12021235
branch.id,
12031236
getAssociatedIssuesForBranch(container, branch).then(issues => issues.value),
@@ -1239,7 +1272,7 @@ function getOverviewBranches(
12391272
if (timestamp != null && timestamp > recentThreshold) {
12401273
if (options?.isPro !== false) {
12411274
prPromises.set(branch.id, getPullRequestInfo(container, branch, launchpadPromise));
1242-
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks());
1275+
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks(ignored));
12431276
issuePromises.set(
12441277
branch.id,
12451278
getAssociatedIssuesForBranch(container, branch).then(issues => issues.value),
@@ -1288,7 +1321,8 @@ function getOverviewBranches(
12881321
}
12891322

12901323
if (options?.isPro !== false) {
1291-
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks());
1324+
const ignored = container.storage.get('autolinks:branches:ignore')?.[branch.id];
1325+
autolinkPromises.set(branch.id, branch.getEnrichedAutolinks(ignored));
12921326
issuePromises.set(
12931327
branch.id,
12941328
getAssociatedIssuesForBranch(container, branch).then(issues => issues.value),
@@ -1406,6 +1440,8 @@ async function getAutolinkIssuesInfo(links: Map<string, EnrichedAutolink> | unde
14061440
title: issue.title,
14071441
url: issue.url,
14081442
state: issue.state,
1443+
type: issue.type,
1444+
isAutolink: true,
14091445
};
14101446
}),
14111447
);

src/webviews/home/protocol.ts

+11-17
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
import type { IntegrationDescriptor } from '../../constants.integrations';
22
import type { GitBranchMergedStatus } from '../../git/gitProvider';
33
import type { GitBranchStatus, GitTrackingState } from '../../git/models/branch';
4-
import type { Issue } from '../../git/models/issue';
4+
import type { Issue, IssueOrPullRequestType } from '../../git/models/issue';
55
import type { MergeConflict } from '../../git/models/mergeConflict';
66
import type { GitPausedOperationStatus } from '../../git/models/pausedOperationStatus';
77
import type { GitBranchReference } from '../../git/models/reference';
@@ -67,6 +67,14 @@ export interface GetOverviewRequest {
6767
[key: string]: unknown;
6868
}
6969

70+
export interface OverviewBranchIssue {
71+
id: string;
72+
title: string;
73+
url: string;
74+
state: Omit<Issue['state'], 'merged'>;
75+
isAutolink?: boolean;
76+
}
77+
7078
export interface GetOverviewBranch {
7179
reference: GitBranchReference;
7280

@@ -166,23 +174,9 @@ export interface GetOverviewBranch {
166174
| undefined
167175
>;
168176

169-
autolinks?: Promise<
170-
{
171-
id: string;
172-
title: string;
173-
url: string;
174-
state: Omit<Issue['state'], 'merged'>;
175-
}[]
176-
>;
177+
autolinks?: Promise<(OverviewBranchIssue & { type: IssueOrPullRequestType })[]>;
177178

178-
issues?: Promise<
179-
{
180-
id: string;
181-
title: string;
182-
url: string;
183-
state: Omit<Issue['state'], 'merged'>;
184-
}[]
185-
>;
179+
issues?: Promise<OverviewBranchIssue[]>;
186180

187181
worktree?: {
188182
name: string;

0 commit comments

Comments
 (0)