Git 对象有:blob (数据块), tree (目录树), commit (提交), tag (标签)。
本文通过一个示例,以blob为例来讨论对象的存储结构。示例采用的git版本为2.17 。
首先创建一个测试git仓库
$ mkdir hello
$ cd hello
$ git init
然后通过创建一个文件 test,test的内容为 "hello", 可以看到test文件的字节长度为6, 是因为创建文件的时候自动在行末加上了换行符\n。对文件其执行 git add
, 可以看到在.git/objects目录下面生成了一个子目录ce,ce目录下面有个文件013625030ba8dba906f756967f9e9ca394464a。
$ echo "hello" > test
$ du -b test
6 test
$ git add test
$ find .git/objects/ -type f
.git/objects/ce/013625030ba8dba906f756967f9e9ca394464a
该文件即为git为 test 文件数据内容生成的blob对象文件,该对象的SHA值为ce013625030ba8dba906f756967f9e9ca394464a
.
至此,产生两个问题:
根据 Git-Internals-Git-Objects 文中的描述:
首先,对象文件数据结构如下图:
然后, 对象的SHA值就是对上面这个数据结构执行SHA1 hash摘要算法得到的。
根据2.2中的规则来编码对2.1中的test文件内容生成一个SHA值,看是否和git生成的SHA值一致?
// object content
String content = "hello\n";
byte[] contentBytes = content.getBytes();
ByteBuffer buf = ByteBuffer.allocate(1024);
buf.put("blob".getBytes()); // object type
buf.put((byte) ' '); // whitespace
buf.put(Integer.toString(contentBytes.length).getBytes()); // content byte size numeric string
buf.put((byte) 0); // NUL
buf.put(contentBytes); // content
buf.flip();
// whole object bytes
byte[] objectBytes = new byte[buf.remaining()];
buf.get(objectBytes);
// Execute SHA1 hash digest
MessageDigest md = MessageDigest.getInstance("SHA1");
byte[] shaBytes = md.digest(objectBytes);
// Show in hex
String shaHex = Hex.encodeHexString(shaBytes);
System.out.println(shaHex);
上述代码输出:ce013625030ba8dba906f756967f9e9ca394464a
。
和 2.1 中git生成的SHA值一致,2.2 中数据结构和SHA值的生成得到验证。
根据 Git-Internals-Git-Objects 可知git 对象文件是经过Zlib::Deflate.deflate 压缩存储的。
$ cat .git/objects/ae/a941d707291bf3f2103c096479b068f7bed4f8
x☺K
cat: write error: Input/output error
可以看到通过cat命令是无法直接输出内容的。
InputStream is = new InflaterInputStream(new FileInputStream(
".git\\objects\\ce\\013625030ba8dba906f756967f9e9ca394464a"));
ByteArrayOutputStream baos = new ByteArrayOutputStream();
int b = 0;
while ((b = is.read()) != -1) {
baos.write(b);
}
byte[] res = baos.toByteArray();
System.out.println(new String(res));
is.close();
baos.close();
通过如上代码可输出对象的数据结构:
blob 6hello
注其中包括不可见字符NUL和换行符。
通过git cat-file
命令可以直接查看对象的数据内容:
$ git cat-file -p ce013625030ba8dba906f756967f9e9ca394464a
hello
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。
原创声明:本文系作者授权腾讯云开发者社区发表,未经许可,不得转载。
如有侵权,请联系 cloudcommunity@tencent.com 删除。