Skip to content

Commit 19029fc

Browse files
authoredAug 28, 2022
Abort plugin (#848)
* Create the `abort` plugin to support killing any active / future tasks for a `simple-git` instance
1 parent 1cd0dac commit 19029fc

20 files changed

+318
-14
lines changed
 

‎.changeset/gold-mugs-explain.md

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
---
2+
'simple-git': minor
3+
---
4+
5+
Create the abort plugin to allow cancelling all pending and future tasks.

‎docs/PLUGIN-ABORT-CONTROLLER.md

+44
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
## Using an AbortController to terminate tasks
2+
3+
The easiest way to send a `SIGKILL` to the `git` child processes created by `simple-git` is to use an `AbortController`
4+
in the constructor options for `simpleGit`:
5+
6+
```typescript
7+
import { simpleGit, GitPluginError, SimpleGit } from 'simple-git';
8+
9+
const controller = new AbortController();
10+
11+
const git: SimpleGit = simpleGit({
12+
baseDir: '/some/path',
13+
abort: controller.signal,
14+
});
15+
16+
try {
17+
await git.pull();
18+
}
19+
catch (err) {
20+
if (err instanceof GitPluginError && err.plugin === 'abort') {
21+
// task failed because `controller.abort` was called while waiting for the `git.pull`
22+
}
23+
}
24+
```
25+
26+
### Examples:
27+
28+
#### Share AbortController across many instances
29+
30+
Run the same operation against multiple repositories, cancel any pending operations when the first has been completed.
31+
32+
```typescript
33+
const repos = [
34+
'/path/to/repo-a',
35+
'/path/to/repo-b',
36+
'/path/to/repo-c',
37+
];
38+
39+
const controller = new AbortController();
40+
const result = await Promise.race(
41+
repos.map(baseDir => simpleGit({ baseDir, abort: controller.signal }).fetch())
42+
);
43+
controller.abort();
44+
```

‎packages/test-utils/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
export * from './src/create-abort-controller';
12
export * from './src/create-test-context';
23
export * from './src/expectations';
34
export * from './src/instance';
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
import { setMaxListeners } from 'events';
2+
3+
export function createAbortController() {
4+
if (typeof AbortController === 'undefined') {
5+
return createMockAbortController() as { controller: AbortController; abort: AbortSignal };
6+
}
7+
8+
const controller = new AbortController();
9+
setMaxListeners(1000, controller.signal);
10+
return {
11+
controller,
12+
abort: controller.signal,
13+
mocked: false,
14+
};
15+
}
16+
17+
function createMockAbortController(): unknown {
18+
let aborted = false;
19+
const handlers: Set<() => void> = new Set();
20+
const abort = {
21+
addEventListener(type: 'abort', handler: () => void) {
22+
if (type !== 'abort') throw new Error('Unsupported event name');
23+
handlers.add(handler);
24+
},
25+
removeEventListener(type: 'abort', handler: () => void) {
26+
if (type !== 'abort') throw new Error('Unsupported event name');
27+
handlers.delete(handler);
28+
},
29+
get aborted() {
30+
return aborted;
31+
},
32+
};
33+
34+
return {
35+
controller: {
36+
abort() {
37+
if (aborted) throw new Error('abort called when already aborted');
38+
aborted = true;
39+
handlers.forEach((h) => h());
40+
},
41+
},
42+
abort,
43+
mocked: true,
44+
};
45+
}

‎simple-git/package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,7 @@
2424
"@simple-git/test-utils": "^1.0.0",
2525
"@types/debug": "^4.1.5",
2626
"@types/jest": "^27.0.3",
27-
"@types/node": "^14.14.10",
27+
"@types/node": "^16",
2828
"esbuild": "^0.14.10",
2929
"esbuild-node-externals": "^1.4.1",
3030
"jest": "^27.4.5",

‎simple-git/readme.md

+8-5
Original file line numberDiff line numberDiff line change
@@ -93,19 +93,22 @@ await git.pull();
9393

9494
## Configuring Plugins
9595

96-
- [Completion Detection](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-COMPLETION-DETECTION.md)
96+
- [AbortController](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-ABORT-CONTROLLER.md)
97+
Terminate pending and future tasks in a `simple-git` instance (requires node >= 16).
98+
99+
- [Completion Detection](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-COMPLETION-DETECTION.md)
97100
Customise how `simple-git` detects the end of a `git` process.
98101

99-
- [Error Detection](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-ERRORS.md)
102+
- [Error Detection](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-ERRORS.md)
100103
Customise the detection of errors from the underlying `git` process.
101104

102-
- [Progress Events](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-PROGRESS-EVENTS.md)
105+
- [Progress Events](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-PROGRESS-EVENTS.md)
103106
Receive progress events as `git` works through long-running processes.
104107

105-
- [Spawned Process Ownership](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-SPAWN-OPTIONS.md)
108+
- [Spawned Process Ownership](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-SPAWN-OPTIONS.md)
106109
Configure the system `uid` / `gid` to use for spawned `git` processes.
107110

108-
- [Timeout](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-TIMEOUT.md)
111+
- [Timeout](https://github.com/steveukx/git-js/blob/main/docs/PLUGIN-TIMEOUT.md)
109112
Automatically kill the wrapped `git` process after a rolling timeout.
110113

111114
## Using Task Promises

‎simple-git/src/lib/git-factory.ts

+2
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ import { SimpleGitFactory } from '../../typings';
22

33
import * as api from './api';
44
import {
5+
abortPlugin,
56
commandConfigPrefixingPlugin,
67
completionDetectionPlugin,
78
errorDetectionHandler,
@@ -55,6 +56,7 @@ export function gitInstanceFactory(
5556
}
5657

5758
plugins.add(completionDetectionPlugin(config.completion));
59+
config.abort && plugins.add(abortPlugin(config.abort));
5860
config.progress && plugins.add(progressMonitorPlugin(config.progress));
5961
config.timeout && plugins.add(timeoutPlugin(config.timeout));
6062
config.spawnOptions && plugins.add(spawnOptionsPlugin(config.spawnOptions));
+33
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
import { SimpleGitOptions } from '../types';
2+
import { SimpleGitPlugin } from './simple-git-plugin';
3+
import { GitPluginError } from '../errors/git-plugin-error';
4+
5+
export function abortPlugin(signal: SimpleGitOptions['abort']) {
6+
if (!signal) {
7+
return;
8+
}
9+
10+
const onSpawnAfter: SimpleGitPlugin<'spawn.after'> = {
11+
type: 'spawn.after',
12+
action(_data, context) {
13+
function kill() {
14+
context.kill(new GitPluginError(undefined, 'abort', 'Abort signal received'));
15+
}
16+
17+
signal.addEventListener('abort', kill);
18+
19+
context.spawned.on('close', () => signal.removeEventListener('abort', kill));
20+
},
21+
};
22+
23+
const onSpawnBefore: SimpleGitPlugin<'spawn.before'> = {
24+
type: 'spawn.before',
25+
action(_data, context) {
26+
if (signal.aborted) {
27+
context.kill(new GitPluginError(undefined, 'abort', 'Abort already signaled'));
28+
}
29+
},
30+
};
31+
32+
return [onSpawnBefore, onSpawnAfter];
33+
}

‎simple-git/src/lib/plugins/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
export * from './abort-plugin';
12
export * from './command-config-prefixing-plugin';
23
export * from './completion-detection.plugin';
34
export * from './error-detection.plugin';

‎simple-git/src/lib/plugins/simple-git-plugin.ts

+6
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,12 @@ export interface SimpleGitPluginTypes {
1515
data: Partial<SpawnOptions>;
1616
context: SimpleGitTaskPluginContext & {};
1717
};
18+
'spawn.before': {
19+
data: void;
20+
context: SimpleGitTaskPluginContext & {
21+
kill(reason: Error): void;
22+
};
23+
};
1824
'spawn.after': {
1925
data: void;
2026
context: SimpleGitTaskPluginContext & {

‎simple-git/src/lib/runners/git-executor-chain.ts

+30-2
Original file line numberDiff line numberDiff line change
@@ -191,10 +191,26 @@ export class GitExecutorChain implements SimpleGitExecutor {
191191
const stdOut: Buffer[] = [];
192192
const stdErr: Buffer[] = [];
193193

194-
let rejection: Maybe<Error>;
195-
196194
logger.info(`%s %o`, command, args);
197195
logger('%O', spawnOptions);
196+
197+
let rejection = this._beforeSpawn(task, args);
198+
if (rejection) {
199+
return done({
200+
stdOut,
201+
stdErr,
202+
exitCode: 9901,
203+
rejection,
204+
});
205+
}
206+
207+
this._plugins.exec('spawn.before', undefined, {
208+
...pluginContext(task, args),
209+
kill(reason) {
210+
rejection = reason || rejection;
211+
},
212+
});
213+
198214
const spawned = spawn(command, args, spawnOptions);
199215

200216
spawned.stdout!.on(
@@ -235,6 +251,18 @@ export class GitExecutorChain implements SimpleGitExecutor {
235251
});
236252
});
237253
}
254+
255+
private _beforeSpawn<R>(task: SimpleGitTask<R>, args: string[]) {
256+
let rejection: Maybe<Error>;
257+
this._plugins.exec('spawn.before', undefined, {
258+
...pluginContext(task, args),
259+
kill(reason) {
260+
rejection = reason || rejection;
261+
},
262+
});
263+
264+
return rejection;
265+
}
238266
}
239267

240268
function pluginContext<R>(task: SimpleGitTask<R>, commands: string[]) {

‎simple-git/src/lib/types/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -64,6 +64,8 @@ export interface GitExecutorResult {
6464
}
6565

6666
export interface SimpleGitPluginConfig {
67+
abort: AbortSignal;
68+
6769
/**
6870
* Configures the events that should be used to determine when the unederlying child process has
6971
* been terminated.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,53 @@
1+
import { promiseError } from '@kwsites/promise-result';
2+
import {
3+
assertGitError,
4+
createAbortController,
5+
createTestContext,
6+
newSimpleGit,
7+
SimpleGitTestContext,
8+
wait,
9+
} from '@simple-git/test-utils';
10+
11+
import { GitPluginError } from '../..';
12+
13+
describe('timeout', () => {
14+
let context: SimpleGitTestContext;
15+
16+
beforeEach(async () => (context = await createTestContext()));
17+
18+
it('kills processes on abort signal', async () => {
19+
const { controller, abort } = createAbortController();
20+
21+
const threw = promiseError(newSimpleGit(context.root, { abort }).init());
22+
23+
await wait(0);
24+
controller.abort();
25+
26+
assertGitError(await threw, 'Abort signal received', GitPluginError);
27+
});
28+
29+
it('share AbortController across many instances', async () => {
30+
const { controller, abort } = createAbortController();
31+
const upstream = await newSimpleGit(__dirname).revparse('--git-dir');
32+
33+
const repos = await Promise.all('abcdef'.split('').map((p) => context.dir(p)));
34+
35+
await Promise.all(
36+
repos.map((baseDir) => {
37+
const git = newSimpleGit({ baseDir, abort });
38+
if (baseDir.endsWith('a')) {
39+
return promiseError(git.init().then(() => controller.abort()));
40+
}
41+
42+
return promiseError(git.clone(upstream, baseDir));
43+
})
44+
);
45+
46+
const results = await Promise.all(
47+
repos.map((baseDir) => newSimpleGit(baseDir).checkIsRepo())
48+
);
49+
50+
expect(results).toContain(false);
51+
expect(results).toContain(true);
52+
});
53+
});

‎simple-git/test/unit/__mocks__/mock-child-process.ts

+8-1
Original file line numberDiff line numberDiff line change
@@ -32,7 +32,14 @@ class MockEventTargetImpl implements MockEventTarget {
3232
this.getHandlers(event).forEach((handler) => handler(data));
3333
};
3434

35-
public kill = jest.fn();
35+
public kill = jest.fn((_signal = 'SIGINT') => {
36+
if (this.$emitted('exit')) {
37+
throw new Error('MockEventTarget:kill called on process after exit');
38+
}
39+
40+
this.$emit('exit', 1);
41+
this.$emit('close', 1);
42+
});
3643

3744
public off = jest.fn((event: string, handler: Function) => {
3845
this.delHandler(event, handler);
+74
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,74 @@
1+
import { promiseError } from '@kwsites/promise-result';
2+
import {
3+
assertExecutedTasksCount,
4+
assertGitError,
5+
createAbortController,
6+
newSimpleGit,
7+
wait,
8+
} from './__fixtures__';
9+
import { GitPluginError } from '../..';
10+
11+
describe('plugin.abort', function () {
12+
it('aborts an active child process', async () => {
13+
const { controller, abort } = createAbortController();
14+
const git = newSimpleGit({ abort });
15+
16+
const queue = promiseError(git.raw('foo'));
17+
await wait();
18+
19+
assertExecutedTasksCount(1);
20+
controller.abort();
21+
22+
assertGitError(await queue, 'Abort signal received', GitPluginError);
23+
});
24+
25+
it('aborts all active promises', async () => {
26+
const { controller, abort } = createAbortController();
27+
const git = newSimpleGit({ abort });
28+
const all = Promise.all([
29+
git.raw('a').catch((e) => e),
30+
git.raw('b').catch((e) => e),
31+
git.raw('c').catch((e) => e),
32+
]);
33+
34+
await wait();
35+
assertExecutedTasksCount(3);
36+
controller.abort();
37+
38+
expect(await all).toEqual([
39+
expect.any(GitPluginError),
40+
expect.any(GitPluginError),
41+
expect.any(GitPluginError),
42+
]);
43+
});
44+
45+
it('aborts all steps in chained promises', async () => {
46+
const { controller, abort } = createAbortController();
47+
const git = newSimpleGit({ abort });
48+
const a = git.raw('a');
49+
const b = a.raw('b');
50+
const c = b.raw('c');
51+
52+
const all = Promise.all([a.catch((e) => e), b.catch((e) => e), c.catch((e) => e)]);
53+
54+
await wait();
55+
assertExecutedTasksCount(1);
56+
controller.abort();
57+
58+
expect(await all).toEqual([
59+
expect.any(GitPluginError),
60+
expect.any(GitPluginError),
61+
expect.any(GitPluginError),
62+
]);
63+
assertExecutedTasksCount(1);
64+
});
65+
66+
it('aborts before attempting to spawn', async () => {
67+
const { controller, abort } = createAbortController();
68+
controller.abort();
69+
70+
const git = newSimpleGit({ abort });
71+
assertGitError(await promiseError(git.raw('a')), 'Abort already signaled', GitPluginError);
72+
assertExecutedTasksCount(0);
73+
});
74+
});

‎yarn.lock

+5-5
Original file line numberDiff line numberDiff line change
@@ -2970,10 +2970,10 @@
29702970
resolved "https://registry.yarnpkg.com/@types/node/-/node-12.20.45.tgz#f4980d177999299d99cd4b290f7f39366509a44f"
29712971
integrity sha512-1Jg2Qv5tuxBqgQV04+wO5u+wmSHbHgpORCJdeCLM+E+YdPElpdHhgywU+M1V1InL8rfOtpqtOjswk+uXTKwx7w==
29722972

2973-
"@types/node@^14.14.10":
2974-
version "14.14.10"
2975-
resolved "https://registry.yarnpkg.com/@types/node/-/node-14.14.10.tgz#5958a82e41863cfc71f2307b3748e3491ba03785"
2976-
integrity sha512-J32dgx2hw8vXrSbu4ZlVhn1Nm3GbeCFNw2FWL8S5QKucHGY0cyNwjdQdO+KMBZ4wpmC7KhLCiNsdk1RFRIYUQQ==
2973+
"@types/node@^16":
2974+
version "16.11.56"
2975+
resolved "https://registry.yarnpkg.com/@types/node/-/node-16.11.56.tgz#dcbb617669481e158e0f1c6204d1c768cd675901"
2976+
integrity sha512-aFcUkv7EddxxOa/9f74DINReQ/celqH8DiB3fRYgVDM2Xm5QJL8sl80QKuAnGvwAsMn+H3IFA6WCrQh1CY7m1A==
29772977

29782978
"@types/normalize-package-data@^2.4.0":
29792979
version "2.4.1"
@@ -8113,7 +8113,7 @@ typedarray@^0.0.6:
81138113
resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777"
81148114
integrity sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c=
81158115

8116-
typescript@4.7.4, typescript@^4.1.2:
8116+
typescript@^4.1.2:
81178117
version "4.7.4"
81188118
resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.7.4.tgz#1a88596d1cf47d59507a1bcdfb5b9dfe4d488235"
81198119
integrity sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==

0 commit comments

Comments
 (0)
Please sign in to comment.