-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathcommitTree.ts
97 lines (84 loc) · 2.17 KB
/
commitTree.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
import { createHash } from 'crypto';
import { Commit } from '../objects/commit';
import { getSignature, verifyObject } from '../utils';
import zlib from 'zlib';
import fs from 'fs';
import path from 'path';
import { RELATIVE_PATH_TO_OBJECT_DIR } from '../constants';
import stream from 'stream';
export interface CommitTreeArgs {
/**
* The absolute path to the Git repo.
*
* @type {string}
*/
gitRoot: string;
/**
* The hash of the tree that will be saved with the Commit object.
*
* @type {string}
*/
treeHash: string;
/**
* List of parent objects.
*
* @type {?string[]}
*/
parents?: string[];
/**
* Message that will be used as Commit message.
*
* @type {?string}
*/
message?: string;
/**
* Optionally read from stdin if no message is provided
*
* @type {?stream.Readable}
*/
stdin?: stream.Readable;
}
function commitTree({
gitRoot,
treeHash,
parents = [],
message,
stdin = process.stdin
}: CommitTreeArgs): string {
// Verify the hashes provided by the user
treeHash = verifyObject(gitRoot, treeHash, 'tree');
for (let i = 0; i < parents.length; i++) {
parents[i] = verifyObject(gitRoot, parents[i], 'commit');
}
// If message is not provided in args then read from stdin
if (message === undefined) {
const buffer = stdin.read() as Buffer;
if (buffer === null) {
throw new Error('No message provided!');
}
message = buffer.toString();
}
// Get author and committer details from '~/.gitconfig' file
const signature = getSignature();
const commitObject = new Commit({
author: signature,
committer: signature,
message,
treeHash: treeHash,
parentHashes: parents
});
// Create hash and store the commit object
const store = commitObject.encode();
const hash = createHash('sha1').update(store).digest('hex');
const zlibContent = zlib.deflateSync(store);
const pathToBlob = path.join(
gitRoot,
RELATIVE_PATH_TO_OBJECT_DIR,
hash.substring(0, 2),
hash.substring(2, hash.length)
);
fs.mkdirSync(path.dirname(pathToBlob), { recursive: true });
fs.writeFileSync(pathToBlob, zlibContent);
return hash;
}
export default commitTree;