update socials section
This commit is contained in:
104
node_modules/log-update/index.d.ts
generated
vendored
Normal file
104
node_modules/log-update/index.d.ts
generated
vendored
Normal file
@ -0,0 +1,104 @@
|
||||
export interface Options {
|
||||
/**
|
||||
Show the cursor. This can be useful when a CLI accepts input from a user.
|
||||
|
||||
@example
|
||||
```
|
||||
import {createLogUpdate} from 'log-update';
|
||||
|
||||
// Write output but don't hide the cursor
|
||||
const log = createLogUpdate(process.stdout, {
|
||||
showCursor: true
|
||||
});
|
||||
```
|
||||
*/
|
||||
readonly showCursor?: boolean;
|
||||
}
|
||||
|
||||
type LogUpdateMethods = {
|
||||
/**
|
||||
Clear the logged output.
|
||||
*/
|
||||
clear(): void;
|
||||
|
||||
/**
|
||||
Persist the logged output. Useful if you want to start a new log session below the current one.
|
||||
*/
|
||||
done(): void;
|
||||
};
|
||||
|
||||
/**
|
||||
Log to `stdout` by overwriting the previous output in the terminal.
|
||||
|
||||
@param text - The text to log to `stdout`.
|
||||
|
||||
@example
|
||||
```
|
||||
import logUpdate from 'log-update';
|
||||
|
||||
const frames = ['-', '\\', '|', '/'];
|
||||
let index = 0;
|
||||
|
||||
setInterval(() => {
|
||||
const frame = frames[index = ++index % frames.length];
|
||||
|
||||
logUpdate(
|
||||
`
|
||||
♥♥
|
||||
${frame} unicorns ${frame}
|
||||
♥♥
|
||||
`
|
||||
);
|
||||
}, 80);
|
||||
```
|
||||
*/
|
||||
declare const logUpdate: ((...text: string[]) => void) & LogUpdateMethods;
|
||||
|
||||
export default logUpdate;
|
||||
|
||||
/**
|
||||
Log to `stderr` by overwriting the previous output in the terminal.
|
||||
|
||||
@param text - The text to log to `stderr`.
|
||||
|
||||
@example
|
||||
```
|
||||
import {logUpdateStderr} from 'log-update';
|
||||
|
||||
const frames = ['-', '\\', '|', '/'];
|
||||
let index = 0;
|
||||
|
||||
setInterval(() => {
|
||||
const frame = frames[index = ++index % frames.length];
|
||||
|
||||
logUpdateStderr(
|
||||
`
|
||||
♥♥
|
||||
${frame} unicorns ${frame}
|
||||
♥♥
|
||||
`
|
||||
);
|
||||
}, 80);
|
||||
```
|
||||
*/
|
||||
declare const logUpdateStderr: ((...text: string[]) => void) & LogUpdateMethods;
|
||||
|
||||
export {logUpdateStderr};
|
||||
|
||||
/**
|
||||
Get a `logUpdate` method that logs to the specified stream.
|
||||
|
||||
@param stream - The stream to log to.
|
||||
|
||||
@example
|
||||
```
|
||||
import {createLogUpdate} from 'log-update';
|
||||
|
||||
// Write output but don't hide the cursor
|
||||
const log = createLogUpdate(process.stdout);
|
||||
```
|
||||
*/
|
||||
export function createLogUpdate(
|
||||
stream: NodeJS.WritableStream,
|
||||
options?: Options
|
||||
): typeof logUpdate;
|
86
node_modules/log-update/index.js
generated
vendored
Normal file
86
node_modules/log-update/index.js
generated
vendored
Normal file
@ -0,0 +1,86 @@
|
||||
import process from 'node:process';
|
||||
import ansiEscapes from 'ansi-escapes';
|
||||
import cliCursor from 'cli-cursor';
|
||||
import wrapAnsi from 'wrap-ansi';
|
||||
import sliceAnsi from 'slice-ansi';
|
||||
import stripAnsi from 'strip-ansi';
|
||||
|
||||
const defaultTerminalHeight = 24;
|
||||
|
||||
const getWidth = stream => {
|
||||
const {columns} = stream;
|
||||
|
||||
if (!columns) {
|
||||
return 80;
|
||||
}
|
||||
|
||||
return columns;
|
||||
};
|
||||
|
||||
const fitToTerminalHeight = (stream, text) => {
|
||||
const terminalHeight = stream.rows || defaultTerminalHeight;
|
||||
const lines = text.split('\n');
|
||||
|
||||
const toRemove = lines.length - terminalHeight;
|
||||
if (toRemove <= 0) {
|
||||
return text;
|
||||
}
|
||||
|
||||
return sliceAnsi(
|
||||
text,
|
||||
stripAnsi(lines.slice(0, toRemove).join('\n')).length + 1,
|
||||
);
|
||||
};
|
||||
|
||||
export function createLogUpdate(stream, {showCursor = false} = {}) {
|
||||
let previousLineCount = 0;
|
||||
let previousWidth = getWidth(stream);
|
||||
let previousOutput = '';
|
||||
|
||||
const render = (...arguments_) => {
|
||||
if (!showCursor) {
|
||||
cliCursor.hide();
|
||||
}
|
||||
|
||||
let output = arguments_.join(' ') + '\n';
|
||||
output = fitToTerminalHeight(stream, output);
|
||||
const width = getWidth(stream);
|
||||
if (output === previousOutput && previousWidth === width) {
|
||||
return;
|
||||
}
|
||||
|
||||
previousOutput = output;
|
||||
previousWidth = width;
|
||||
output = wrapAnsi(output, width, {
|
||||
trim: false,
|
||||
hard: true,
|
||||
wordWrap: false,
|
||||
});
|
||||
stream.write(ansiEscapes.eraseLines(previousLineCount) + output);
|
||||
previousLineCount = output.split('\n').length;
|
||||
};
|
||||
|
||||
render.clear = () => {
|
||||
stream.write(ansiEscapes.eraseLines(previousLineCount));
|
||||
previousOutput = '';
|
||||
previousWidth = getWidth(stream);
|
||||
previousLineCount = 0;
|
||||
};
|
||||
|
||||
render.done = () => {
|
||||
previousOutput = '';
|
||||
previousWidth = getWidth(stream);
|
||||
previousLineCount = 0;
|
||||
|
||||
if (!showCursor) {
|
||||
cliCursor.show();
|
||||
}
|
||||
};
|
||||
|
||||
return render;
|
||||
}
|
||||
|
||||
const logUpdate = createLogUpdate(process.stdout);
|
||||
export default logUpdate;
|
||||
|
||||
export const logUpdateStderr = createLogUpdate(process.stderr);
|
9
node_modules/log-update/license
generated
vendored
Normal file
9
node_modules/log-update/license
generated
vendored
Normal file
@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (https://sindresorhus.com)
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
33
node_modules/log-update/node_modules/ansi-regex/index.d.ts
generated
vendored
Normal file
33
node_modules/log-update/node_modules/ansi-regex/index.d.ts
generated
vendored
Normal file
@ -0,0 +1,33 @@
|
||||
export type Options = {
|
||||
/**
|
||||
Match only the first ANSI escape.
|
||||
|
||||
@default false
|
||||
*/
|
||||
readonly onlyFirst: boolean;
|
||||
};
|
||||
|
||||
/**
|
||||
Regular expression for matching ANSI escape codes.
|
||||
|
||||
@example
|
||||
```
|
||||
import ansiRegex from 'ansi-regex';
|
||||
|
||||
ansiRegex().test('\u001B[4mcake\u001B[0m');
|
||||
//=> true
|
||||
|
||||
ansiRegex().test('cake');
|
||||
//=> false
|
||||
|
||||
'\u001B[4mcake\u001B[0m'.match(ansiRegex());
|
||||
//=> ['\u001B[4m', '\u001B[0m']
|
||||
|
||||
'\u001B[4mcake\u001B[0m'.match(ansiRegex({onlyFirst: true}));
|
||||
//=> ['\u001B[4m']
|
||||
|
||||
'\u001B]8;;https://github.com\u0007click\u001B]8;;\u0007'.match(ansiRegex());
|
||||
//=> ['\u001B]8;;https://github.com\u0007', '\u001B]8;;\u0007']
|
||||
```
|
||||
*/
|
||||
export default function ansiRegex(options?: Options): RegExp;
|
10
node_modules/log-update/node_modules/ansi-regex/index.js
generated
vendored
Normal file
10
node_modules/log-update/node_modules/ansi-regex/index.js
generated
vendored
Normal file
@ -0,0 +1,10 @@
|
||||
export default function ansiRegex({onlyFirst = false} = {}) {
|
||||
// Valid string terminator sequences are BEL, ESC\, and 0x9c
|
||||
const ST = '(?:\\u0007|\\u001B\\u005C|\\u009C)';
|
||||
const pattern = [
|
||||
`[\\u001B\\u009B][[\\]()#;?]*(?:(?:(?:(?:;[-a-zA-Z\\d\\/#&.:=?%@~_]+)*|[a-zA-Z\\d]+(?:;[-a-zA-Z\\d\\/#&.:=?%@~_]*)*)?${ST})`,
|
||||
'(?:(?:\\d{1,4}(?:;\\d{0,4})*)?[\\dA-PR-TZcf-nq-uy=><~]))',
|
||||
].join('|');
|
||||
|
||||
return new RegExp(pattern, onlyFirst ? undefined : 'g');
|
||||
}
|
9
node_modules/log-update/node_modules/ansi-regex/license
generated
vendored
Normal file
9
node_modules/log-update/node_modules/ansi-regex/license
generated
vendored
Normal file
@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (https://sindresorhus.com)
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
61
node_modules/log-update/node_modules/ansi-regex/package.json
generated
vendored
Normal file
61
node_modules/log-update/node_modules/ansi-regex/package.json
generated
vendored
Normal file
@ -0,0 +1,61 @@
|
||||
{
|
||||
"name": "ansi-regex",
|
||||
"version": "6.1.0",
|
||||
"description": "Regular expression for matching ANSI escape codes",
|
||||
"license": "MIT",
|
||||
"repository": "chalk/ansi-regex",
|
||||
"funding": "https://github.com/chalk/ansi-regex?sponsor=1",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "https://sindresorhus.com"
|
||||
},
|
||||
"type": "module",
|
||||
"exports": "./index.js",
|
||||
"types": "./index.d.ts",
|
||||
"sideEffects": false,
|
||||
"engines": {
|
||||
"node": ">=12"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd",
|
||||
"view-supported": "node fixtures/view-codes.js"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"ansi",
|
||||
"styles",
|
||||
"color",
|
||||
"colour",
|
||||
"colors",
|
||||
"terminal",
|
||||
"console",
|
||||
"cli",
|
||||
"string",
|
||||
"tty",
|
||||
"escape",
|
||||
"formatting",
|
||||
"rgb",
|
||||
"256",
|
||||
"shell",
|
||||
"xterm",
|
||||
"command-line",
|
||||
"text",
|
||||
"regex",
|
||||
"regexp",
|
||||
"re",
|
||||
"match",
|
||||
"test",
|
||||
"find",
|
||||
"pattern"
|
||||
],
|
||||
"devDependencies": {
|
||||
"ansi-escapes": "^5.0.0",
|
||||
"ava": "^3.15.0",
|
||||
"tsd": "^0.21.0",
|
||||
"xo": "^0.54.2"
|
||||
}
|
||||
}
|
60
node_modules/log-update/node_modules/ansi-regex/readme.md
generated
vendored
Normal file
60
node_modules/log-update/node_modules/ansi-regex/readme.md
generated
vendored
Normal file
@ -0,0 +1,60 @@
|
||||
# ansi-regex
|
||||
|
||||
> Regular expression for matching [ANSI escape codes](https://en.wikipedia.org/wiki/ANSI_escape_code)
|
||||
|
||||
## Install
|
||||
|
||||
```sh
|
||||
npm install ansi-regex
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
import ansiRegex from 'ansi-regex';
|
||||
|
||||
ansiRegex().test('\u001B[4mcake\u001B[0m');
|
||||
//=> true
|
||||
|
||||
ansiRegex().test('cake');
|
||||
//=> false
|
||||
|
||||
'\u001B[4mcake\u001B[0m'.match(ansiRegex());
|
||||
//=> ['\u001B[4m', '\u001B[0m']
|
||||
|
||||
'\u001B[4mcake\u001B[0m'.match(ansiRegex({onlyFirst: true}));
|
||||
//=> ['\u001B[4m']
|
||||
|
||||
'\u001B]8;;https://github.com\u0007click\u001B]8;;\u0007'.match(ansiRegex());
|
||||
//=> ['\u001B]8;;https://github.com\u0007', '\u001B]8;;\u0007']
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
### ansiRegex(options?)
|
||||
|
||||
Returns a regex for matching ANSI escape codes.
|
||||
|
||||
#### options
|
||||
|
||||
Type: `object`
|
||||
|
||||
##### onlyFirst
|
||||
|
||||
Type: `boolean`\
|
||||
Default: `false` *(Matches any ANSI escape codes in a string)*
|
||||
|
||||
Match only the first ANSI escape.
|
||||
|
||||
## FAQ
|
||||
|
||||
### Why do you test for codes not in the ECMA 48 standard?
|
||||
|
||||
Some of the codes we run as a test are codes that we acquired finding various lists of non-standard or manufacturer specific codes. We test for both standard and non-standard codes, as most of them follow the same or similar format and can be safely matched in strings without the risk of removing actual string content. There are a few non-standard control codes that do not follow the traditional format (i.e. they end in numbers) thus forcing us to exclude them from the test because we cannot reliably match them.
|
||||
|
||||
On the historical side, those ECMA standards were established in the early 90's whereas the VT100, for example, was designed in the mid/late 70's. At that point in time, control codes were still pretty ungoverned and engineers used them for a multitude of things, namely to activate hardware ports that may have been proprietary. Somewhere else you see a similar 'anarchy' of codes is in the x86 architecture for processors; there are a ton of "interrupts" that can mean different things on certain brands of processors, most of which have been phased out.
|
||||
|
||||
## Maintainers
|
||||
|
||||
- [Sindre Sorhus](https://github.com/sindresorhus)
|
||||
- [Josh Junon](https://github.com/qix-)
|
15
node_modules/log-update/node_modules/strip-ansi/index.d.ts
generated
vendored
Normal file
15
node_modules/log-update/node_modules/strip-ansi/index.d.ts
generated
vendored
Normal file
@ -0,0 +1,15 @@
|
||||
/**
|
||||
Strip [ANSI escape codes](https://en.wikipedia.org/wiki/ANSI_escape_code) from a string.
|
||||
|
||||
@example
|
||||
```
|
||||
import stripAnsi from 'strip-ansi';
|
||||
|
||||
stripAnsi('\u001B[4mUnicorn\u001B[0m');
|
||||
//=> 'Unicorn'
|
||||
|
||||
stripAnsi('\u001B]8;;https://github.com\u0007Click\u001B]8;;\u0007');
|
||||
//=> 'Click'
|
||||
```
|
||||
*/
|
||||
export default function stripAnsi(string: string): string;
|
14
node_modules/log-update/node_modules/strip-ansi/index.js
generated
vendored
Normal file
14
node_modules/log-update/node_modules/strip-ansi/index.js
generated
vendored
Normal file
@ -0,0 +1,14 @@
|
||||
import ansiRegex from 'ansi-regex';
|
||||
|
||||
const regex = ansiRegex();
|
||||
|
||||
export default function stripAnsi(string) {
|
||||
if (typeof string !== 'string') {
|
||||
throw new TypeError(`Expected a \`string\`, got \`${typeof string}\``);
|
||||
}
|
||||
|
||||
// Even though the regex is global, we don't need to reset the `.lastIndex`
|
||||
// because unlike `.exec()` and `.test()`, `.replace()` does it automatically
|
||||
// and doing it manually has a performance penalty.
|
||||
return string.replace(regex, '');
|
||||
}
|
9
node_modules/log-update/node_modules/strip-ansi/license
generated
vendored
Normal file
9
node_modules/log-update/node_modules/strip-ansi/license
generated
vendored
Normal file
@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (https://sindresorhus.com)
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
|
57
node_modules/log-update/node_modules/strip-ansi/package.json
generated
vendored
Normal file
57
node_modules/log-update/node_modules/strip-ansi/package.json
generated
vendored
Normal file
@ -0,0 +1,57 @@
|
||||
{
|
||||
"name": "strip-ansi",
|
||||
"version": "7.1.0",
|
||||
"description": "Strip ANSI escape codes from a string",
|
||||
"license": "MIT",
|
||||
"repository": "chalk/strip-ansi",
|
||||
"funding": "https://github.com/chalk/strip-ansi?sponsor=1",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "https://sindresorhus.com"
|
||||
},
|
||||
"type": "module",
|
||||
"exports": "./index.js",
|
||||
"engines": {
|
||||
"node": ">=12"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"strip",
|
||||
"trim",
|
||||
"remove",
|
||||
"ansi",
|
||||
"styles",
|
||||
"color",
|
||||
"colour",
|
||||
"colors",
|
||||
"terminal",
|
||||
"console",
|
||||
"string",
|
||||
"tty",
|
||||
"escape",
|
||||
"formatting",
|
||||
"rgb",
|
||||
"256",
|
||||
"shell",
|
||||
"xterm",
|
||||
"log",
|
||||
"logging",
|
||||
"command-line",
|
||||
"text"
|
||||
],
|
||||
"dependencies": {
|
||||
"ansi-regex": "^6.0.1"
|
||||
},
|
||||
"devDependencies": {
|
||||
"ava": "^3.15.0",
|
||||
"tsd": "^0.17.0",
|
||||
"xo": "^0.44.0"
|
||||
}
|
||||
}
|
41
node_modules/log-update/node_modules/strip-ansi/readme.md
generated
vendored
Normal file
41
node_modules/log-update/node_modules/strip-ansi/readme.md
generated
vendored
Normal file
@ -0,0 +1,41 @@
|
||||
# strip-ansi
|
||||
|
||||
> Strip [ANSI escape codes](https://en.wikipedia.org/wiki/ANSI_escape_code) from a string
|
||||
|
||||
## Install
|
||||
|
||||
```
|
||||
$ npm install strip-ansi
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
import stripAnsi from 'strip-ansi';
|
||||
|
||||
stripAnsi('\u001B[4mUnicorn\u001B[0m');
|
||||
//=> 'Unicorn'
|
||||
|
||||
stripAnsi('\u001B]8;;https://github.com\u0007Click\u001B]8;;\u0007');
|
||||
//=> 'Click'
|
||||
```
|
||||
|
||||
## strip-ansi for enterprise
|
||||
|
||||
Available as part of the Tidelift Subscription.
|
||||
|
||||
The maintainers of strip-ansi and thousands of other packages are working with Tidelift to deliver commercial support and maintenance for the open source dependencies you use to build your applications. Save time, reduce risk, and improve code health, while paying the maintainers of the exact dependencies you use. [Learn more.](https://tidelift.com/subscription/pkg/npm-strip-ansi?utm_source=npm-strip-ansi&utm_medium=referral&utm_campaign=enterprise&utm_term=repo)
|
||||
|
||||
## Related
|
||||
|
||||
- [strip-ansi-cli](https://github.com/chalk/strip-ansi-cli) - CLI for this module
|
||||
- [strip-ansi-stream](https://github.com/chalk/strip-ansi-stream) - Streaming version of this module
|
||||
- [has-ansi](https://github.com/chalk/has-ansi) - Check if a string has ANSI escape codes
|
||||
- [ansi-regex](https://github.com/chalk/ansi-regex) - Regular expression for matching ANSI escape codes
|
||||
- [chalk](https://github.com/chalk/chalk) - Terminal string styling done right
|
||||
|
||||
## Maintainers
|
||||
|
||||
- [Sindre Sorhus](https://github.com/sindresorhus)
|
||||
- [Josh Junon](https://github.com/qix-)
|
||||
|
58
node_modules/log-update/package.json
generated
vendored
Normal file
58
node_modules/log-update/package.json
generated
vendored
Normal file
@ -0,0 +1,58 @@
|
||||
{
|
||||
"name": "log-update",
|
||||
"version": "5.0.1",
|
||||
"description": "Log by overwriting the previous output in the terminal. Useful for rendering progress bars, animations, etc.",
|
||||
"license": "MIT",
|
||||
"repository": "sindresorhus/log-update",
|
||||
"funding": "https://github.com/sponsors/sindresorhus",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "https://sindresorhus.com"
|
||||
},
|
||||
"type": "module",
|
||||
"exports": "./index.js",
|
||||
"engines": {
|
||||
"node": "^12.20.0 || ^14.13.1 || >=16.0.0"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"log",
|
||||
"logger",
|
||||
"logging",
|
||||
"cli",
|
||||
"terminal",
|
||||
"term",
|
||||
"console",
|
||||
"shell",
|
||||
"update",
|
||||
"refresh",
|
||||
"overwrite",
|
||||
"output",
|
||||
"stdout",
|
||||
"progress",
|
||||
"bar",
|
||||
"animation"
|
||||
],
|
||||
"dependencies": {
|
||||
"ansi-escapes": "^5.0.0",
|
||||
"cli-cursor": "^4.0.0",
|
||||
"slice-ansi": "^5.0.0",
|
||||
"strip-ansi": "^7.0.1",
|
||||
"wrap-ansi": "^8.0.1"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@types/node": "^17.0.25",
|
||||
"ava": "^4.2.0",
|
||||
"terminal.js": "^1.0.11",
|
||||
"tsd": "^0.20.0",
|
||||
"wcwidth": "^1.0.1",
|
||||
"xo": "^0.48.0"
|
||||
}
|
||||
}
|
98
node_modules/log-update/readme.md
generated
vendored
Normal file
98
node_modules/log-update/readme.md
generated
vendored
Normal file
@ -0,0 +1,98 @@
|
||||
# log-update
|
||||
|
||||
> Log by overwriting the previous output in the terminal.\
|
||||
> Useful for rendering progress bars, animations, etc.
|
||||
|
||||

|
||||
|
||||
## Install
|
||||
|
||||
```sh
|
||||
npm install log-update
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
import logUpdate from 'log-update';
|
||||
|
||||
const frames = ['-', '\\', '|', '/'];
|
||||
let index = 0;
|
||||
|
||||
setInterval(() => {
|
||||
const frame = frames[index = ++index % frames.length];
|
||||
|
||||
logUpdate(
|
||||
`
|
||||
♥♥
|
||||
${frame} unicorns ${frame}
|
||||
♥♥
|
||||
`
|
||||
);
|
||||
}, 80);
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
### logUpdate(text…)
|
||||
|
||||
Log to stdout.
|
||||
|
||||
### logUpdate.clear()
|
||||
|
||||
Clear the logged output.
|
||||
|
||||
### logUpdate.done()
|
||||
|
||||
Persist the logged output.
|
||||
|
||||
Useful if you want to start a new log session below the current one.
|
||||
|
||||
### logUpdateStderr(text…)
|
||||
|
||||
Log to stderr.
|
||||
|
||||
### logUpdateStderr.clear()
|
||||
### logUpdateStderr.done()
|
||||
|
||||
### createLogUpdate(stream, options?)
|
||||
|
||||
Get a `logUpdate` method that logs to the specified stream.
|
||||
|
||||
#### options
|
||||
|
||||
Type: `object`
|
||||
|
||||
##### showCursor
|
||||
|
||||
Type: `boolean`\
|
||||
Default: `false`
|
||||
|
||||
Show the cursor. This can be useful when a CLI accepts input from a user.
|
||||
|
||||
```js
|
||||
import logUpdate from 'log-update';
|
||||
|
||||
// Write output but don't hide the cursor
|
||||
const log = logUpdate.create(process.stdout, {
|
||||
showCursor: true
|
||||
});
|
||||
```
|
||||
|
||||
## Examples
|
||||
|
||||
- [listr](https://github.com/SamVerschueren/listr) - Uses this module to render an interactive task list
|
||||
- [ora](https://github.com/sindresorhus/ora) - Uses this module to render awesome spinners
|
||||
- [speed-test](https://github.com/sindresorhus/speed-test) - Uses this module to render a [spinner](https://github.com/sindresorhus/elegant-spinner)
|
||||
|
||||
---
|
||||
|
||||
<div align="center">
|
||||
<b>
|
||||
<a href="https://tidelift.com/subscription/pkg/npm-log-update?utm_source=npm-log-update&utm_medium=referral&utm_campaign=readme">Get professional support for this package with a Tidelift subscription</a>
|
||||
</b>
|
||||
<br>
|
||||
<sub>
|
||||
Tidelift helps make open source sustainable for maintainers while giving companies<br>assurances about security, maintenance, and licensing for their dependencies.
|
||||
</sub>
|
||||
</div>
|
Reference in New Issue
Block a user