Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

GIT - how to merge branches?

We decided to use GIT in our company but now got a problem.. We have several branches with different features. Now what we need is to merge that branches and push it to Master. How shall we do that with autoreplace - we have branch-a, branch-b, branch-c - we need to get them all in Master but in case of repeated files the branch-b should be Major and branch-c - minor.

Upd:

branch-a:
-file1
-file2
-file3
-file4


branch-b:
-file1
-file5
-file6


branch-c:
-file1
-file2
-file7
-file8

we need in result:

Master:
-file1 (from b)
-file2 (from a)
-file3 (from a)
-file4 (from a)
-file5 (from b)
-file6 (from b)
-file7 (from c)
-file8 (from c)
like image 315
Chvanikoff Avatar asked Mar 16 '11 14:03

Chvanikoff


2 Answers

Perform an octopus merge and don't commit '--no-commit'. From master

git merge --no-commit branch-a branch-b branch-c

resolve any conflicts, then if as you want, take a specific version of a file and commit:

git checkout branch-b -- file3

repeat for other specific files.

git add . -A
git commit

This is the way your custom work-flow would work.

Hope this helps.

like image 102
Adam Dymitruk Avatar answered Oct 18 '22 17:10

Adam Dymitruk


I haven't tested this, but this might do what you want:

git checkout master
git merge -s recursive -X theirs branch-c
git merge -s recursive -X theirs branch-a
git merge -s recursive -X theirs branch-b

This is using the recursive merge strategy, but saying that if there are any conflicts when merging, to always resolve them in favour of the branch you're merging into your current branch. To find the documentation for this, look at the section on the recursive merge strategy in the git merge man page, and the ours and theirs options to that strategy.

The problem with this is that if the changes you've made to the files in each branch don't conflict, you'll have some of the changes from one branch and one in the other. If that's not what you want (and I concede that I don't quite understand your workflow in the first place) you might have to do, for example:

git merge --no-commit branch-c

... and then update the index with each file version that you want manually before committing that merge commit. After running that command, you could find all the files which are present on both branches with:

comm -1 -2 <(git ls-tree -r --name-only master|sort) <(git ls-tree -r --name-only branch-c|sort) > common.txt

... and then pick the branch-c version for each one with:

xargs -n 1 git checkout branch-c -- < common.txt

... and then committing with git commit as usual.

Just to reiterate, I'm pretty sure I'd never want to do this - git's default merge behaviour almost always does what I want, only leaving genuine conflicts to resolve.

like image 27
Mark Longair Avatar answered Oct 18 '22 18:10

Mark Longair