Reputation: 229561
I know how to delete all local branches that have been merged. However, and I believe this is due to Github's new pull request squash and merge feature, I find myself being left with a lot of local branches that are unmerged, but if merged into master would result in no changes.
How can I prune these local branches, i.e. those local branches which haven't necessarily been merged, but wouldn't affect master (or, more generically, the current branch)?
Upvotes: 10
Views: 1849
Reputation: 818
git diff develop...abandoned-candidate
- that should produce empty output for branch with no changes compare to develop
one.
Upvotes: 0
Reputation: 57
If you run git "branch -v" the tracking branches which have changes will have "ahead" written next to them.
The other two options: "behind" and if nothing is written, means that the branches have no changes that will affect the branches they track.
You can therefore run "git fetch" to update the remote tracking branches then parse the "git branch -v" results to figure out which branches have no changes and which branches have.
Upvotes: 0
Reputation: 489678
There is no perfect solution but you can get close, perhaps close enough.
Be sure to start with a clean work tree and index (see require_clean_work_tree
in git-sh-setup
).
For each candidate branch $branch
that might be delete-able:
merge_target=$(git config --get branch.${branch}.merge)
). Check out the merge target.--no-commit
; or in step 1, check out with --detach
so that you will get a commit you can abandon, if the merge succeeds.--detach
), you can do this last test very simply, without any diff-ing: run both git rev-parse HEAD^{tree}
and git rev-parse HEAD^^{tree}
1 and see if they produce the same hash. If you don't allow the commit, you can still git diff
the current (HEAD
) commit against the proposed merge. If you need to remove some noise from the diff (e.g., config files that should not be, but are anyway, in the commits), this gives you a place to do it.git merge --abort; git reset --hard HEAD; git clean -f
or similar, depending on how you have decided to implement steps 1-3). This is just meant to make your work tree and index clean again, for the next pass.In essence, this is "actually do the merge and see what happens", just fully automated.
1This notation looks a bit bizarre, but it's just HEAD^
—the first parent of HEAD
—followed by ^{tree}
. Alternate spellings might be easier to read: HEAD~1^{tree}
or ${merge_target}^tree
, where ${merge_target}
is the branch you checked out in step 1. Note that this assumes the merge succeeded. The merge result is in the exit status of git merge
: zero means succeeded, nonzero means failed and needs manual assistance, presumably due to a merge conflict.
Upvotes: 4