鍍金池/ 問答/Linux/ 如何理解git中的HEAD和branch?

如何理解git中的HEAD和branch?

在git中HEAD和branch是兩個特殊的引用,它們都指向commit。而且一般情況下,是HEAD指向branch然后再指向commit,但是當HEAD處于游離狀態(tài)時它就不再指向branch而是直接指向commit,所以說HEAD是指向活躍分支的游標這句話似乎不太準確,而是指向當前的commit。

關(guān)于branch,本質(zhì)是指向commit的引用,這里的commit是單個的commit,當有新的commit提交時,branch會移動到新的commit。但是我們在分支上會提交很多的commit,然后再進行合并的時候是將分支的所有commits合并過去,這樣的話是否可以將branch理解成一個commit串,它代表了所有提交的commit,在進行合并的時候本質(zhì)合并的就是commit串,這樣看似是合理的,但是它和“branch的本質(zhì)是指向commit的引用”這句定義不太相符,這句話在我的理解中就是branch只指向單個commit。

還請各路大神幫助我理解一下,謝謝??!

回答
編輯回答
我以為
2018年4月8日 09:26
編輯回答
礙你眼

branch只指向單個commit這個理解是對的。

之所以你的理解是將branch理解成一個commit串,是因為git存儲這些commit是一個樹結(jié)構(gòu),用來描述他們的先后關(guān)系

用代碼來解釋一下:

function Branch(name, commit) {
    this.name = name;
    this.commit = commit;
}

function Git(name) {
    this.name = name; // Repo name
    this.lastCommitId = -1; // Keep track of last commit id.
    this.HEAD = null; // Reference to last Commit.

    var master = new Branch('master', null); // null is passed as we don't have any commit yet.
        this.HEAD = master;
}

Git.prototype.commit = function (message) {
    // Increment last commit id and pass into new commit.
    var commit = new Commit(++this.lastCommitId, this.HEAD.commit, message);

    // Update the current branch pointer to new commit.
    this.HEAD.commit = commit;

    return commit;
};
2018年3月22日 16:15