」工欲善其事,必先利其器。「—孔子《論語.錄靈公》
首頁 > 程式設計 > 使用腳本的超強大 Git 別名

使用腳本的超強大 Git 別名

發佈於2024-11-08
瀏覽:311

Superpowered Git Aliases using Scripting

什么是 Git 别名

Git 别名的工作方式与 shell 中的常规别名类似,但它们特定于 Git 命令。它们允许您为较长的命令创建快捷方式或创建默认情况下不可用的新命令。

别名与其他 git 命令在相同的 shell 环境中运行,主要用于简化常见工作流程。

简单别名

简单别名使用一组参数调用单个 Git 命令。例如,您可以创建一个别名来显示存储库的状态,方法是使用 s 别名运行 git status:

[alias]
  s = status

然后您可以运行 git 来显示存储库的状态。因为我们在 ~/.gitconfig 中配置了别名,所以它可用于系统上的所有存储库。

更复杂的别名

您还可以创建运行任意 shell 命令的 git 别名。为此,别名需要以 ! 开头。这告诉 git 执行别名,就好像它不是 git 子命令一样。例如,如果您想依次运行两个 git 命令,您可以创建一个运行 shell 命令的别名:

[alias]
  my-alias = !git fetch && git rebase origin/master

当您运行 git my-alias 时,此别名按顺序运行 git fetch 和 git rebase origin/main。

git 别名的一个限制是它们不能设置为多行值。这意味着对于更复杂的别名,您需要缩小它们。

此外,在 INI 文件中,;字符用于注释掉该行的其余部分。这意味着您不能使用 ;在您的别名命令中。

这两个限制可能会使使用标准 git 别名语法创建更复杂的别名变得困难,但仍然可以完成。例如,使用 if 进行分支的别名可能如下所示:

[alias]
  branch-if = !bash -c "'!f() { if [ -z \"$1\" ]; then echo \"Usage: git branch-if \"; else git checkout -b $1; fi; }; f'"

这些限制使得创建和维护其中包含任何形式的控制流的别名变得更加复杂。这就是脚本的用武之地。

使用脚本设置别名

您可以使用您喜欢的任何编程语言编写 gitalias 脚本。如果您熟悉 bash 脚本并希望使用它,则可以创建一个运行所需 git 命令的 bash 脚本。事实上,我对 JavaScript 的掌握要强得多,所以我会使用 JavaScript。

另一个主要好处是,通过使用脚本语言,您的别名可以更轻松地获取和操作参数。 Git 会将您在 CLI 上传递的任何参数转发到您的别名,并将其附加到命令末尾。因此,您的脚本应该能够毫无问题地读取它们。例如,在 Node JS 中,您可以直接在 process.argv. 上访问传递给脚本的参数。

设置此功能的基本步骤不会根据所选语言而改变。您需要:

    创建一个运行所需 git 命令的脚本
  • 编写运行脚本的别名
案例研究:Rebase Main / master

近年来,新存储库的默认分支名称已从 master 更改为 main。这意味着当您克隆新存储库时,默认分支可能是 main 而不是 master。由于生态系统正在转型,不再有超级一致的名称。总的来说,这是一件好事,但这意味着我们上面的 rebase 别名并不在所有情况下都有效。

我们需要更新别名来检查分支是 main 还是 master,然后重新设置正确的分支。这是脚本的完美用例。


#!/usr/bin/env 节点 const { execSync } = require('child_process'); // 我们希望运行一些命令,并且在它们失败时不会立即失败 函数 tryExec(命令) { 尝试 { 返回 { 状态:0 标准输出:execSync(命令); } } 捕获(错误){ 返回 { 状态:错误.状态, 标准输出:错误.标准输出, stderr: 错误.stderr, } } } 函数 getOriginRemoteName() { const { stdout, 代码 } = tryExec("git Remote", true); 如果(代码!== 0){ throw new Error("无法获取远程名称。\n" stdout); } // 如果有上游遥控器,则使用它,否则使用 origin 返回 stdout.includes("upstream") ? “上游”:“起源”; } // --verify 如果分支存在则返回代码 0,如果不存在则返回代码 1 const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0; // 如果 main 存在,我们要对 main 进行变基,否则对 master 进行变基 const 分支 = hasMain ? '主要':'主'; const 远程 = getOriginRemoteName() // 使用远程的最新更改更新本地分支 execSync(`git fetch ${remote} ${branch}`, {stdio: '继承'}); // 将当前分支变基到远程分支之上 execSync(`git rebase ${remote}/${branch}`, {stdio: '继承'});
#!/usr/bin/env node

const { execSync } = require('child_process');

// We want to run some commands and not immediately fail if they fail
function tryExec(command) {
  try {
    return {
      status: 0
      stdout: execSync(command);
    }
  } catch (error) {
    return {
      status: error.status,
      stdout: error.stdout,
      stderr: error.stderr,
    }
  }
}

function getOriginRemoteName() {
  const { stdout, code } = tryExec("git remote", true);
  if (code !== 0) {
    throw new Error("Failed to get remote name. \n"   stdout);
  }
  // If there is an upstream remote, use that, otherwise use origin
  return stdout.includes("upstream") ? "upstream" : "origin";
}

// --verify returns code 0 if the branch exists, 1 if it does not
const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0;

// If main is present, we want to rebase main, otherwise rebase master
const branch = hasMain ? 'main' : 'master';

const remote = getOriginRemoteName()

// Updates the local branch with the latest changes from the remote
execSync(`git fetch ${remote} ${branch}`, {stdio: 'inherit'});
// Rebases the current branch on top of the remote branch
execSync(`git rebase ${remote}/${branch}`, {stdio: 'inherit'});
目前,要运行脚本,我们需要运行node ~/gitaliases/git-rebase-main.js。这并不理想,也不是你会养成的习惯。我们可以通过创建运行脚本的 git 别名来使这变得更容易。


[别名] rebase-main = !node ~/gitaliases/git-rebase-main.js
#!/usr/bin/env node

const { execSync } = require('child_process');

// We want to run some commands and not immediately fail if they fail
function tryExec(command) {
  try {
    return {
      status: 0
      stdout: execSync(command);
    }
  } catch (error) {
    return {
      status: error.status,
      stdout: error.stdout,
      stderr: error.stderr,
    }
  }
}

function getOriginRemoteName() {
  const { stdout, code } = tryExec("git remote", true);
  if (code !== 0) {
    throw new Error("Failed to get remote name. \n"   stdout);
  }
  // If there is an upstream remote, use that, otherwise use origin
  return stdout.includes("upstream") ? "upstream" : "origin";
}

// --verify returns code 0 if the branch exists, 1 if it does not
const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0;

// If main is present, we want to rebase main, otherwise rebase master
const branch = hasMain ? 'main' : 'master';

const remote = getOriginRemoteName()

// Updates the local branch with the latest changes from the remote
execSync(`git fetch ${remote} ${branch}`, {stdio: 'inherit'});
// Rebases the current branch on top of the remote branch
execSync(`git rebase ${remote}/${branch}`, {stdio: 'inherit'});
现在您可以运行 git rebase-main 来重新设置正确的分支,无论它是 main 还是 master。

案例研究:修改

我在所有机器上设置的另一个别名是修改最后一次提交。这对我来说是一个非常常见的工作流程,我喜欢将其作为单个命令。这是脚本的一个很好的用例,因为它是一个我想经常运行的简单命令。


#!/usr/bin/env 节点 // 用法:git amend [undo] const tryExec = require('./utils/try-exec'); 异步函数 getBranchesPointingAtHead() { const { stdout, code } = wait tryExec('git 分支 --points-at HEAD', true); 如果(代码!== 0){ throw new Error('无法获取指向 HEAD 的分支。\n' stdout); } return stdout.split('\n').filter(Boolean); } (异步()=> { const 分支 = 等待 getBranchesPointingAtHead(); if (branches.length !== 1) { 控制台.log( “当前提交被其他分支依赖,避免修改它。” ); 进程.退出(1); } if (process.argv[2] === '撤消') { 等待 tryExec('git reset --soft HEAD@{1}'); } 别的 { 等待 tryExec('git commit --amend --no-edit'); } })();
#!/usr/bin/env node

const { execSync } = require('child_process');

// We want to run some commands and not immediately fail if they fail
function tryExec(command) {
  try {
    return {
      status: 0
      stdout: execSync(command);
    }
  } catch (error) {
    return {
      status: error.status,
      stdout: error.stdout,
      stderr: error.stderr,
    }
  }
}

function getOriginRemoteName() {
  const { stdout, code } = tryExec("git remote", true);
  if (code !== 0) {
    throw new Error("Failed to get remote name. \n"   stdout);
  }
  // If there is an upstream remote, use that, otherwise use origin
  return stdout.includes("upstream") ? "upstream" : "origin";
}

// --verify returns code 0 if the branch exists, 1 if it does not
const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0;

// If main is present, we want to rebase main, otherwise rebase master
const branch = hasMain ? 'main' : 'master';

const remote = getOriginRemoteName()

// Updates the local branch with the latest changes from the remote
execSync(`git fetch ${remote} ${branch}`, {stdio: 'inherit'});
// Rebases the current branch on top of the remote branch
execSync(`git rebase ${remote}/${branch}`, {stdio: 'inherit'});
这个脚本比上一个脚本稍微复杂一些,因为它有一些控制流。它将检查当前提交是否被其他分支依赖,如果是,则会错误退出。这是为了防止您修改其他分支所依赖的提交,因为这样做会在尝试合并依赖于该提交的分支时导致问题。

设置别名可以使用之前相同的方法:


[别名] 修改 = !node ~/gitaliases/git-amend.js
#!/usr/bin/env node

const { execSync } = require('child_process');

// We want to run some commands and not immediately fail if they fail
function tryExec(command) {
  try {
    return {
      status: 0
      stdout: execSync(command);
    }
  } catch (error) {
    return {
      status: error.status,
      stdout: error.stdout,
      stderr: error.stderr,
    }
  }
}

function getOriginRemoteName() {
  const { stdout, code } = tryExec("git remote", true);
  if (code !== 0) {
    throw new Error("Failed to get remote name. \n"   stdout);
  }
  // If there is an upstream remote, use that, otherwise use origin
  return stdout.includes("upstream") ? "upstream" : "origin";
}

// --verify returns code 0 if the branch exists, 1 if it does not
const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0;

// If main is present, we want to rebase main, otherwise rebase master
const branch = hasMain ? 'main' : 'master';

const remote = getOriginRemoteName()

// Updates the local branch with the latest changes from the remote
execSync(`git fetch ${remote} ${branch}`, {stdio: 'inherit'});
// Rebases the current branch on top of the remote branch
execSync(`git rebase ${remote}/${branch}`, {stdio: 'inherit'});
现在您可以运行 git amend 来修改最后一次提交,或者运行 git amend undo 来撤消最后一次修改。这是我最初在 gitconfig 中内联编写的脚本,但随着它变得越来越复杂,我将其移至脚本文件中。这是管理别名复杂性的好方法。为了比较,这里是原始别名:


[别名] amend = !bash -c "'f() { if [ $(gitbranch --points-at HEAD | wc -l) != 1 ]; then echo 当前提交被其他分支依赖,避免修改。退出 1; if [ \"$0\" = "undo" ]; 然后 git reset --soft \"HEAD@{1}\"; else git commit --amend --no-edit f; ’”
#!/usr/bin/env node

const { execSync } = require('child_process');

// We want to run some commands and not immediately fail if they fail
function tryExec(command) {
  try {
    return {
      status: 0
      stdout: execSync(command);
    }
  } catch (error) {
    return {
      status: error.status,
      stdout: error.stdout,
      stderr: error.stderr,
    }
  }
}

function getOriginRemoteName() {
  const { stdout, code } = tryExec("git remote", true);
  if (code !== 0) {
    throw new Error("Failed to get remote name. \n"   stdout);
  }
  // If there is an upstream remote, use that, otherwise use origin
  return stdout.includes("upstream") ? "upstream" : "origin";
}

// --verify returns code 0 if the branch exists, 1 if it does not
const hasMain = tryExec('git show-ref --verify refs/heads/main').status === 0;

// If main is present, we want to rebase main, otherwise rebase master
const branch = hasMain ? 'main' : 'master';

const remote = getOriginRemoteName()

// Updates the local branch with the latest changes from the remote
execSync(`git fetch ${remote} ${branch}`, {stdio: 'inherit'});
// Rebases the current branch on top of the remote branch
execSync(`git rebase ${remote}/${branch}`, {stdio: 'inherit'});
这个脚本也可以提取到 .sh 文件中,但是将内容保留在节点中可以减轻我个人的维护负担。过去,每当我需要更新此别名时,我都必须将其粘贴到 bash linter 中,进行更改,缩小它,然后将其粘贴回我的 gitconfig 中。这很痛苦,因此我经常避免更新别名。现在它位于脚本文件中,我可以像任何其他脚本一样更新它。

一些注意事项

将别名设置为脚本可以解锁 git 别名的全新功能。不过,执行此操作时需要注意一些事项。

像这样设置别名时,请务必记住脚本的 cwd 将是运行脚本的 shell 的当前工作目录。脚本中的任何相对文件路径都将被视为相对于 shell 的 cwd,而不是脚本的位置。这有时非常有用,但有时却非常痛苦。对于我们的 rebase-main 脚本来说,这不是问题,发生这种情况的唯一迹象是我们在文件路径中使用 ~ 将脚本位置引用为绝对路径。

将脚本引入您的 git 别名也可以让您向别名添加越来越多的逻辑。这会使它们更难维护和理解,但也更难记住。不值得维护一个超级复杂的别名,因为无论如何你都不太可能使用它。此外,您应该小心,不要引入任何可能需要很长时间才能遇到别名的内容。如果您正在运行一个需要很长时间才能运行的脚本,您可能需要考虑它是否适合它。

结论

我希望这篇文章向您展示了在 git 别名中编写脚本的强大功能。通过使用脚本,您可以创建更复杂、更易于维护和理解的别名。这可以使您的 git 工作流程更加高效和愉快。有关 git 别名的更多示例,您可以查看我的 dotfiles 项目。它包含我在所有计算机上保留的大量配置,包括我的 git 别名。

版本聲明 本文轉載於:https://dev.to/agentender/superpowered-git-aliases-using-scripting-4odf?1如有侵犯,請聯絡[email protected]刪除
最新教學 更多>
  • 如何在 PHP 中組合兩個關聯數組,同時保留唯一 ID 並處理重複名稱?
    如何在 PHP 中組合兩個關聯數組,同時保留唯一 ID 並處理重複名稱?
    在 PHP 中組合關聯數組在 PHP 中,將兩個關聯數組組合成一個數組是常見任務。考慮以下請求:問題描述:提供的代碼定義了兩個關聯數組,$array1 和 $array2。目標是建立一個新陣列 $array3,它合併兩個陣列中的所有鍵值對。 此外,提供的陣列具有唯一的 ID,而名稱可能重疊。要求是建...
    程式設計 發佈於2024-12-29
  • 插入資料時如何修復「常規錯誤:2006 MySQL 伺服器已消失」?
    插入資料時如何修復「常規錯誤:2006 MySQL 伺服器已消失」?
    插入記錄時如何解決「一般錯誤:2006 MySQL 伺服器已消失」介紹:將資料插入MySQL 資料庫有時會導致錯誤「一般錯誤:2006 MySQL 伺服器已消失」。當與伺服器的連線遺失時會出現此錯誤,通常是由於 MySQL 配置中的兩個變數之一所致。 解決方案:解決此錯誤的關鍵是調整wait_tim...
    程式設計 發佈於2024-12-29
  • Bootstrap 4 Beta 中的列偏移發生了什麼事?
    Bootstrap 4 Beta 中的列偏移發生了什麼事?
    Bootstrap 4 Beta:列偏移的刪除和恢復Bootstrap 4 在其Beta 1 版本中引入了重大更改柱子偏移了。然而,隨著 Beta 2 的後續發布,這些變化已經逆轉。 從 offset-md-* 到 ml-auto在 Bootstrap 4 Beta 1 中, offset-md-*...
    程式設計 發佈於2024-12-29
  • 在 Go 中使用 WebSocket 進行即時通信
    在 Go 中使用 WebSocket 進行即時通信
    构建需要实时更新的应用程序(例如聊天应用程序、实时通知或协作工具)需要一种比传统 HTTP 更快、更具交互性的通信方法。这就是 WebSockets 发挥作用的地方!今天,我们将探讨如何在 Go 中使用 WebSocket,以便您可以向应用程序添加实时功能。 在这篇文章中,我们将介绍: WebSoc...
    程式設計 發佈於2024-12-29
  • 大批
    大批
    方法是可以在物件上呼叫的 fns 數組是對象,因此它們在 JS 中也有方法。 slice(begin):將陣列的一部分提取到新數組中,而不改變原始數組。 let arr = ['a','b','c','d','e']; // Usecase: Extract till index ...
    程式設計 發佈於2024-12-29
  • HTML 格式標籤
    HTML 格式標籤
    HTML 格式化元素 **HTML Formatting is a process of formatting text for better look and feel. HTML provides us ability to format text without us...
    程式設計 發佈於2024-12-29
  • 儘管程式碼有效,為什麼 POST 請求無法擷取 PHP 中的輸入?
    儘管程式碼有效,為什麼 POST 請求無法擷取 PHP 中的輸入?
    解決PHP 中的POST 請求故障在提供的程式碼片段中:action=''而非:action="<?php echo $_SERVER['PHP_SELF'];?>";?>"檢查$_POST陣列:表單提交後使用 var_dump 檢查 $_POST 陣列的內...
    程式設計 發佈於2024-12-29
  • 如何在 Python 中檢查 NaN(不是數字)?
    如何在 Python 中檢查 NaN(不是數字)?
    檢查 NaN(不是數字)在 Python 中,NaN(不是數字)由 float('nan') 表示。它用於表示無法表示為實數的值。若要檢查值是否為 NaN,請使用 math.isnan 函數。 範例:import math x = float('nan') if math.isnan...
    程式設計 發佈於2024-12-29
  • 如何在 React 中有條件地應用類別屬性?
    如何在 React 中有條件地應用類別屬性?
    在React 中有條件地應用類別屬性在React 中,根據從父組件傳遞的props 來顯示或隱藏元素是很常見的。為此,您可以有條件地應用 CSS 類別。然而,當使用語法 {this.props.condition ? 'show' : 'hidden'} 直接在字串中...
    程式設計 發佈於2024-12-28
  • 如何在Java中執行系統命令並與其他應用程式互動?
    如何在Java中執行系統命令並與其他應用程式互動?
    Java 中運行進程在 Java 中,啟動進程的能力是執行系統命令和與其他應用程式互動的關鍵功能。為了啟動一個流程,Java提供了一個相當於.Net System.Diagnostics.Process.Start方法。 解決方案:取得本地路徑對於執行至關重要Java 中的程序。幸運的是,Java ...
    程式設計 發佈於2024-12-28
  • 如何在 C++ 中建立多行字串文字?
    如何在 C++ 中建立多行字串文字?
    C 中的多行字串文字 在 C 中,定義多行字串文字並不像 Perl 等其他語言那麼簡單。但是,您可以使用一些技術來實現此目的:連接字串文字一種方法是利用 C 中相鄰字串文字由編譯器連接的事實。將字串分成多行,您可以建立單一多行字串:const char *text = "This te...
    程式設計 發佈於2024-12-28
  • 如何準確地透視具有不同記錄的資料以避免遺失資訊?
    如何準確地透視具有不同記錄的資料以避免遺失資訊?
    有效地透視不同記錄透視查詢在將資料轉換為表格格式、實現輕鬆資料分析方面發揮著至關重要的作用。但是,在處理不同記錄時,資料透視查詢的預設行為可能會出現問題。 問題:忽略不同值考慮下表:------------------------------------------------------ | Id...
    程式設計 發佈於2024-12-27
  • 為什麼 C 和 C++ 忽略函式簽章中的陣列長度?
    為什麼 C 和 C++ 忽略函式簽章中的陣列長度?
    將陣列傳遞給C 和C 中的函數問題:為什麼C和C 編譯器允許在函數簽章中宣告數組長度,例如int dis(char a[1])(當它們不允許時)強制執行? 答案:C 和C 中用於將數組傳遞給函數的語法是歷史上的奇怪現象,它允許將指針傳遞給第一個元素詳細說明:在C 和C 中,數組不是透過函數的引用傳遞...
    程式設計 發佈於2024-12-26
  • 如何刪除 MySQL 中的重音符號以改進自動完成搜尋?
    如何刪除 MySQL 中的重音符號以改進自動完成搜尋?
    在MySQL 中刪除重音符號以實現高效的自動完成搜尋管理大型地名資料庫時,確保準確和高效至關重要資料檢索。使用自動完成功能時,地名中的重音可能會帶來挑戰。為了解決這個問題,一個自然的問題出現了:如何在 MySQL 中刪除重音符號以改善自動完成功能? 解決方案在於為資料庫列使用適當的排序規則設定。透過...
    程式設計 發佈於2024-12-26
  • 如何在MySQL中實作複合外鍵?
    如何在MySQL中實作複合外鍵?
    在 SQL 中實作複合外鍵一個常見的資料庫設計涉及使用複合鍵在表之間建立關係。複合鍵是多個列的組合,唯一標識表中的記錄。在這個場景中,你有兩個表,tutorial和group,你需要將tutorial中的複合唯一鍵連結到group中的欄位。 根據MySQL文檔,MySQL支援外鍵對應到複合鍵。但是,...
    程式設計 發佈於2024-12-26

免責聲明: 提供的所有資源部分來自互聯網,如果有侵犯您的版權或其他權益,請說明詳細緣由並提供版權或權益證明然後發到郵箱:[email protected] 我們會在第一時間內為您處理。

Copyright© 2022 湘ICP备2022001581号-3