mirror of
https://github.com/MrUnknownDE/vcc-tools.git
synced 2026-04-19 15:03:47 +02:00
Compare commits
11 Commits
a68f45734b
...
9250fc71ed
| Author | SHA1 | Date | |
|---|---|---|---|
| 9250fc71ed | |||
| 8318bd6a6e | |||
| 0c613129f5 | |||
| 7bc0eee024 | |||
| 48134f2a03 | |||
| 00ab946aa0 | |||
| 992e67eee2 | |||
| e247d4ea4d | |||
| 0955383fb2 | |||
| 8450f0ccbb | |||
| 99e6d462cf |
@@ -7,40 +7,69 @@ using System.Collections.Generic;
|
||||
public class GitPanel : EditorWindow
|
||||
{
|
||||
private string commitMessage = "";
|
||||
private string remoteUrlInput = ""; // NEU: Speicher für die Remote-URL
|
||||
private string remoteUrlInput = "";
|
||||
private string newBranchName = "";
|
||||
|
||||
private bool isGitInstalled = true;
|
||||
private bool hasRepo = false;
|
||||
|
||||
private bool settingsCorrect = true;
|
||||
private string settingsWarning = "";
|
||||
|
||||
private string currentBranchName = "unknown";
|
||||
private string[] availableBranches = new string[0];
|
||||
private int selectedBranchIndex = 0;
|
||||
|
||||
private string[] changedFiles = new string[0];
|
||||
private Vector2 scrollPositionChanges;
|
||||
private Vector2 scrollPositionHistory;
|
||||
|
||||
// STATISCH: Damit RunGitCommand darauf zugreifen kann und das Log beim Neuladen erhalten bleibt!
|
||||
private static string gitLogOutput = "";
|
||||
private Vector2 scrollPositionLog;
|
||||
|
||||
private int selectedTab = 0;
|
||||
private string[] tabNames = { "Changes", "History" };
|
||||
|
||||
private bool showSettings = false;
|
||||
private string webUrlOverride = "";
|
||||
private string prefsKey = "";
|
||||
|
||||
private struct CommitInfo { public string hash; public string date; public string message; }
|
||||
private List<CommitInfo> commitHistory = new List<CommitInfo>();
|
||||
|
||||
[MenuItem("Tools/MrUnknownDE/Git-Tool")]
|
||||
[MenuItem("Tools/MrUnknownDE/GIT Version Control")]
|
||||
public static void ShowWindow()
|
||||
{
|
||||
GitPanel window = GetWindow<GitPanel>("Source Control");
|
||||
window.minSize = new Vector2(350, 500);
|
||||
GitPanel window = GetWindow<GitPanel>("GIT Version Control System");
|
||||
window.minSize = new Vector2(380, 650);
|
||||
}
|
||||
|
||||
private void OnEnable()
|
||||
{
|
||||
RefreshData();
|
||||
}
|
||||
|
||||
private void OnFocus()
|
||||
{
|
||||
RefreshData();
|
||||
private void OnEnable()
|
||||
{
|
||||
prefsKey = $"GitTool_WebUrl_{Application.dataPath.GetHashCode()}";
|
||||
webUrlOverride = EditorPrefs.GetString(prefsKey, "");
|
||||
RefreshData();
|
||||
}
|
||||
|
||||
private void OnFocus() { RefreshData(); }
|
||||
|
||||
public void RefreshData()
|
||||
{
|
||||
CheckGitInstallation();
|
||||
CheckUnitySettings();
|
||||
|
||||
if (!isGitInstalled) return;
|
||||
CheckRepoStatus();
|
||||
|
||||
if (string.IsNullOrWhiteSpace(commitMessage) || commitMessage.StartsWith("Auto-Save:"))
|
||||
if (hasRepo)
|
||||
{
|
||||
ExportPackageInventory();
|
||||
currentBranchName = RunGitCommand("rev-parse --abbrev-ref HEAD").Trim();
|
||||
FetchBranches();
|
||||
}
|
||||
|
||||
if (string.IsNullOrWhiteSpace(commitMessage) || commitMessage.StartsWith("Auto-Save:"))
|
||||
{
|
||||
SetDefaultCommitMessage();
|
||||
}
|
||||
@@ -48,21 +77,87 @@ public class GitPanel : EditorWindow
|
||||
Repaint();
|
||||
}
|
||||
|
||||
private void SetDefaultCommitMessage()
|
||||
private void CheckGitInstallation()
|
||||
{
|
||||
commitMessage = $"Auto-Save: {System.DateTime.Now:yyyy-MM-dd HH:mm:ss}";
|
||||
try {
|
||||
ProcessStartInfo startInfo = new ProcessStartInfo("git", "--version") { UseShellExecute = false, RedirectStandardOutput = true, CreateNoWindow = true };
|
||||
using (Process p = Process.Start(startInfo)) { p.WaitForExit(); isGitInstalled = true; }
|
||||
} catch { isGitInstalled = false; }
|
||||
}
|
||||
|
||||
// FIX: Nutzt jetzt die aktuelle Unity-API (VersionControlSettings.mode)
|
||||
private void CheckUnitySettings()
|
||||
{
|
||||
settingsCorrect = true;
|
||||
settingsWarning = "";
|
||||
|
||||
if (VersionControlSettings.mode != "Visible Meta Files")
|
||||
{
|
||||
settingsCorrect = false;
|
||||
settingsWarning += "• Version Control Mode must be 'Visible Meta Files'\n";
|
||||
}
|
||||
|
||||
if (EditorSettings.serializationMode != SerializationMode.ForceText)
|
||||
{
|
||||
settingsCorrect = false;
|
||||
settingsWarning += "• Asset Serialization must be 'Force Text'\n";
|
||||
}
|
||||
}
|
||||
|
||||
private void FixUnitySettings()
|
||||
{
|
||||
VersionControlSettings.mode = "Visible Meta Files";
|
||||
EditorSettings.serializationMode = SerializationMode.ForceText;
|
||||
UnityEngine.Debug.Log("Git-Tool: Unity Project Settings updated for Git compatibility.");
|
||||
RefreshData();
|
||||
}
|
||||
|
||||
private void SetDefaultCommitMessage() { commitMessage = $"Auto-Save: {System.DateTime.Now:yyyy-MM-dd HH:mm:ss}"; }
|
||||
|
||||
private void OnGUI()
|
||||
{
|
||||
GUILayout.Space(10);
|
||||
GUILayout.Label("SOURCE CONTROL", EditorStyles.boldLabel);
|
||||
GUILayout.Label("GIT Version Control System", EditorStyles.boldLabel);
|
||||
if (hasRepo) GUILayout.Label($"Active Branch: {currentBranchName}", EditorStyles.miniLabel);
|
||||
GUILayout.Space(5);
|
||||
|
||||
if (!hasRepo)
|
||||
if (!settingsCorrect)
|
||||
{
|
||||
RenderInitUI();
|
||||
return;
|
||||
EditorGUILayout.BeginVertical("box");
|
||||
EditorGUILayout.HelpBox("INCOMPATIBLE PROJECT SETTINGS:\n" + settingsWarning, MessageType.Error);
|
||||
GUI.backgroundColor = new Color(1f, 0.5f, 0f);
|
||||
if (GUILayout.Button("Fix Project Settings Now"))
|
||||
{
|
||||
FixUnitySettings();
|
||||
}
|
||||
GUI.backgroundColor = Color.white;
|
||||
EditorGUILayout.EndVertical();
|
||||
GUILayout.Space(10);
|
||||
}
|
||||
|
||||
if (!isGitInstalled) { RenderGitMissingUI(); return; }
|
||||
if (!hasRepo) { RenderInitUI(); return; }
|
||||
|
||||
showSettings = EditorGUILayout.Foldout(showSettings, "⚙️ Repository Settings");
|
||||
if (showSettings)
|
||||
{
|
||||
EditorGUILayout.BeginVertical("box");
|
||||
GUILayout.Label("Web Override (For custom SSH instances)", EditorStyles.miniBoldLabel);
|
||||
EditorGUI.BeginChangeCheck();
|
||||
webUrlOverride = EditorGUILayout.TextField("Web URL:", webUrlOverride);
|
||||
if (EditorGUI.EndChangeCheck())
|
||||
{
|
||||
EditorPrefs.SetString(prefsKey, webUrlOverride.Trim());
|
||||
}
|
||||
|
||||
GUILayout.Space(10);
|
||||
GUILayout.Label("Inventory Management", EditorStyles.miniBoldLabel);
|
||||
if (GUILayout.Button("📄 Sync Package Inventory (Unity & VRChat)", GUILayout.Height(25)))
|
||||
{
|
||||
ExportPackageInventory();
|
||||
}
|
||||
EditorGUILayout.EndVertical();
|
||||
GUILayout.Space(5);
|
||||
}
|
||||
|
||||
selectedTab = GUILayout.Toolbar(selectedTab, tabNames, GUILayout.Height(25));
|
||||
@@ -72,268 +167,411 @@ public class GitPanel : EditorWindow
|
||||
else RenderHistoryUI();
|
||||
}
|
||||
|
||||
private void RenderGitMissingUI()
|
||||
{
|
||||
EditorGUILayout.HelpBox("CRITICAL: Git not found.", MessageType.Error);
|
||||
if (GUILayout.Button("Download Git for Windows", GUILayout.Height(30))) Application.OpenURL("https://git-scm.com/download/win");
|
||||
}
|
||||
|
||||
private void RenderInitUI()
|
||||
{
|
||||
EditorGUILayout.HelpBox("No local Git repository found. Initialize current project folder?", MessageType.Warning);
|
||||
|
||||
GUILayout.Space(10);
|
||||
GUILayout.Label("Remote Repository URL (Optional):", EditorStyles.boldLabel);
|
||||
remoteUrlInput = EditorGUILayout.TextField(remoteUrlInput, GUILayout.Height(25));
|
||||
EditorGUILayout.HelpBox("e.g., https://github.com/user/repo.git or git@gitea.domain.com:user/repo.git", MessageType.Info);
|
||||
GUILayout.Space(10);
|
||||
|
||||
EditorGUILayout.HelpBox("No local Git repository found.", MessageType.Warning);
|
||||
remoteUrlInput = EditorGUILayout.TextField("Remote URL:", remoteUrlInput);
|
||||
if (GUILayout.Button("Initialize Repository", GUILayout.Height(30)))
|
||||
{
|
||||
RunGitCommand("init");
|
||||
|
||||
// Branch direkt sauber auf "main" setzen (verhindert Konflikte mit alten "master" Defaults)
|
||||
RunGitCommand("branch -M main");
|
||||
|
||||
// Remote URL hinzufügen, falls angegeben
|
||||
if (!string.IsNullOrWhiteSpace(remoteUrlInput))
|
||||
{
|
||||
RunGitCommand($"remote add origin \"{remoteUrlInput.Trim()}\"");
|
||||
RunGitCommand("init", true);
|
||||
RunGitCommand("branch -M main", true);
|
||||
if (!string.IsNullOrWhiteSpace(remoteUrlInput)) {
|
||||
RunGitCommand($"remote add origin \"{remoteUrlInput.Trim()}\"", true);
|
||||
RunGitCommand("pull origin main --allow-unrelated-histories --no-edit", true);
|
||||
}
|
||||
|
||||
GenerateUnityGitIgnore();
|
||||
RunGitCommand("add .gitignore");
|
||||
RunGitCommand("commit -m \"Initial commit (GitIgnore)\"");
|
||||
|
||||
// Initialen Push ausführen, wenn ein Remote existiert
|
||||
if (!string.IsNullOrWhiteSpace(remoteUrlInput))
|
||||
{
|
||||
RunGitCommand("push -u origin main");
|
||||
UnityEngine.Debug.Log("Git-Tool: Repository initialized and pushed to remote!");
|
||||
}
|
||||
else
|
||||
{
|
||||
UnityEngine.Debug.Log("Git-Tool: Local repository initialized successfully.");
|
||||
}
|
||||
|
||||
AssetDatabase.Refresh();
|
||||
RunGitCommand("add .gitignore", true);
|
||||
RunGitCommand("commit -m \"Initial commit (GitIgnore)\"", true);
|
||||
if (!string.IsNullOrWhiteSpace(remoteUrlInput)) RunGitCommand("push -u origin main", true);
|
||||
RefreshData();
|
||||
}
|
||||
}
|
||||
|
||||
private void RenderGitUI()
|
||||
{
|
||||
commitMessage = EditorGUILayout.TextField(commitMessage, GUILayout.Height(25));
|
||||
|
||||
GUI.backgroundColor = new Color(0.2f, 0.4f, 0.8f);
|
||||
if (GUILayout.Button("✓ Commit & Push", GUILayout.Height(30)))
|
||||
EditorGUILayout.BeginVertical("box");
|
||||
GUILayout.Label("Branch Management", EditorStyles.boldLabel);
|
||||
|
||||
if (availableBranches.Length > 0)
|
||||
{
|
||||
if (string.IsNullOrWhiteSpace(commitMessage)) commitMessage = $"Auto-Save: {System.DateTime.Now:yyyy-MM-dd HH:mm:ss}";
|
||||
|
||||
RunGitCommand("add .");
|
||||
RunGitCommand($"commit -m \"{commitMessage}\"");
|
||||
RunGitCommand("push");
|
||||
|
||||
commitMessage = "";
|
||||
RefreshData();
|
||||
UnityEngine.Debug.Log("Git-Tool: Changes successfully pushed!");
|
||||
EditorGUI.BeginChangeCheck();
|
||||
int newIndex = EditorGUILayout.Popup("Switch Branch:", selectedBranchIndex, availableBranches);
|
||||
if (EditorGUI.EndChangeCheck() && newIndex != selectedBranchIndex)
|
||||
{
|
||||
RunGitCommand($"checkout \"{availableBranches[newIndex]}\"", true);
|
||||
AssetDatabase.Refresh();
|
||||
RefreshData();
|
||||
return;
|
||||
}
|
||||
}
|
||||
GUI.backgroundColor = Color.white;
|
||||
|
||||
GUILayout.Space(10);
|
||||
EditorGUILayout.HelpBox("Legend: [M] Modified | [A] Added | [D] Deleted | [??] Untracked", MessageType.Info);
|
||||
GUILayout.Space(5);
|
||||
|
||||
EditorGUILayout.BeginHorizontal();
|
||||
GUILayout.Label($"CHANGES ({changedFiles.Length})", EditorStyles.boldLabel);
|
||||
if (GUILayout.Button("↻", GUILayout.Width(25)))
|
||||
newBranchName = EditorGUILayout.TextField("New Branch:", newBranchName);
|
||||
GUI.backgroundColor = new Color(0.2f, 0.6f, 0.2f);
|
||||
if (GUILayout.Button("+ Create", GUILayout.Width(80)))
|
||||
{
|
||||
if (!string.IsNullOrWhiteSpace(newBranchName))
|
||||
{
|
||||
RunGitCommand($"checkout -b \"{newBranchName.Trim()}\"", true);
|
||||
newBranchName = "";
|
||||
RefreshData();
|
||||
GUI.FocusControl(null);
|
||||
return;
|
||||
}
|
||||
}
|
||||
GUI.backgroundColor = Color.white;
|
||||
EditorGUILayout.EndHorizontal();
|
||||
EditorGUILayout.EndVertical();
|
||||
|
||||
GUILayout.Space(10);
|
||||
commitMessage = EditorGUILayout.TextField(commitMessage, GUILayout.Height(25));
|
||||
|
||||
EditorGUILayout.BeginHorizontal();
|
||||
|
||||
GUI.backgroundColor = new Color(0.2f, 0.4f, 0.8f);
|
||||
if (GUILayout.Button("✓ Push", GUILayout.Height(30)))
|
||||
{
|
||||
UnityEngine.Debug.Log("Git-Tool: Saving Scenes and Assets before push...");
|
||||
UnityEditor.SceneManagement.EditorSceneManager.SaveOpenScenes();
|
||||
AssetDatabase.SaveAssets();
|
||||
|
||||
if (string.IsNullOrWhiteSpace(commitMessage)) SetDefaultCommitMessage();
|
||||
RunGitCommand("add .", true);
|
||||
RunGitCommand($"commit -m \"{commitMessage}\"", true);
|
||||
|
||||
string pushResult = RunGitCommand("push -u origin HEAD", true);
|
||||
if (pushResult.Contains("rejected") || pushResult.Contains("fetch first"))
|
||||
{
|
||||
UnityEngine.Debug.LogError("Git-Tool: PUSH REJECTED! Jemand anderes hat Änderungen hochgeladen. Bitte klicke zuerst auf 'Pull'.");
|
||||
}
|
||||
else
|
||||
{
|
||||
UnityEngine.Debug.Log("Git-Tool: Changes successfully pushed!");
|
||||
commitMessage = "";
|
||||
}
|
||||
LiveSyncPanel.BroadcastGitUpdate();
|
||||
RefreshData();
|
||||
}
|
||||
|
||||
GUI.backgroundColor = new Color(0.8f, 0.6f, 0.2f);
|
||||
if (GUILayout.Button("⬇️ Pull", GUILayout.Width(80), GUILayout.Height(30)))
|
||||
{
|
||||
UnityEditor.SceneManagement.EditorSceneManager.SaveOpenScenes();
|
||||
AssetDatabase.SaveAssets();
|
||||
|
||||
string pullResult = RunGitCommand("pull", true);
|
||||
AssetDatabase.Refresh();
|
||||
|
||||
if (pullResult.Contains("CONFLICT"))
|
||||
{
|
||||
UnityEngine.Debug.LogError("Git-Tool: MERGE CONFLICT! Bitte in VS Code auflösen!");
|
||||
EditorUtility.DisplayDialog("Merge Conflict", "Es gibt Konflikte mit den Server-Daten!\n\nGit konnte die Änderungen nicht automatisch zusammenführen. Bitte öffne die roten Dateien in deinem Code-Editor und löse den Konflikt manuell auf.", "OK");
|
||||
}
|
||||
RefreshData();
|
||||
}
|
||||
|
||||
GUI.backgroundColor = new Color(0.8f, 0.3f, 0.3f);
|
||||
if (GUILayout.Button("⎌ Revert", GUILayout.Width(80), GUILayout.Height(30)))
|
||||
{
|
||||
if (EditorUtility.DisplayDialog("Revert Changes?", "Discard ALL uncommitted changes?", "Yes", "Cancel")) {
|
||||
RunGitCommand("reset --hard HEAD", true);
|
||||
RunGitCommand("clean -fd", true);
|
||||
AssetDatabase.Refresh();
|
||||
RefreshData();
|
||||
}
|
||||
}
|
||||
GUI.backgroundColor = Color.white;
|
||||
EditorGUILayout.EndHorizontal();
|
||||
|
||||
GUILayout.Space(10);
|
||||
EditorGUILayout.BeginHorizontal();
|
||||
GUILayout.Label($"CHANGES ({changedFiles.Length})", EditorStyles.boldLabel);
|
||||
if (GUILayout.Button("↻", GUILayout.Width(25))) RefreshData();
|
||||
EditorGUILayout.EndHorizontal();
|
||||
|
||||
scrollPositionChanges = EditorGUILayout.BeginScrollView(scrollPositionChanges, "box");
|
||||
|
||||
if (changedFiles.Length == 0) GUILayout.Label("No unsaved changes.");
|
||||
if (changedFiles.Length == 0) GUILayout.Label("No changes.");
|
||||
else RenderFileList(changedFiles);
|
||||
|
||||
EditorGUILayout.EndScrollView();
|
||||
|
||||
GUILayout.Space(5);
|
||||
EditorGUILayout.BeginHorizontal();
|
||||
GUILayout.Label("GIT CONSOLE", EditorStyles.boldLabel);
|
||||
if (GUILayout.Button("Clear", GUILayout.Width(50))) gitLogOutput = "";
|
||||
EditorGUILayout.EndHorizontal();
|
||||
|
||||
scrollPositionLog = EditorGUILayout.BeginScrollView(scrollPositionLog, "box", GUILayout.Height(120));
|
||||
GUIStyle logStyle = new GUIStyle(EditorStyles.label) { wordWrap = true, fontSize = 10 };
|
||||
GUILayout.Label(string.IsNullOrEmpty(gitLogOutput) ? "Ready." : gitLogOutput, logStyle);
|
||||
EditorGUILayout.EndScrollView();
|
||||
}
|
||||
|
||||
private void RenderHistoryUI()
|
||||
{
|
||||
EditorGUILayout.BeginHorizontal();
|
||||
GUILayout.Label("LAST COMMITS (Click to open in Browser)", EditorStyles.boldLabel);
|
||||
GUILayout.Label("LAST COMMITS", EditorStyles.boldLabel);
|
||||
if (GUILayout.Button("↻", GUILayout.Width(25))) FetchHistory();
|
||||
EditorGUILayout.EndHorizontal();
|
||||
GUILayout.Space(5);
|
||||
|
||||
if (commitHistory.Count == 0)
|
||||
{
|
||||
GUILayout.Label("No commits found.");
|
||||
return;
|
||||
}
|
||||
|
||||
scrollPositionHistory = EditorGUILayout.BeginScrollView(scrollPositionHistory, "box");
|
||||
|
||||
foreach (var commit in commitHistory)
|
||||
{
|
||||
foreach (var commit in commitHistory) {
|
||||
Rect rect = EditorGUILayout.GetControlRect(false, 22);
|
||||
|
||||
if (rect.Contains(Event.current.mousePosition))
|
||||
{
|
||||
EditorGUI.DrawRect(rect, new Color(1f, 1f, 1f, 0.1f));
|
||||
}
|
||||
|
||||
GUIStyle textStyle = new GUIStyle(EditorStyles.label) { richText = true };
|
||||
GUI.Label(rect, $"<b>{commit.hash}</b> | {commit.date} | {commit.message}", textStyle);
|
||||
|
||||
Event e = Event.current;
|
||||
if (e.type == EventType.MouseDown && e.button == 0 && rect.Contains(e.mousePosition))
|
||||
{
|
||||
if (rect.Contains(Event.current.mousePosition)) EditorGUI.DrawRect(rect, new Color(1f, 1f, 1f, 0.1f));
|
||||
GUI.Label(rect, $"<b>{commit.hash}</b> | {commit.date} | {commit.message}", new GUIStyle(EditorStyles.label){richText=true});
|
||||
if (Event.current.type == EventType.MouseDown && rect.Contains(Event.current.mousePosition)) {
|
||||
OpenCommitInBrowser(commit.hash);
|
||||
e.Use();
|
||||
Event.current.Use();
|
||||
}
|
||||
GUILayout.Space(2);
|
||||
}
|
||||
|
||||
EditorGUILayout.EndScrollView();
|
||||
}
|
||||
|
||||
private void RenderFileList(string[] files)
|
||||
{
|
||||
foreach (string line in files)
|
||||
{
|
||||
foreach (string line in files) {
|
||||
if (line.Length < 4) continue;
|
||||
|
||||
string status = line.Substring(0, 1).Trim() == "" ? line.Substring(0, 2) : line.Substring(0, 1);
|
||||
string path = line.Substring(line.IndexOf('\t') + 1 > 0 ? line.IndexOf('\t') + 1 : 3).Trim();
|
||||
if (path.StartsWith("\"") && path.EndsWith("\"")) path = path.Substring(1, path.Length - 2);
|
||||
|
||||
string status = line.Substring(0, 2).Trim();
|
||||
string path = line.Substring(3).Trim().Replace("\"", "");
|
||||
Rect rect = EditorGUILayout.GetControlRect(false, 18);
|
||||
if (rect.Contains(Event.current.mousePosition)) EditorGUI.DrawRect(rect, new Color(1f, 1f, 1f, 0.1f));
|
||||
|
||||
GUIStyle labelStyle = new GUIStyle(EditorStyles.label);
|
||||
GUI.Label(rect, $"[{status.Trim()}] {path}", labelStyle);
|
||||
|
||||
Event e = Event.current;
|
||||
if (e.isMouse && e.button == 0 && rect.Contains(e.mousePosition) && e.type == EventType.MouseDown)
|
||||
{
|
||||
if (e.clickCount == 1) PingAsset(path);
|
||||
else if (e.clickCount == 2) GitDiffViewer.ShowWindow(path, status);
|
||||
e.Use();
|
||||
GUI.Label(rect, $"[{status}] {path}");
|
||||
if (Event.current.type == EventType.MouseDown && rect.Contains(Event.current.mousePosition)) {
|
||||
if (Event.current.clickCount == 1) PingAsset(path);
|
||||
else if (Event.current.clickCount == 2) GitDiffViewer.ShowWindow(path, status);
|
||||
Event.current.Use();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void OpenCommitInBrowser(string hash)
|
||||
{
|
||||
string remoteUrl = RunGitCommand("config --get remote.origin.url").Trim();
|
||||
if (string.IsNullOrEmpty(remoteUrl))
|
||||
if (!string.IsNullOrWhiteSpace(webUrlOverride))
|
||||
{
|
||||
UnityEngine.Debug.LogWarning("Git-Tool: No remote repository configured (origin missing).");
|
||||
string url = webUrlOverride;
|
||||
if (url.EndsWith("/")) url = url.Substring(0, url.Length - 1);
|
||||
if (url.EndsWith(".git")) url = url.Substring(0, url.Length - 4);
|
||||
Application.OpenURL($"{url}/commit/{hash}");
|
||||
return;
|
||||
}
|
||||
|
||||
string webUrl = remoteUrl;
|
||||
|
||||
if (webUrl.StartsWith("git@"))
|
||||
{
|
||||
webUrl = webUrl.Replace(":", "/").Replace("git@", "https://");
|
||||
}
|
||||
|
||||
if (webUrl.EndsWith(".git"))
|
||||
{
|
||||
webUrl = webUrl.Substring(0, webUrl.Length - 4);
|
||||
}
|
||||
string remoteUrl = RunGitCommand("config --get remote.origin.url").Trim();
|
||||
if (string.IsNullOrEmpty(remoteUrl)) return;
|
||||
|
||||
Application.OpenURL($"{webUrl}/commit/{hash}");
|
||||
if (remoteUrl.StartsWith("git@") || remoteUrl.StartsWith("ssh://")) {
|
||||
remoteUrl = remoteUrl.Replace("ssh://", "");
|
||||
remoteUrl = remoteUrl.Replace("git@", "https://");
|
||||
int firstColon = remoteUrl.IndexOf(':', 8);
|
||||
if (firstColon != -1) remoteUrl = remoteUrl.Remove(firstColon, 1).Insert(firstColon, "/");
|
||||
}
|
||||
if (remoteUrl.EndsWith(".git")) remoteUrl = remoteUrl.Substring(0, remoteUrl.Length - 4);
|
||||
Application.OpenURL($"{remoteUrl}/commit/{hash}");
|
||||
}
|
||||
|
||||
private void CheckRepoStatus()
|
||||
{
|
||||
string projectPath = Path.GetFullPath(Path.Combine(Application.dataPath, ".."));
|
||||
hasRepo = Directory.Exists(Path.Combine(projectPath, ".git"));
|
||||
|
||||
if (hasRepo)
|
||||
{
|
||||
if (hasRepo) {
|
||||
string output = RunGitCommand("status -s");
|
||||
changedFiles = string.IsNullOrWhiteSpace(output) ? new string[0] : output.Split(new[] { '\n', '\r' }, System.StringSplitOptions.RemoveEmptyEntries);
|
||||
FetchHistory();
|
||||
}
|
||||
}
|
||||
|
||||
private void FetchBranches()
|
||||
{
|
||||
string output = RunGitCommand("branch --format=\"%(refname:short)\"");
|
||||
if (!string.IsNullOrWhiteSpace(output))
|
||||
{
|
||||
availableBranches = output.Split(new[] { '\n', '\r' }, System.StringSplitOptions.RemoveEmptyEntries);
|
||||
selectedBranchIndex = System.Array.IndexOf(availableBranches, currentBranchName);
|
||||
if (selectedBranchIndex == -1) selectedBranchIndex = 0;
|
||||
}
|
||||
}
|
||||
|
||||
private void FetchHistory()
|
||||
{
|
||||
commitHistory.Clear();
|
||||
string output = RunGitCommand("log -n 25 --pretty=format:\"%h|%cd|%s\" --date=short");
|
||||
if (!string.IsNullOrWhiteSpace(output))
|
||||
{
|
||||
string[] lines = output.Split(new[] { '\n', '\r' }, System.StringSplitOptions.RemoveEmptyEntries);
|
||||
foreach (string line in lines)
|
||||
{
|
||||
string[] parts = line.Split('|');
|
||||
if (parts.Length >= 3)
|
||||
{
|
||||
commitHistory.Add(new CommitInfo { hash = parts[0], date = parts[1], message = parts[2] });
|
||||
}
|
||||
if (!string.IsNullOrWhiteSpace(output)) {
|
||||
foreach (string line in output.Split('\n')) {
|
||||
string[] p = line.Split('|');
|
||||
if (p.Length >= 3) commitHistory.Add(new CommitInfo { hash = p[0], date = p[1], message = p[2] });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private void PingAsset(string relativePath)
|
||||
{
|
||||
UnityEngine.Object obj = AssetDatabase.LoadAssetAtPath<UnityEngine.Object>(relativePath);
|
||||
if (obj != null) { Selection.activeObject = obj; EditorGUIUtility.PingObject(obj); }
|
||||
private void PingAsset(string path) {
|
||||
var obj = AssetDatabase.LoadAssetAtPath<UnityEngine.Object>(path);
|
||||
if (obj) { Selection.activeObject = obj; EditorGUIUtility.PingObject(obj); }
|
||||
}
|
||||
|
||||
private void GenerateUnityGitIgnore()
|
||||
{
|
||||
private void GenerateUnityGitIgnore() {
|
||||
string path = Path.Combine(Application.dataPath, "../.gitignore");
|
||||
if (!File.Exists(path))
|
||||
{
|
||||
string content = @".idea
|
||||
.vs
|
||||
bin
|
||||
obj
|
||||
*.sln.DotSettings.user
|
||||
/Library
|
||||
/Temp
|
||||
/UserSettings
|
||||
/Configs
|
||||
/*.csproj
|
||||
/*.sln
|
||||
/Logs
|
||||
/Packages/*
|
||||
!/Packages/manifest.json
|
||||
!/Packages/packages-lock.json
|
||||
!/Packages/vpm-manifest.json
|
||||
~UnityDirMonSyncFile~*";
|
||||
File.WriteAllText(path, content);
|
||||
UnityEngine.Debug.Log(".gitignore generated successfully!");
|
||||
}
|
||||
if (!File.Exists(path)) File.WriteAllText(path, ".idea\n.vs\nbin\nobj\n/Library\n/Temp\n/UserSettings\n/Configs\n/*.csproj\n/*.sln\n/Logs\n/Packages/*\n!/Packages/manifest.json\n!/Packages/packages-lock.json\n~UnityDirMonSyncFile~*");
|
||||
}
|
||||
|
||||
public static string RunGitCommand(string arguments)
|
||||
{
|
||||
try
|
||||
private void ExportPackageInventory()
|
||||
{
|
||||
ProcessStartInfo startInfo = new ProcessStartInfo("git", arguments)
|
||||
{
|
||||
WorkingDirectory = Path.GetFullPath(Path.Combine(Application.dataPath, "..")),
|
||||
UseShellExecute = false, RedirectStandardOutput = true, RedirectStandardError = true, CreateNoWindow = true
|
||||
};
|
||||
using (Process p = Process.Start(startInfo)) { p.WaitForExit(); return p.StandardOutput.ReadToEnd(); }
|
||||
string rootPath = Path.GetFullPath(Path.Combine(Application.dataPath, ".."));
|
||||
string outputPath = Path.Combine(rootPath, "PACKAGES.md");
|
||||
|
||||
string unityManifest = Path.Combine(rootPath, "Packages", "manifest.json");
|
||||
string vpmManifest = Path.Combine(rootPath, "Packages", "vpm-manifest.json");
|
||||
|
||||
List<string> mdLines = new List<string>();
|
||||
mdLines.Add("# 📦 Project Dependencies Inventory");
|
||||
mdLines.Add($"\n*Last Update: {System.DateTime.Now:yyyy-MM-dd HH:mm:ss}*");
|
||||
mdLines.Add("\n> [!TIP]\n> This list helps to restore the workspace if the Creator Companion or Unity fails to auto-resolve dependencies.\n");
|
||||
|
||||
int totalFound = 0;
|
||||
|
||||
totalFound += ParseManifest(unityManifest, "Unity Standard & Scoped Dependencies", mdLines);
|
||||
totalFound += ParseManifest(vpmManifest, "VRChat Package Manager (VPM) Dependencies", mdLines);
|
||||
|
||||
try {
|
||||
File.WriteAllLines(outputPath, mdLines, System.Text.Encoding.UTF8);
|
||||
RunGitCommand($"add \"{outputPath}\"");
|
||||
UnityEngine.Debug.Log($"Git-Tool: PACKAGES.md aktualisiert. {totalFound} Einträge gefunden.");
|
||||
} catch (System.Exception e) {
|
||||
UnityEngine.Debug.LogError("Git-Tool: Fehler beim Schreiben der PACKAGES.md: " + e.Message);
|
||||
}
|
||||
}
|
||||
catch { return ""; }
|
||||
|
||||
private int ParseManifest(string path, string sectionTitle, List<string> outputList)
|
||||
{
|
||||
if (!File.Exists(path)) return 0;
|
||||
|
||||
int count = 0;
|
||||
try {
|
||||
string content = File.ReadAllText(path);
|
||||
|
||||
// 1. Finde den Start des "dependencies" Blocks
|
||||
int startIndex = content.IndexOf("\"dependencies\"");
|
||||
if (startIndex == -1) return 0;
|
||||
|
||||
// Finde die erste öffnende Klammer nach dem Wort
|
||||
startIndex = content.IndexOf("{", startIndex);
|
||||
if (startIndex == -1) return 0;
|
||||
|
||||
// 2. Extrahiere exakt diesen Block, indem wir Klammern zählen
|
||||
int openBraces = 0;
|
||||
int endIndex = startIndex;
|
||||
for (int i = startIndex; i < content.Length; i++) {
|
||||
if (content[i] == '{') openBraces++;
|
||||
if (content[i] == '}') {
|
||||
openBraces--;
|
||||
// Sobald wir wieder bei 0 sind, ist der Dependencies-Block geschlossen
|
||||
if (openBraces == 0) {
|
||||
endIndex = i;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (endIndex <= startIndex) return 0;
|
||||
|
||||
// Header nur zeichnen, wenn wir wirklich einen Block haben
|
||||
outputList.Add($"## {sectionTitle}");
|
||||
outputList.Add("| Package Name | Version / Source |");
|
||||
outputList.Add("| :--- | :--- |");
|
||||
|
||||
// Den isolierten Block herauslösen und in Zeilen splitten
|
||||
string dependenciesBlock = content.Substring(startIndex, endIndex - startIndex + 1);
|
||||
string[] blockLines = dependenciesBlock.Split(new[] { '\r', '\n' }, System.StringSplitOptions.RemoveEmptyEntries);
|
||||
|
||||
string currentVpmPackage = "";
|
||||
|
||||
// 3. Den sauberen Block auswerten
|
||||
foreach (string line in blockLines) {
|
||||
string trimmed = line.Trim();
|
||||
|
||||
// Einzelne Klammern können wir ignorieren, da wir eh schon im richtigen Block sind
|
||||
if (trimmed == "{" || trimmed == "}" || trimmed == "},") continue;
|
||||
|
||||
if (trimmed.StartsWith("\"")) {
|
||||
string[] parts = trimmed.Split(new char[] { ':' }, 2);
|
||||
if (parts.Length == 2) {
|
||||
string key = parts[0].Replace("\"", "").Trim();
|
||||
string rawValue = parts[1].Trim();
|
||||
|
||||
if (rawValue.StartsWith("{")) {
|
||||
// VPM Paket Start (z.B. "com.vrchat.base": { )
|
||||
currentVpmPackage = key;
|
||||
}
|
||||
else if (key == "version") {
|
||||
// VPM Paket Version (z.B. "version": "3.10.2")
|
||||
string val = rawValue.Replace("\"", "").Replace(",", "").Trim();
|
||||
if (!string.IsNullOrEmpty(currentVpmPackage)) {
|
||||
outputList.Add($"| `{currentVpmPackage}` | {val} |");
|
||||
count++;
|
||||
currentVpmPackage = "";
|
||||
}
|
||||
}
|
||||
else if (!rawValue.StartsWith("{")) {
|
||||
// Unity Flat Paket (z.B. "com.unity.timeline": "1.2.3")
|
||||
string val = rawValue.Replace("\"", "").Replace(",", "").Trim();
|
||||
outputList.Add($"| `{key}` | {val} |");
|
||||
count++;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch (System.Exception e) {
|
||||
UnityEngine.Debug.LogWarning($"Git-Tool: Warnung beim Lesen von {Path.GetFileName(path)}: {e.Message}");
|
||||
}
|
||||
|
||||
if (count == 0) {
|
||||
outputList.Add("| - | No entries found |");
|
||||
}
|
||||
|
||||
outputList.Add(""); // Leerzeile für sauberes Markdown
|
||||
return count;
|
||||
}
|
||||
|
||||
// FIX: Methode ist wieder static!
|
||||
public static string RunGitCommand(string args, bool logAction = false) {
|
||||
try {
|
||||
ProcessStartInfo si = new ProcessStartInfo("git", args) {
|
||||
WorkingDirectory = Path.GetFullPath(Path.Combine(Application.dataPath, "..")),
|
||||
UseShellExecute = false,
|
||||
RedirectStandardOutput = true,
|
||||
RedirectStandardError = true,
|
||||
CreateNoWindow = true
|
||||
};
|
||||
|
||||
using (Process p = Process.Start(si)) {
|
||||
string o = p.StandardOutput.ReadToEnd();
|
||||
string e = p.StandardError.ReadToEnd();
|
||||
p.WaitForExit();
|
||||
string result = o + (string.IsNullOrWhiteSpace(e) ? "" : "\n" + e);
|
||||
|
||||
if (logAction) {
|
||||
string time = System.DateTime.Now.ToString("HH:mm:ss");
|
||||
string entry = $"[{time}] > git {args}\n";
|
||||
if (!string.IsNullOrWhiteSpace(result)) entry += result.Trim() + "\n\n";
|
||||
|
||||
gitLogOutput = entry + gitLogOutput;
|
||||
if (gitLogOutput.Length > 10000) gitLogOutput = gitLogOutput.Substring(0, 10000);
|
||||
}
|
||||
|
||||
return result;
|
||||
}
|
||||
} catch { return ""; }
|
||||
}
|
||||
}
|
||||
|
||||
public class GitSaveListener : UnityEditor.AssetModificationProcessor
|
||||
{
|
||||
public static string[] OnWillSaveAssets(string[] paths)
|
||||
{
|
||||
EditorApplication.delayCall += () =>
|
||||
{
|
||||
if (EditorWindow.HasOpenInstances<GitPanel>())
|
||||
{
|
||||
EditorWindow.GetWindow<GitPanel>().RefreshData();
|
||||
}
|
||||
};
|
||||
|
||||
return paths;
|
||||
public static string[] OnWillSaveAssets(string[] paths) {
|
||||
EditorApplication.delayCall += () => { if (EditorWindow.HasOpenInstances<GitPanel>()) EditorWindow.GetWindow<GitPanel>("GIT Version Control System").RefreshData(); };
|
||||
return paths;
|
||||
}
|
||||
}
|
||||
218
Editor/LiveSyncPanel.cs
Normal file
218
Editor/LiveSyncPanel.cs
Normal file
@@ -0,0 +1,218 @@
|
||||
using UnityEditor;
|
||||
using UnityEngine;
|
||||
using System;
|
||||
using System.Text;
|
||||
using System.Threading;
|
||||
using System.Net.WebSockets;
|
||||
using System.Threading.Tasks;
|
||||
|
||||
public class LiveSyncPanel : EditorWindow
|
||||
{
|
||||
private string wsUrl = "ws://localhost:8080";
|
||||
private static ClientWebSocket ws;
|
||||
private static bool isConnected = false;
|
||||
private static CancellationTokenSource cts;
|
||||
|
||||
private Transform lastSelected;
|
||||
private bool isNetworkApplying = false;
|
||||
|
||||
[Serializable]
|
||||
private class SyncMessage
|
||||
{
|
||||
public string type;
|
||||
public string objectName;
|
||||
public Vector3 position;
|
||||
public Vector3 eulerAngles;
|
||||
public Vector3 localScale;
|
||||
}
|
||||
|
||||
[MenuItem("Tools/MrUnknownDE/Live Sync Bridge")]
|
||||
public static void ShowWindow()
|
||||
{
|
||||
GetWindow<LiveSyncPanel>("Live Sync Bridge").minSize = new Vector2(320, 350);
|
||||
}
|
||||
|
||||
private void OnEnable()
|
||||
{
|
||||
wsUrl = EditorPrefs.GetString("LiveSync_WS_URL", "ws://localhost:8080");
|
||||
EditorApplication.update += EditorUpdate;
|
||||
Selection.selectionChanged += OnSelectionChanged;
|
||||
}
|
||||
|
||||
private void OnDisable()
|
||||
{
|
||||
EditorApplication.update -= EditorUpdate;
|
||||
Selection.selectionChanged -= OnSelectionChanged;
|
||||
}
|
||||
|
||||
private void OnGUI()
|
||||
{
|
||||
GUILayout.Space(5);
|
||||
|
||||
// --- 🚧 DICK & FETT: WIP WARNING 🚧 ---
|
||||
EditorGUILayout.HelpBox(
|
||||
"🚧 WORK IN PROGRESS 🚧\n\n" +
|
||||
"This feature is highly experimental and in active development!\n" +
|
||||
"Expect bugs, network desyncs, or unexpected behavior.\n\n" +
|
||||
"ALWAYS backup your project before starting a Live Session!",
|
||||
MessageType.Warning);
|
||||
|
||||
GUILayout.Space(10);
|
||||
GUILayout.Label("REAL-TIME MULTI-USER SYNC", EditorStyles.boldLabel);
|
||||
GUILayout.Space(10);
|
||||
|
||||
EditorGUI.BeginChangeCheck();
|
||||
wsUrl = EditorGUILayout.TextField("WebSocket Server:", wsUrl);
|
||||
if (EditorGUI.EndChangeCheck())
|
||||
{
|
||||
EditorPrefs.SetString("LiveSync_WS_URL", wsUrl);
|
||||
}
|
||||
|
||||
GUILayout.Space(15);
|
||||
|
||||
if (!isConnected)
|
||||
{
|
||||
GUI.backgroundColor = new Color(0.2f, 0.6f, 0.2f);
|
||||
if (GUILayout.Button("🔌 Connect Session", GUILayout.Height(40))) Connect();
|
||||
}
|
||||
else
|
||||
{
|
||||
GUI.backgroundColor = new Color(0.8f, 0.3f, 0.3f);
|
||||
if (GUILayout.Button("🛑 Disconnect", GUILayout.Height(40))) Disconnect();
|
||||
|
||||
GUILayout.Space(15);
|
||||
EditorGUILayout.HelpBox("🟢 Connected!\nTransforms are tracked in real-time.\nListening for Git updates...", MessageType.Info);
|
||||
}
|
||||
GUI.backgroundColor = Color.white;
|
||||
}
|
||||
|
||||
private async void Connect()
|
||||
{
|
||||
if (ws != null && ws.State == WebSocketState.Open) return;
|
||||
|
||||
ws = new ClientWebSocket();
|
||||
cts = new CancellationTokenSource();
|
||||
|
||||
try
|
||||
{
|
||||
await ws.ConnectAsync(new Uri(wsUrl), cts.Token);
|
||||
isConnected = true;
|
||||
UnityEngine.Debug.Log("Live Sync: Connected to Server!");
|
||||
|
||||
_ = ReceiveLoop();
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
UnityEngine.Debug.LogError("Live Sync: Connection failed. Is the server running? " + e.Message);
|
||||
}
|
||||
}
|
||||
|
||||
private async void Disconnect()
|
||||
{
|
||||
if (ws != null)
|
||||
{
|
||||
cts?.Cancel();
|
||||
if (ws.State == WebSocketState.Open) await ws.CloseAsync(WebSocketCloseStatus.NormalClosure, "Client disconnecting", CancellationToken.None);
|
||||
ws.Dispose();
|
||||
}
|
||||
isConnected = false;
|
||||
UnityEngine.Debug.Log("Live Sync: Disconnected.");
|
||||
}
|
||||
|
||||
private void EditorUpdate()
|
||||
{
|
||||
if (!isConnected || isNetworkApplying) return;
|
||||
|
||||
if (lastSelected != null && lastSelected.hasChanged)
|
||||
{
|
||||
SyncMessage msg = new SyncMessage
|
||||
{
|
||||
type = "TRANSFORM",
|
||||
objectName = lastSelected.name,
|
||||
position = lastSelected.position,
|
||||
eulerAngles = lastSelected.eulerAngles,
|
||||
localScale = lastSelected.localScale
|
||||
};
|
||||
|
||||
SendMessage(JsonUtility.ToJson(msg));
|
||||
lastSelected.hasChanged = false;
|
||||
}
|
||||
}
|
||||
|
||||
private void OnSelectionChanged()
|
||||
{
|
||||
if (Selection.activeTransform != null)
|
||||
{
|
||||
lastSelected = Selection.activeTransform;
|
||||
lastSelected.hasChanged = false;
|
||||
}
|
||||
}
|
||||
|
||||
public static void BroadcastGitUpdate()
|
||||
{
|
||||
if (!isConnected || ws == null || ws.State != WebSocketState.Open) return;
|
||||
|
||||
SyncMessage msg = new SyncMessage { type = "GIT_PULL" };
|
||||
SendMessage(JsonUtility.ToJson(msg));
|
||||
UnityEngine.Debug.Log("Live Sync: Broadcasted Git Update signal to team.");
|
||||
}
|
||||
|
||||
private static async void SendMessage(string json)
|
||||
{
|
||||
if (ws == null || ws.State != WebSocketState.Open) return;
|
||||
byte[] bytes = Encoding.UTF8.GetBytes(json);
|
||||
await ws.SendAsync(new ArraySegment<byte>(bytes), WebSocketMessageType.Text, true, cts.Token);
|
||||
}
|
||||
|
||||
private async Task ReceiveLoop()
|
||||
{
|
||||
byte[] buffer = new byte[2048];
|
||||
while (ws.State == WebSocketState.Open)
|
||||
{
|
||||
try
|
||||
{
|
||||
var result = await ws.ReceiveAsync(new ArraySegment<byte>(buffer), cts.Token);
|
||||
if (result.MessageType == WebSocketMessageType.Text)
|
||||
{
|
||||
string json = Encoding.UTF8.GetString(buffer, 0, result.Count);
|
||||
EditorApplication.delayCall += () => ProcessIncoming(json);
|
||||
}
|
||||
}
|
||||
catch { break; }
|
||||
}
|
||||
isConnected = false;
|
||||
}
|
||||
|
||||
private void ProcessIncoming(string json)
|
||||
{
|
||||
try
|
||||
{
|
||||
SyncMessage msg = JsonUtility.FromJson<SyncMessage>(json);
|
||||
|
||||
if (msg.type == "TRANSFORM")
|
||||
{
|
||||
GameObject target = GameObject.Find(msg.objectName);
|
||||
if (target != null)
|
||||
{
|
||||
isNetworkApplying = true;
|
||||
target.transform.position = msg.position;
|
||||
target.transform.eulerAngles = msg.eulerAngles;
|
||||
target.transform.localScale = msg.localScale;
|
||||
target.transform.hasChanged = false;
|
||||
isNetworkApplying = false;
|
||||
}
|
||||
}
|
||||
else if (msg.type == "GIT_PULL")
|
||||
{
|
||||
UnityEngine.Debug.LogWarning("Live Sync: Teammate pushed new files! Starting auto-pull...");
|
||||
GitPanel.RunGitCommand("pull --rebase origin HEAD");
|
||||
AssetDatabase.Refresh();
|
||||
UnityEngine.Debug.Log("Live Sync: Auto-pull complete. Files updated.");
|
||||
}
|
||||
}
|
||||
catch (Exception e)
|
||||
{
|
||||
UnityEngine.Debug.LogWarning("Live Sync: Failed to parse incoming message. " + e.Message);
|
||||
}
|
||||
}
|
||||
}
|
||||
84
README.md
84
README.md
@@ -1,27 +1,73 @@
|
||||
# 🛠️ Unity Git Control Tool (VRChat Ready)
|
||||
# 🛠️ MrUnknownDE VRChat Unity Tools
|
||||
|
||||
A lightweight, integrated Source Control Panel built directly into Unity. Designed to eliminate the constant context-switching between the Unity Editor and external command-line tools. Perfectly tailored for VRChat World Creators and developers who want to maintain clean version control without the bloat.
|
||||
Welcome to the **MrUnknownDE VRChat Unity Tools** repository. This is a collection of customized, lightweight, and high-performance Unity Editor tools designed specifically to improve the workflow of VRChat World Creators.
|
||||
|
||||
## ✨ Features
|
||||
- **One-Click Init:** Initializes a new repository and automatically generates a clean Unity `.gitignore` file.
|
||||
Instead of dealing with standalone applications or command-line interfaces, these tools bring essential DevOps and social features directly into your Unity Editor.
|
||||
|
||||
---
|
||||
|
||||
## 📦 Current Tools in this Package
|
||||
|
||||
### 1. Git Version Control System
|
||||
A fully integrated Source Control Panel built directly into Unity. No more context-switching between the editor and external Git clients.
|
||||
- **Smart Initialization:** Enter a Gitea/GitHub remote URL, and the tool will automatically handle the `init`, branch setup, and pull/merge existing server data before pushing your local project.
|
||||
- **VS Code Style Interface:** Compact overview of modified, added, deleted, and untracked files.
|
||||
- **Auto-Timestamp Commits:** If you don't provide a custom commit message, the tool gracefully falls back to a clean timestamp format.
|
||||
- **Interactive File Explorer:** - `Single Click` on a file -> Pings and focuses the asset in the Unity Project View.
|
||||
- `Double Click` on a file -> Opens the built-in Code Diff Viewer right inside the Editor.
|
||||
- **History View:** Browse your latest commits. Click any commit to open it directly in your remote web view (Gitea, GitHub, GitLab).
|
||||
- **Auto-Save Hook:** Pressing `CTRL+S` in Unity or changing focus automatically refreshes the Git status.
|
||||
- **Timestamp Commits:** If you don't provide a custom commit message, the tool gracefully falls back to a clean timestamp format.
|
||||
- **Interactive File Explorer:** Double-click any file to open the built-in Code Diff Viewer right inside the Editor.
|
||||
- **Revert (Panic Button):** Easily discard all uncommitted changes if an experiment goes wrong.
|
||||
|
||||
## 🛠️ Manual Installation
|
||||
1. Download the latest version as a `.zip` archive.
|
||||
2. Extract the folder.
|
||||
3. Place the folder directly into your Unity project's `Packages` directory.
|
||||
*Alternative:* Copy the `.cs` files from the `Editor` folder into any `Editor` folder inside your `Assets` directory.
|
||||
### 2. Discord Rich Presence (RPC)
|
||||
Let your community know what you are working on without saying a word.
|
||||
- **Live Status:** Shows your current active Unity scene directly on your Discord profile.
|
||||
- **Privacy Mode:** Hide the scene name if you are working on an unannounced or secret project.
|
||||
- **Custom Status:** Add custom text (e.g., "Baking Lightmaps..." or "Writing Udon Scripts") to your Discord activity.
|
||||
|
||||
---
|
||||
|
||||
## ⚖️ ⚠️ Achtung: Law & Order (The German Way)
|
||||
|
||||
Now it's getting serious—or as we say in Germany: **"Jetzt wird es deutsch!"** 🇩🇪
|
||||
|
||||
### The "Assets Folder" Rule
|
||||
Listen up, because the German Copyright Law (*Urheberrechtsgesetz*) doesn't take jokes lightly.
|
||||
|
||||
**DO NOT upload your paid Assets, Store-bought Plugins, or copyrighted Prefabs into a PUBLIC Repository.** If you distribute copyrighted material from creators without permission:
|
||||
- **Civil Law:** You could face fines (Schadensersatz) that will make your bank account cry.
|
||||
- **Criminal Law:** According to § 106 UrhG, unauthorized exploitation of copyrighted works can lead to **up to 3 years in prison** or heavy fines.
|
||||
|
||||
**Pro-Tip:** Always use a **Private Repository** (e.g., on a private Gitea server or a private GitHub repo) if your project contains paid assets. Your wallet and your freedom will thank you. Don't let the "Abmahnanwalt" be your first beta tester ;)
|
||||
|
||||
---
|
||||
|
||||
## 🚀 Installation
|
||||
|
||||
This tool is installed manually directly into your Unity project.
|
||||
|
||||
### Direct Folder Drop
|
||||
1. Download the latest `mrunknownde-vcc-tools-v20xx-xx-xx.zip` release.
|
||||
2. Extract the archive.
|
||||
3. Drag and drop the extracted folder directly into the `Assets` directory inside your Unity project's root folder (using Windows Explorer / File Explorer, not inside the Unity Editor window). Unity will automatically compile the tools.
|
||||
|
||||
---
|
||||
|
||||
## 🕹️ Usage
|
||||
Once installed, open the tool via the top menu bar in Unity:
|
||||
`Tools` -> `Git-Tool`
|
||||
|
||||
A floating window will appear. You can easily dock this window into your custom layout (e.g., right next to the Inspector).
|
||||
Once installed, you can access the tools via the top menu bar in Unity:
|
||||
|
||||
## ⚠️ Prerequisites
|
||||
- **Git** must be installed on your system and added to your global environment variables (`PATH`).
|
||||
- For automatic pushes to Gitea/GitHub to work seamlessly, you should have **SSH keys** or cached credentials configured. Unity cannot intercept terminal password prompts.
|
||||
`Tools` -> `MrUnknownDE` -> `GIT Version Control`<br>
|
||||
`Tools` -> `MrUnknownDE` -> `Discord RPC`
|
||||
|
||||
The tools will open as floating windows. You can easily dock them into your custom Unity layout (e.g., right next to the Inspector or Console).
|
||||
|
||||
---
|
||||
|
||||
## ⚠️ Prerequisites & Troubleshooting
|
||||
|
||||
- **Git Installation:** You must have Git installed on your Windows machine. If the tool does not detect Git, it will provide a download link within the Unity UI.
|
||||
- **Environment Variables:** If you just installed Git, **you must completely restart Unity Hub and the Unity Editor** so Windows can load the new `PATH` variables.
|
||||
- **Authentication:** For automatic pushes to remote servers (Gitea/GitHub) to work seamlessly, ensure you have SSH keys or cached Git credentials configured on your system. Unity cannot intercept terminal password prompts.
|
||||
|
||||
---
|
||||
|
||||
*Built with ❤️ for the VRChat Community.*
|
||||
|
||||
Reference in New Issue
Block a user