git-worktree

Git Worktree Management Skill

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "git-worktree" with this command: npx skills add codemie-ai/codemie-code/codemie-ai-codemie-code-git-worktree

Git Worktree Management Skill

This skill helps you manage git worktrees efficiently. Git worktrees allow you to check out multiple branches simultaneously in different directories, which is useful for:

  • Working on multiple features in parallel

  • Testing different branches without losing work-in-progress

  • Reviewing code while continuing development

  • Quick bug fixes on main while working on a feature branch

⚠️ CRITICAL: Proactive Branch Protection Workflow

MANDATORY RULE: Before starting ANY development work, always check the current branch to prevent accidental commits to main/master.

When to Apply This Workflow

Trigger this workflow proactively when the user requests ANY development task:

  • Implementing features ("add feature X", "build component Y")

  • Fixing bugs ("fix this bug", "resolve the error")

  • Writing or modifying code ("update this file", "refactor the code")

  • Making changes to the codebase ("change the logic", "improve performance")

Branch Protection Steps

Check Current Branch

git branch --show-current

If on main/master/develop branch

  • STOP immediately before making any code changes

  • Inform the user: "⚠️ You're currently on the [branch-name] branch. To protect the main branch from accidental commits, I recommend creating a feature branch worktree for this work."

  • Ask: "Would you like me to create a feature branch worktree? (y/n)"

If User Agrees (or automatically proceed)

  • Ask for branch name if not provided: "What would you like to name the branch? (e.g., feat/add-login, fix/button-crash)"

  • Generate appropriate branch prefix following commitlint conventional commit types:

  • feat/: New features (e.g., feat/user-authentication )

  • fix/: Bug fixes (e.g., fix/login-error )

  • refactor/: Code refactoring (e.g., refactor/auth-module )

  • perf/: Performance improvements (e.g., perf/optimize-queries )

  • docs/: Documentation changes (e.g., docs/api-guide )

  • style/: Code style/formatting (e.g., style/eslint-fixes )

  • test/: Adding or updating tests (e.g., test/auth-coverage )

  • chore/: Maintenance tasks (e.g., chore/update-deps )

  • ci/: CI/CD changes (e.g., ci/github-actions )

  • build/: Build system changes (e.g., build/webpack-config )

  • Create the worktree using the workflow below

  • Switch to the new worktree

  • Confirm: "✓ Switched to branch worktree at [path]. Ready to proceed with development."

If User Declines

  • Warn: "⚠️ Proceeding on [branch-name] branch. Please be careful with commits."

  • Continue with the requested work

Quick Worktree Creation Workflow

When creating a feature branch worktree:

1. Get repository name

REPO_NAME=$(basename "$(git rev-parse --show-toplevel)")

2. Get and sanitize branch name

BRANCH_NAME="feat/new-feature" # User provided or generated with commitlint prefix SANITIZED_BRANCH=$(echo "$BRANCH_NAME" | sed 's///-/g')

3. Build worktree path

WORKTREE_PATH="../${REPO_NAME}-wt-${SANITIZED_BRANCH}"

4. Create worktree with new branch

git worktree add -b "$BRANCH_NAME" "$WORKTREE_PATH" main

5. Switch to the worktree

cd "$WORKTREE_PATH"

Example Interaction

User: "Let's add a new authentication feature"

Assistant checks branch: git branch --show-current → returns "main"

Assistant responds: "⚠️ You're currently on the main branch. To protect the main branch from accidental commits, I recommend creating a feature branch worktree for this work.

Would you like me to create a feature branch worktree? I can name it feat/authentication or you can suggest a different name."

User: "Yes, use feat/auth"

Assistant executes:

REPO_NAME=$(basename "$(git rev-parse --show-toplevel)") BRANCH_NAME="feat/auth" SANITIZED_BRANCH="feat-auth" WORKTREE_PATH="../${REPO_NAME}-wt-feat-auth" git worktree add -b "$BRANCH_NAME" "$WORKTREE_PATH" main cd "$WORKTREE_PATH"

Assistant confirms: "✓ Created and switched to feature branch worktree at ../myproject-wt-feat-auth . Ready to implement the authentication feature."

Benefits of This Workflow

  • Prevents accidents: Never commit directly to protected branches

  • Clean history: Keeps main branch clean and stable

  • Easy collaboration: Feature branches are standard for PRs

  • Parallel work: Can still access main branch in original directory

  • Safe experimentation: Easy to discard or reset feature branch

Naming Convention

Worktrees should be created as sibling directories with a clear naming pattern:

Pattern: ../<repo-name>-wt-<branch-name>

Example: For a repo named "MyProject" with branch "feat/new-login":

/Users/username/source/myproject/ # Main repo /Users/username/source/myproject-wt-feat-new-login/ # Worktree

Note: Branch names follow commitlint conventional commit types (feat/, fix/, refactor/, etc.)

Available Operations

List Worktrees

Show all existing worktrees with their paths and branches:

git worktree list

Example output:

/Users/username/source/myproject c5b174796b4 [main] /Users/username/source/myproject-wt-feat-auth def5378 [feat/new-login] /Users/username/source/myproject-wt-fix-crash ghi9022 [fix/button-crash]

Create a New Worktree

When creating worktrees, automatically use the naming convention:

For existing branches:

git worktree add ../<repo-name>-wt-<sanitized-branch-name> <branch-name>

For new branches:

git worktree add -b <new-branch-name> ../<repo-name>-wt-<sanitized-branch-name> <base-branch>

Note: Branch names with slashes (e.g., feature/new-login ) should be sanitized by replacing / with - for the directory name.

Examples:

Checkout existing feature branch

git worktree add ../myproject-wt-feat-auth feat/auth

Create new feature branch from main

git worktree add -b feat/new-payment ../myproject-wt-feat-new-payment main

Create bugfix worktree

git worktree add -b fix/critical-bug ../myproject-wt-fix-critical-bug main

Remove a Worktree

When you're done with a worktree:

Remove worktree (must not have uncommitted changes)

git worktree remove ../<repo-name>-wt-<branch-name>

Force remove even with uncommitted changes

git worktree remove --force ../<repo-name>-wt-<branch-name>

Prune Stale Worktrees

Clean up worktree metadata for manually deleted directories:

git worktree prune

Move a Worktree

Relocate an existing worktree (maintaining naming convention):

git worktree move <old-path> <new-path>

Lock/Unlock Worktrees

Prevent accidental deletion:

git worktree lock <path> git worktree unlock <path>

Helper Functions

When creating worktrees, the skill should:

  • Get the repository name: Extract from the current directory name

  • Sanitize the branch name: Replace / with - for the path

  • Build the path: ../<repo-name>-wt-<sanitized-branch-name>

Example logic:

REPO_NAME=$(basename "$(git rev-parse --show-toplevel)") BRANCH_NAME="feature/new-login" SANITIZED_BRANCH=$(echo "$BRANCH_NAME" | sed 's///-/g') WORKTREE_PATH="../${REPO_NAME}-wt-${SANITIZED_BRANCH}"

git worktree add "$WORKTREE_PATH" "$BRANCH_NAME"

Best Practices

  • Naming Convention: Always use <repo-name>-wt-<branch-name> pattern

  • Location: Keep worktrees as siblings to the main repo directory

  • Cleanup: Remove worktrees when done to avoid clutter

  • Branch Tracking: Each worktree tracks a different branch

  • Shared Objects: Worktrees share the same .git repository, saving disk space

  • Multiple Repos: The naming convention prevents confusion when multiple repos are in the same parent directory

Troubleshooting

Worktree Already Exists

If you get an error that a worktree already exists for a branch, you can:

  • Use git worktree list to find where it is

  • Remove the existing worktree first

  • Check out a different branch in the existing worktree

Locked Worktree

If removal fails due to a lock:

git worktree unlock <path> git worktree remove <path>

Stale Worktree References

If worktrees were manually deleted:

git worktree prune

Branch Name Sanitization

Remember to replace / with - when creating directory names from branch names like feature/new-login → feature-new-login .

Integration with This Skill

Automatic Triggers

When you ask me to:

  • Start development work - I'll FIRST check if you're on main/master and suggest a worktree

  • "List my worktrees" - I'll run git worktree list

  • "Create a worktree for feature X" - I'll use the <repo-name>-wt-X naming pattern

  • "Clean up worktrees" - I'll help remove old ones safely

  • "Switch to worktree Y" - I'll navigate to the properly named directory

  • "What worktrees exist?" - I'll list and explain them with full paths

Development Task Examples

Example 1: User says "Let's add a login feature"

  • Check branch: git branch --show-current → "main"

  • Warn and suggest worktree creation

  • If approved, create feat/login worktree

  • Switch to worktree

  • Proceed with implementation

Example 2: User says "Fix the broken button"

  • Check branch: git branch --show-current → "main"

  • Warn and suggest worktree creation

  • If approved, create fix/broken-button worktree

  • Switch to worktree

  • Proceed with fix

Example 3: User says "Refactor the authentication module"

  • Check branch: git branch --show-current → "feat/dashboard"

  • Already on feature branch, safe to proceed

  • Continue with refactoring

This skill automatically applies the naming convention to keep your workspace organized, especially when managing multiple repositories in the same parent directory. The proactive branch protection ensures you never accidentally commit to protected branches.

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

Coding

spec-reviewer

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

tech-lead

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

codemie-release

No summary provided by upstream source.

Repository SourceNeeds Review
Coding

codemie-pr

No summary provided by upstream source.

Repository SourceNeeds Review