-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathGitLogWindow.cs
490 lines (446 loc) · 24.1 KB
/
GitLogWindow.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text.RegularExpressions;
using System.Threading.Tasks;
using UnityEditor;
using UnityEditor.IMGUI.Controls;
using UnityEngine;
namespace Abuksigun.UnityGitUI
{
public static class GitLog
{
[MenuItem("Window/Git UI/Log")]
public static void Invoke()
{
if (EditorWindow.GetWindow<GitLogWindow>() is { } window && window)
{
window.titleContent = new GUIContent("Git Log", EditorGUIUtility.IconContent("UnityEditor.VersionControl").image);
window.Show();
}
}
}
public static class GitFileLog
{
[MenuItem("Assets/Git File/Log", true)]
public static bool Check() => true; // FIXME: Add check that file selected and indexed in git
[MenuItem("Assets/Git File/Log", priority = 110)]
public static void Invoke()
{
var assetsInfo = Selection.assetGUIDs.Select(x => Utils.GetAssetGitInfo(x)).Where(x => x != null);
var logFiles = assetsInfo.Select(x => x.FullPath).ToList();
var modules = assetsInfo.Select(x => x.Module).Distinct().ToList();
_ = ShowFilesLog(modules, logFiles);
}
public static async Task ShowFilesLog(IEnumerable<Module> modules, IEnumerable<string> logFiles)
{
var window = ScriptableObject.CreateInstance<GitLogWindow>();
window.titleContent = new GUIContent("Log Files");
window.LogFiles = logFiles.ToList();
window.LockedModules = modules.ToList();
await GUIUtils.ShowModalWindow(window, new Vector2Int(800, 700));
}
}
record LogLine(string Raw, string Hash, string Comment, string Author, string Email, string Date, string[] Branches, string[] Tags);
class CommitTreeViewItem : TreeViewItem
{
public CommitTreeViewItem(int id, int depth, LogLine logLine) : base(id, depth) => LogLine = logLine;
public LogLine LogLine { get; set; }
}
public class GitLogWindow : DefaultWindow
{
public static LazyStyle CommitInfoStyle = new(() => new(Style.RichTextLabel.Value) { richText = true, wordWrap = true });
const float TableHeaderHeight = 27;
const float Space = 16;
const float InfoPanelWidth = 400;
[SerializeField] string guid = "";
struct LogGraphCell
{
public bool commit;
public string hash;
public string child;
public string parent;
public string mergeParent;
public int branch;
}
LogGraphCell[,] cells;
string[] lastLog;
List<LogLine> lines;
public bool ShowStash { get; set; }
public List<string> LogFiles { get; set; } = null;
public List<Module> LockedModules { get; set; } = null;
public string LockedHash { get; set; } = null;
bool HideGraph => ShowStash || HideFilesPanel;
bool HideFilesPanel => (LogFiles != null && LogFiles.Count > 0);
bool HideLog => !string.IsNullOrEmpty(LockedHash);
float FilesPanelHeight => HideLog ? position.height : verticalSplitterState.RealSizes[1];
[SerializeField] TreeViewState treeViewLogState = new();
[SerializeField] MultiColumnHeaderState multiColumnHeaderState = new(new MultiColumnHeaderState.Column[] {
new () { headerContent = new GUIContent("Graph") },
new () { headerContent = new GUIContent("Hash"), width = 80 },
new () { headerContent = new GUIContent("Author <Email>"), width = 100 },
new () { headerContent = new GUIContent("Date"), width = 50 },
new () { headerContent = new GUIContent("Message"), width = 400 },
});
MultiColumnHeader multiColumnHeader;
LazyTreeView<string[]> treeViewLog;
[SerializeField] TreeViewState treeViewStateFiles = new();
[SerializeField] SplitterState verticalSplitterState = new SplitterState(0.8f, 0.2f );
LazyTreeView<GitStatus> treeViewFiles;
int lastSelectedCommitHash;
Vector2 infoPanelScrollPosition;
string GetSelectedCommitHash(int id)
{
if (!string.IsNullOrEmpty(LockedHash))
return LockedHash;
return lines?.FirstOrDefault(x => x.GetHashCode() == id)?.Hash ?? null;
}
IEnumerable<string> GetSelectedCommitHashes(IEnumerable<int> ids)
{
if (!string.IsNullOrEmpty(LockedHash))
return new [] { LockedHash };
return lines.Where(x => ids.Contains(x.GetHashCode())).Select(x => x.Hash).Reverse();
}
List<LogLine> ParseGitLogLines(IEnumerable<string> rawLines)
{
var logLines = new List<LogLine>();
foreach (var rawLine in rawLines.Where(x => x.Contains('*')))
{
var groups = Regex.Match(rawLine, @"#([0-9a-f]+).*?- (.*?) \((.*?)\) \((.*?)\) <b>\s?\(?(.*?)\)?</b> (.*)")?.Groups;
var references = groups[5].Value.Split(',', StringSplitOptions.RemoveEmptyEntries).Where(x => x != "refs/stash");
var branches = references.Where(x => !x.StartsWith("tag:")).ToArray();
var tags = references.Where(x => x.StartsWith("tag:")).Select(x => x[5..^1]).ToArray();
logLines.Add(new LogLine(rawLine, Hash: groups[1].Value, Comment: groups[6].Value, Author: groups[2].Value, Email: groups[3].Value, Date: groups[4].Value, branches, tags));
}
return logLines;
}
public static void SelectHash(Module module, string hash)
{
if (module != null)
Utils.SetSelectedModules(new[] { module });
var instances = Resources.FindObjectsOfTypeAll<GitLogWindow>();
foreach (var instance in instances)
{
if (instance.LogFiles == null || instance.LogFiles.Count == 0)
instance.Focus();
if (instance.lines is { } lines)
{
string shortHash = hash.Substring(0, 7);
int index = lines.ToList().FindIndex(x => x.Hash.Contains(shortHash));
instance.treeViewLog.SetSelection(lines.Where(x => x.Hash.Contains(shortHash)).Select(x => x.GetHashCode()).ToList());
instance.treeViewLogState.scrollPos = Vector2.up * (index - 10) * instance.treeViewLog.RowHeight;
}
}
}
protected override void OnGUI()
{
var module = GUIUtils.ModuleGuidToolbar(LockedModules ?? Utils.GetSelectedGitModules().ToList(), guid);
if (module == null)
{
using (new EditorGUILayout.HorizontalScope())
{
GUILayout.FlexibleSpace();
using (new EditorGUILayout.VerticalScope())
{
GUILayout.FlexibleSpace();
EditorGUILayout.HelpBox("No repository selected.\n\nYou can select repository in \'Project\' or \'Git Branches' windows", MessageType.Info);
GUILayout.FlexibleSpace();
}
GUILayout.FlexibleSpace();
}
return;
}
guid = module.Guid;
var log = (ShowStash ? module.Stashes : module.LogFiles(LogFiles)).GetResultOrDefault();
if (log == null)
return;
if (log != lastLog)
{
lastLog = log;
lines = ParseGitLogLines(log); // FIXME: Move parse log to Module
cells = ParseGraph(lines);
treeViewLog = new(statuses => GenerateLogItems(lines), treeViewLogState, true, multiColumnHeader ??= new(multiColumnHeaderState), DrawCell);
treeViewFiles = new(statuses => GUIUtils.GenerateFileItems(statuses, true), treeViewStateFiles, true);
}
multiColumnHeaderState.visibleColumns = Enumerable.Range(HideGraph ? 1 : 0, multiColumnHeaderState.columns.Length - (HideGraph ? 1 : 0)).ToArray();
var selectedCommitHashes = GetSelectedCommitHashes(treeViewLogState.selectedIDs);
if (!HideFilesPanel && selectedCommitHashes.Any())
SplitterGUILayout.BeginVerticalSplit(verticalSplitterState);
if (!HideLog)
DrawLog(module, selectedCommitHashes.Any());
bool selectionChanged = selectedCommitHashes.GetCombinedHashCode() != lastSelectedCommitHash;
lastSelectedCommitHash = selectedCommitHashes.GetCombinedHashCode();
if (selectedCommitHashes.Any() && !HideFilesPanel)
DrawFilesPanel(module, selectedCommitHashes);
else if (HideFilesPanel && selectionChanged)
Utils.SetSelectedFiles(guid, LogFiles, null, $"{selectedCommitHashes.First()}~1", selectedCommitHashes.Last());
if (!HideFilesPanel && selectedCommitHashes.Any())
SplitterGUILayout.EndVerticalSplit();
base.OnGUI();
}
private void DrawLog(Module module, bool showFilesPanel)
{
int itemNum = (int)(position.size.y / Space);
float currentFilesPanelHeight = showFilesPanel && HideFilesPanel ? 0 : FilesPanelHeight;
treeViewLog.Draw(new Vector2(position.width, position.height - currentFilesPanelHeight), new[] { lastLog },
id => _ = ShowCommitContextMenu(module, GetSelectedCommitHash(id), GetSelectedCommitHashes(treeViewLogState.selectedIDs)),
id => SelectHash(module, GetSelectedCommitHash(id)));
if (!HideGraph && Event.current.type == EventType.Repaint)
{
var firstPoint = GUILayoutUtility.GetLastRect().position;
var graphSize = new Vector2(multiColumnHeaderState.columns[0].width, position.size.y - currentFilesPanelHeight - TableHeaderHeight);
float scrollPositionY = treeViewLogState.scrollPos.y;
int firstY = Mathf.Max((int)(scrollPositionY / Space) - 1, 0);
GUI.BeginClip(new Rect(firstPoint + Vector2.up * TableHeaderHeight, graphSize));
for (int y = firstY; y < Mathf.Min(cells.GetLength(0), firstY + itemNum); y++)
{
for (int x = 0; x < cells.GetLength(1); x++)
{
var cell = cells[y, x];
var oldColor = Handles.color;
Handles.color = Style.GraphColors[cell.branch % Style.GraphColors.Length];
var offset = new Vector3(10, 10 - scrollPositionY);
if (cell.commit)
Handles.DrawSolidDisc(offset + new Vector3(x * Space, y * Space), new Vector3(0, 0, 1), 3);
DrawConnection(cell, offset, x, y);
Handles.color = oldColor;
}
}
GUI.EndClip();
}
}
private void DrawFilesPanel(Module module, IEnumerable<string> selectedCommitHashes)
{
bool fistCommitSelected = selectedCommitHashes.First() == lines.Last().Hash;
string firstCommit = !fistCommitSelected ? $"{selectedCommitHashes.First()}~1" : Utils.EmptyTreeIdConst;
string lastCommit = selectedCommitHashes.Last();
var diffFiles = module.DiffFiles(firstCommit, lastCommit).GetResultOrDefault();
var selectedFiles = diffFiles?.Files.Where(x => treeViewStateFiles.selectedIDs.Contains(x.FullPath.GetHashCode()));
if (selectedFiles != null && treeViewFiles.HasFocus())
Utils.SetSelectedFiles(selectedFiles, null, firstCommit, lastCommit);
using (new EditorGUILayout.HorizontalScope())
{
if (!ShowStash)
{
using (var scroll = new EditorGUILayout.ScrollViewScope(infoPanelScrollPosition))
using (new EditorGUILayout.VerticalScope(GUILayout.Height(FilesPanelHeight)))
{
foreach (var selectedCommitHash in selectedCommitHashes)
{
using (new EditorGUILayout.HorizontalScope())
{
var commitLine = lines?.FirstOrDefault(x => x.Hash == selectedCommitHash);
var userData = MetaDataUtils.GetUserData(commitLine.Email, commitLine.Author);
if (userData.Avatar.GetResultOrDefault() is { } avatar)
GUILayout.Box(avatar);
using (new EditorGUILayout.VerticalScope())
{
EditorGUILayout.SelectableLabel(userData.FormattedAuthor, EditorStyles.boldLabel, GUILayout.Height(24));
EditorGUILayout.SelectableLabel(commitLine.Hash, EditorStyles.miniLabel, GUILayout.Height(12));
EditorGUILayout.SelectableLabel(commitLine.Date, EditorStyles.miniLabel, GUILayout.Height(12));
EditorGUILayout.SelectableLabel(commitLine.Comment, EditorStyles.helpBox);
}
}
EditorGUILayout.Separator();
}
infoPanelScrollPosition = scroll.scrollPosition;
}
}
if (selectedFiles != null)
{
var panelSize = new Vector2(position.width - InfoPanelWidth, FilesPanelHeight);
treeViewFiles.Draw(panelSize, new[] { diffFiles }, (_) => ShowFileContextMenu(module, selectedFiles, selectedCommitHashes.First()), (id) => SelectAsset(id, diffFiles));
}
else
{
GUILayout.Space(position.width - InfoPanelWidth);
}
}
}
List<TreeViewItem> GenerateLogItems(List<LogLine> lines)
{
return lines.ConvertAll(x => new CommitTreeViewItem(x.GetHashCode(), 0, x) as TreeViewItem);
}
void DrawCell(TreeViewItem item, int columnIndex, Rect rect)
{
if (item is CommitTreeViewItem { } commit)
{
bool head = commit.LogLine.Branches.Any(x => x.StartsWith("HEAD"));
string defaultColor = EditorGUIUtility.isProSkin ? "white" : "black";
string color = head ? "red" : defaultColor;
var userData = MetaDataUtils.GetUserData(commit.LogLine.Email, commit.LogLine.Author);
EditorGUI.LabelField(rect, columnIndex switch {
1 => commit.LogLine.Hash,
2 => userData.FormattedAuthorColored,
3 => commit.LogLine.Date,
4 => $"<b><color={color}>{commit.LogLine.Branches.Join(", ")}</color><color=brown>{commit.LogLine.Tags.Join(", ")}</color></b> {commit.LogLine.Comment}",
_ => "",
}, Style.RichTextLabel.Value);
}
}
IEnumerable<Vector2Int> FindCells(int fromY, params string[] hashes)
{
foreach (string hash in hashes)
{
if (hash == null)
continue;
for (int parentY = fromY; parentY < cells.GetLength(0); parentY++)
{
for (int parentX = 0; parentX < cells.GetLength(1); parentX++)
{
if (hash == cells[parentY, parentX].hash)
{
yield return new Vector2Int(parentX, parentY);
parentX = int.MaxValue - 1;
parentY = int.MaxValue - 1;
}
}
}
}
}
void DrawConnection(LogGraphCell cell, Vector3 offset, int x, int y)
{
if (cell.parent == null)
return;
foreach (var parentPosition in FindCells(y + 1, cell.parent, cell.mergeParent))
{
var first = offset + new Vector3(x, y) * Space;
var last = offset + new Vector3(parentPosition.x, parentPosition.y) * Space;
if (parentPosition.x < x)
Handles.DrawAAPolyLine(Texture2D.whiteTexture, 2, first, offset + new Vector3(x, parentPosition.y - 0.5f) * Space, last);
else if (parentPosition.x > x)
Handles.DrawAAPolyLine(Texture2D.whiteTexture, 2, first, offset + new Vector3(parentPosition.x, y + 0.5f) * Space, last);
else
Handles.DrawAAPolyLine(Texture2D.whiteTexture, 2, first, last);
}
}
LogGraphCell[,] ParseGraph(List<LogLine> lines)
{
var cells = new LogGraphCell[lines.Count, 20];
int currentBranchIndex = 0;
for (int y = 0; y < cells.GetLength(0); y++)
{
string rawLine = lines[y].Raw;
var match = Regex.Match(rawLine, @"#([0-9a-f]+) ?([0-9a-f]+)?\s?([0-9a-f]+)?\s-");
if (match.Success && match.Groups is { } parts)
{
for (int x = 0; rawLine[x * 2] != '#'; x++)
{
bool commitMark = rawLine[x * 2] == '*';
LogGraphCell prevCell = y > 0 ? cells[y - 1, x] : default;
string hash = commitMark ? parts[1].Value : prevCell.parent;
cells[y, x] = new LogGraphCell {
commit = commitMark,
hash = hash,
child = prevCell.hash,
parent = commitMark ? parts[2].Value : prevCell.parent,
mergeParent = commitMark ? parts[3].Value : null,
branch = prevCell.branch != 0 && prevCell.parent == hash ? prevCell.branch : ++currentBranchIndex
};
}
}
}
return cells;
}
async Task ShowCommitContextMenu(Module module, string selectedCommit, IEnumerable<string> selectedCommits)
{
var menu = new GenericMenu();
var commitReference = new[] { new Reference(selectedCommit, selectedCommit, selectedCommit) };
var localReferences = commitReference.Concat((await module.References).Where(x => (x is Branch || x is Tag) && x.Hash.StartsWith(selectedCommit)));
foreach (var reference in localReferences)
{
var contextMenuname = reference.QualifiedName.Replace("/", "\u2215");
string filesLableString = LogFiles != null && LogFiles.Any() ? "Files" : "";
string filesList = LogFiles?.Join();
menu.AddItem(new GUIContent($"Checkout {filesLableString}/{contextMenuname}"), false, () =>
{
if (EditorUtility.DisplayDialog($"Are you sure you want CHECKOUT {filesLableString} to COMMIT", $"{reference.QualifiedName}\n{filesList}", "Yes", "No"))
_ = reference is RemoteBranch ?
GUIUtils.RunSafe(new[] { module }, x => x.CheckoutRemote(reference.Name))
: GUIUtils.RunSafe(new[] { module }, x => x.Checkout(reference.QualifiedName, LogFiles));
});
if (LogFiles == null || !LogFiles.Any())
{
menu.AddItem(new GUIContent($"Reset Soft/{contextMenuname}"), false, () =>
{
if (EditorUtility.DisplayDialog("Are you sure you want RESET to COMMIT", reference.QualifiedName, "Yes", "No"))
_ = module.Reset(reference.QualifiedName, false);
});
}
}
if (LogFiles == null || !LogFiles.Any())
{
var allReferences = commitReference.Concat((await module.References).Where(x => (x is Branch || x is Tag) && x.Hash.StartsWith(selectedCommit)));
foreach (var reference in allReferences)
{
var contextMenuName = reference.QualifiedName.Replace("/", "\u2215");
menu.AddItem(new GUIContent($"Reset Hard/{contextMenuName}"), false, () =>
{
if (EditorUtility.DisplayDialog("Are you sure you want RESET HARD to COMMIT.", reference.QualifiedName, "Yes", "No"))
_ = module.Reset(reference.QualifiedName, true);
});
menu.AddItem(new GUIContent($"Merge/{contextMenuName}"), false, () =>
{
_ = module.Merge(reference.QualifiedName);
});
menu.AddItem(new GUIContent($"Rebase/{contextMenuName}"), false, () =>
{
_ = module.Rebase(reference.QualifiedName);
});
}
menu.AddItem(new GUIContent($"Cherry Pick/{selectedCommits.Join(", ")}"), false, () =>
{
if (EditorUtility.DisplayDialog("Are you sure you want to cherry-pick these commits?", selectedCommits.Join(", "), "Yes", "No"))
_ = GUIUtils.RunSafe(new[] { module }, x => x.CherryPick(selectedCommits));
});
}
menu.AddItem(new GUIContent($"New Tag"), false, () => GUIUtils.MakeTag(selectedCommit));
menu.ShowAsContext();
}
static void ShowFileContextMenu(Module module, IEnumerable<FileStatus> files, string selectedCommit)
{
if (!files.Any())
return;
var menu = new GenericMenu();
var filePaths = files.Select(x => x.FullPath);
menu.AddItem(new GUIContent("Diff"), false, () => GitDiff.ShowDiff());
menu.AddItem(new GUIContent("Log File"), false, () => _ = GitFileLog.ShowFilesLog(new[] { module }, filePaths));
menu.AddItem(new GUIContent("Blame"), false, () => _ = GitBameWindow.ShowBlame(module, filePaths.First(), selectedCommit));
menu.AddItem(new GUIContent($"Revert to this commit"), false, () => {
if (EditorUtility.DisplayDialog("Are you sure you want REVERT file?", selectedCommit, "Yes", "No"))
_ = GUIUtils.RunSafe(new[] { module }, x => x.RevertFiles(selectedCommit, filePaths));
});
menu.AddItem(new GUIContent($"Revert to previous commit"), false, () => {
if (EditorUtility.DisplayDialog("Are you sure you want REVERT file?", selectedCommit, "Yes", "No"))
_ = GUIUtils.RunSafe(new[] { module }, x => x.RevertFiles($"{selectedCommit}~1", filePaths));
});
menu.AddItem(new GUIContent("Save As"), false, async () =>
{
string[] filesContent = await module.CatFiles(filePaths, selectedCommit);
if (filesContent.Length == 1)
{
string path = EditorUtility.SaveFilePanel("Save file", "", Path.GetFileName(filePaths.First()), "");
if (!string.IsNullOrEmpty(path))
File.WriteAllText(path, filesContent.First());
}
else
{
string path = EditorUtility.SaveFolderPanel("Save files", "", "");
if (!string.IsNullOrEmpty(path))
{
for (int i = 0; i < filesContent.Length; i++)
File.WriteAllText(Path.Combine(path, Path.GetFileName(filePaths.ElementAt(i))), filesContent.ElementAt(i));
}
}
});
menu.ShowAsContext();
}
static void SelectAsset(int id, GitStatus diffFiles)
{
var selectedAsset = diffFiles.Files.FirstOrDefault(x => x.FullPath.GetHashCode() == id);
if (selectedAsset != null)
GUIUtils.SelectAsset(selectedAsset.FullProjectPath);
}
}
}