mirror of
https://github.com/x1xhlol/system-prompts-and-models-of-ai-tools.git
synced 2026-02-04 05:50:50 +00:00
nhj
more
This commit is contained in:
16
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/LICENSE
generated
vendored
Normal file
16
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,16 @@
|
||||
ISC License
|
||||
|
||||
Copyright (c) 2019, Contributors
|
||||
|
||||
Permission to use, copy, modify, and/or distribute this software
|
||||
for any purpose with or without fee is hereby granted, provided
|
||||
that the above copyright notice and this permission notice
|
||||
appear in all copies.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
|
||||
WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES
|
||||
OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE
|
||||
LIABLE FOR ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES
|
||||
OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS,
|
||||
WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION,
|
||||
ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
|
||||
166
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/index.js
generated
vendored
Normal file
166
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/index.js
generated
vendored
Normal file
@@ -0,0 +1,166 @@
|
||||
'use strict';
|
||||
|
||||
const fs = require('fs');
|
||||
const path = require('path');
|
||||
const {promisify} = require('util');
|
||||
const camelcase = require('camelcase');
|
||||
const findUp = require('find-up');
|
||||
const resolveFrom = require('resolve-from');
|
||||
const getPackageType = require('get-package-type');
|
||||
|
||||
const readFile = promisify(fs.readFile);
|
||||
|
||||
let loadActive = false;
|
||||
|
||||
function isLoading() {
|
||||
return loadActive;
|
||||
}
|
||||
|
||||
const standardConfigFiles = [
|
||||
'.nycrc',
|
||||
'.nycrc.json',
|
||||
'.nycrc.yml',
|
||||
'.nycrc.yaml',
|
||||
'nyc.config.js',
|
||||
'nyc.config.cjs',
|
||||
'nyc.config.mjs'
|
||||
];
|
||||
|
||||
function camelcasedConfig(config) {
|
||||
const results = {};
|
||||
for (const [field, value] of Object.entries(config)) {
|
||||
results[camelcase(field)] = value;
|
||||
}
|
||||
|
||||
return results;
|
||||
}
|
||||
|
||||
async function findPackage(options) {
|
||||
const cwd = options.cwd || process.env.NYC_CWD || process.cwd();
|
||||
const pkgPath = await findUp('package.json', {cwd});
|
||||
if (pkgPath) {
|
||||
const pkgConfig = JSON.parse(await readFile(pkgPath, 'utf8')).nyc || {};
|
||||
if ('cwd' in pkgConfig) {
|
||||
pkgConfig.cwd = path.resolve(path.dirname(pkgPath), pkgConfig.cwd);
|
||||
}
|
||||
|
||||
return {
|
||||
cwd: path.dirname(pkgPath),
|
||||
pkgConfig
|
||||
};
|
||||
}
|
||||
|
||||
return {
|
||||
cwd,
|
||||
pkgConfig: {}
|
||||
};
|
||||
}
|
||||
|
||||
async function actualLoad(configFile) {
|
||||
if (!configFile) {
|
||||
return {};
|
||||
}
|
||||
|
||||
const configExt = path.extname(configFile).toLowerCase();
|
||||
switch (configExt) {
|
||||
case '.js':
|
||||
/* istanbul ignore next: coverage for 13.2.0+ is shown in load-esm.js */
|
||||
if (await getPackageType(configFile) === 'module') {
|
||||
return require('./load-esm')(configFile);
|
||||
}
|
||||
|
||||
/* fallthrough */
|
||||
case '.cjs':
|
||||
return require(configFile);
|
||||
/* istanbul ignore next: coverage for 13.2.0+ is shown in load-esm.js */
|
||||
case '.mjs':
|
||||
return require('./load-esm')(configFile);
|
||||
case '.yml':
|
||||
case '.yaml':
|
||||
return require('js-yaml').load(await readFile(configFile, 'utf8'));
|
||||
default:
|
||||
return JSON.parse(await readFile(configFile, 'utf8'));
|
||||
}
|
||||
}
|
||||
|
||||
async function loadFile(configFile) {
|
||||
/* This lets @istanbuljs/esm-loader-hook avoid circular initialization when loading
|
||||
* configuration. This should generally only happen when the loader hook is active
|
||||
* on the main nyc process. */
|
||||
loadActive = true;
|
||||
|
||||
try {
|
||||
return await actualLoad(configFile);
|
||||
} finally {
|
||||
loadActive = false;
|
||||
}
|
||||
}
|
||||
|
||||
async function applyExtends(config, filename, loopCheck = new Set()) {
|
||||
config = camelcasedConfig(config);
|
||||
if ('extends' in config) {
|
||||
const extConfigs = [].concat(config.extends);
|
||||
if (extConfigs.some(e => typeof e !== 'string')) {
|
||||
throw new TypeError(`${filename} contains an invalid 'extends' option`);
|
||||
}
|
||||
|
||||
delete config.extends;
|
||||
const filePath = path.dirname(filename);
|
||||
for (const extConfig of extConfigs) {
|
||||
const configFile = resolveFrom.silent(filePath, extConfig) ||
|
||||
resolveFrom.silent(filePath, './' + extConfig);
|
||||
if (!configFile) {
|
||||
throw new Error(`Could not resolve configuration file ${extConfig} from ${path.dirname(filename)}.`);
|
||||
}
|
||||
|
||||
if (loopCheck.has(configFile)) {
|
||||
throw new Error(`Circular extended configurations: '${configFile}'.`);
|
||||
}
|
||||
|
||||
loopCheck.add(configFile);
|
||||
|
||||
// eslint-disable-next-line no-await-in-loop
|
||||
const configLoaded = await loadFile(configFile);
|
||||
if ('cwd' in configLoaded) {
|
||||
configLoaded.cwd = path.resolve(path.dirname(configFile), configLoaded.cwd);
|
||||
}
|
||||
|
||||
Object.assign(
|
||||
config,
|
||||
// eslint-disable-next-line no-await-in-loop
|
||||
await applyExtends(configLoaded, configFile, loopCheck)
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
return config;
|
||||
}
|
||||
|
||||
async function loadNycConfig(options = {}) {
|
||||
const {cwd, pkgConfig} = await findPackage(options);
|
||||
const configFiles = [].concat(options.nycrcPath || standardConfigFiles);
|
||||
const configFile = await findUp(configFiles, {cwd});
|
||||
if (options.nycrcPath && !configFile) {
|
||||
throw new Error(`Requested configuration file ${options.nycrcPath} not found`);
|
||||
}
|
||||
|
||||
const config = {
|
||||
cwd,
|
||||
...(await applyExtends(pkgConfig, path.join(cwd, 'package.json'))),
|
||||
...(await applyExtends(await loadFile(configFile), configFile))
|
||||
};
|
||||
|
||||
const arrayFields = ['require', 'extension', 'exclude', 'include'];
|
||||
for (const arrayField of arrayFields) {
|
||||
if (config[arrayField]) {
|
||||
config[arrayField] = [].concat(config[arrayField]);
|
||||
}
|
||||
}
|
||||
|
||||
return config;
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
loadNycConfig,
|
||||
isLoading
|
||||
};
|
||||
12
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/load-esm.js
generated
vendored
Normal file
12
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/load-esm.js
generated
vendored
Normal file
@@ -0,0 +1,12 @@
|
||||
'use strict';
|
||||
|
||||
const {pathToFileURL} = require('url');
|
||||
|
||||
module.exports = async filename => {
|
||||
const mod = await import(pathToFileURL(filename));
|
||||
if ('default' in mod === false) {
|
||||
throw new Error(`${filename} has no default export`);
|
||||
}
|
||||
|
||||
return mod.default;
|
||||
};
|
||||
185
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/CHANGELOG.md
generated
vendored
Normal file
185
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/CHANGELOG.md
generated
vendored
Normal file
@@ -0,0 +1,185 @@
|
||||
1.0.10 / 2018-02-15
|
||||
------------------
|
||||
|
||||
- Use .concat instead of + for arrays, #122.
|
||||
|
||||
|
||||
1.0.9 / 2016-09-29
|
||||
------------------
|
||||
|
||||
- Rerelease after 1.0.8 - deps cleanup.
|
||||
|
||||
|
||||
1.0.8 / 2016-09-29
|
||||
------------------
|
||||
|
||||
- Maintenance (deps bump, fix node 6.5+ tests, coverage report).
|
||||
|
||||
|
||||
1.0.7 / 2016-03-17
|
||||
------------------
|
||||
|
||||
- Teach `addArgument` to accept string arg names. #97, @tomxtobin.
|
||||
|
||||
|
||||
1.0.6 / 2016-02-06
|
||||
------------------
|
||||
|
||||
- Maintenance: moved to eslint & updated CS.
|
||||
|
||||
|
||||
1.0.5 / 2016-02-05
|
||||
------------------
|
||||
|
||||
- Removed lodash dependency to significantly reduce install size.
|
||||
Thanks to @mourner.
|
||||
|
||||
|
||||
1.0.4 / 2016-01-17
|
||||
------------------
|
||||
|
||||
- Maintenance: lodash update to 4.0.0.
|
||||
|
||||
|
||||
1.0.3 / 2015-10-27
|
||||
------------------
|
||||
|
||||
- Fix parse `=` in args: `--examplepath="C:\myfolder\env=x64"`. #84, @CatWithApple.
|
||||
|
||||
|
||||
1.0.2 / 2015-03-22
|
||||
------------------
|
||||
|
||||
- Relaxed lodash version dependency.
|
||||
|
||||
|
||||
1.0.1 / 2015-02-20
|
||||
------------------
|
||||
|
||||
- Changed dependencies to be compatible with ancient nodejs.
|
||||
|
||||
|
||||
1.0.0 / 2015-02-19
|
||||
------------------
|
||||
|
||||
- Maintenance release.
|
||||
- Replaced `underscore` with `lodash`.
|
||||
- Bumped version to 1.0.0 to better reflect semver meaning.
|
||||
- HISTORY.md -> CHANGELOG.md
|
||||
|
||||
|
||||
0.1.16 / 2013-12-01
|
||||
-------------------
|
||||
|
||||
- Maintenance release. Updated dependencies and docs.
|
||||
|
||||
|
||||
0.1.15 / 2013-05-13
|
||||
-------------------
|
||||
|
||||
- Fixed #55, @trebor89
|
||||
|
||||
|
||||
0.1.14 / 2013-05-12
|
||||
-------------------
|
||||
|
||||
- Fixed #62, @maxtaco
|
||||
|
||||
|
||||
0.1.13 / 2013-04-08
|
||||
-------------------
|
||||
|
||||
- Added `.npmignore` to reduce package size
|
||||
|
||||
|
||||
0.1.12 / 2013-02-10
|
||||
-------------------
|
||||
|
||||
- Fixed conflictHandler (#46), @hpaulj
|
||||
|
||||
|
||||
0.1.11 / 2013-02-07
|
||||
-------------------
|
||||
|
||||
- Multiple bugfixes, @hpaulj
|
||||
- Added 70+ tests (ported from python), @hpaulj
|
||||
- Added conflictHandler, @applepicke
|
||||
- Added fromfilePrefixChar, @hpaulj
|
||||
|
||||
|
||||
0.1.10 / 2012-12-30
|
||||
-------------------
|
||||
|
||||
- Added [mutual exclusion](http://docs.python.org/dev/library/argparse.html#mutual-exclusion)
|
||||
support, thanks to @hpaulj
|
||||
- Fixed options check for `storeConst` & `appendConst` actions, thanks to @hpaulj
|
||||
|
||||
|
||||
0.1.9 / 2012-12-27
|
||||
------------------
|
||||
|
||||
- Fixed option dest interferens with other options (issue #23), thanks to @hpaulj
|
||||
- Fixed default value behavior with `*` positionals, thanks to @hpaulj
|
||||
- Improve `getDefault()` behavior, thanks to @hpaulj
|
||||
- Imrove negative argument parsing, thanks to @hpaulj
|
||||
|
||||
|
||||
0.1.8 / 2012-12-01
|
||||
------------------
|
||||
|
||||
- Fixed parser parents (issue #19), thanks to @hpaulj
|
||||
- Fixed negative argument parse (issue #20), thanks to @hpaulj
|
||||
|
||||
|
||||
0.1.7 / 2012-10-14
|
||||
------------------
|
||||
|
||||
- Fixed 'choices' argument parse (issue #16)
|
||||
- Fixed stderr output (issue #15)
|
||||
|
||||
|
||||
0.1.6 / 2012-09-09
|
||||
------------------
|
||||
|
||||
- Fixed check for conflict of options (thanks to @tomxtobin)
|
||||
|
||||
|
||||
0.1.5 / 2012-09-03
|
||||
------------------
|
||||
|
||||
- Fix parser #setDefaults method (thanks to @tomxtobin)
|
||||
|
||||
|
||||
0.1.4 / 2012-07-30
|
||||
------------------
|
||||
|
||||
- Fixed pseudo-argument support (thanks to @CGamesPlay)
|
||||
- Fixed addHelp default (should be true), if not set (thanks to @benblank)
|
||||
|
||||
|
||||
0.1.3 / 2012-06-27
|
||||
------------------
|
||||
|
||||
- Fixed formatter api name: Formatter -> HelpFormatter
|
||||
|
||||
|
||||
0.1.2 / 2012-05-29
|
||||
------------------
|
||||
|
||||
- Added basic tests
|
||||
- Removed excess whitespace in help
|
||||
- Fixed error reporting, when parcer with subcommands
|
||||
called with empty arguments
|
||||
|
||||
|
||||
0.1.1 / 2012-05-23
|
||||
------------------
|
||||
|
||||
- Fixed line wrapping in help formatter
|
||||
- Added better error reporting on invalid arguments
|
||||
|
||||
|
||||
0.1.0 / 2012-05-16
|
||||
------------------
|
||||
|
||||
- First release.
|
||||
21
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/LICENSE
generated
vendored
Normal file
21
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
(The MIT License)
|
||||
|
||||
Copyright (C) 2012 by Vitaly Puzrin
|
||||
|
||||
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.
|
||||
3
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/index.js
generated
vendored
Normal file
3
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/index.js
generated
vendored
Normal file
@@ -0,0 +1,3 @@
|
||||
'use strict';
|
||||
|
||||
module.exports = require('./lib/argparse');
|
||||
34
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/package.json
generated
vendored
Normal file
34
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/argparse/package.json
generated
vendored
Normal file
@@ -0,0 +1,34 @@
|
||||
{
|
||||
"name": "argparse",
|
||||
"description": "Very powerful CLI arguments parser. Native port of argparse - python's options parsing library",
|
||||
"version": "1.0.10",
|
||||
"keywords": [
|
||||
"cli",
|
||||
"parser",
|
||||
"argparse",
|
||||
"option",
|
||||
"args"
|
||||
],
|
||||
"contributors": [
|
||||
"Eugene Shkuropat",
|
||||
"Paul Jacobson"
|
||||
],
|
||||
"files": [
|
||||
"index.js",
|
||||
"lib/"
|
||||
],
|
||||
"license": "MIT",
|
||||
"repository": "nodeca/argparse",
|
||||
"scripts": {
|
||||
"test": "make test"
|
||||
},
|
||||
"dependencies": {
|
||||
"sprintf-js": "~1.0.2"
|
||||
},
|
||||
"devDependencies": {
|
||||
"eslint": "^2.13.1",
|
||||
"istanbul": "^0.4.5",
|
||||
"mocha": "^3.1.0",
|
||||
"ndoc": "^5.0.1"
|
||||
}
|
||||
}
|
||||
137
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/index.d.ts
generated
vendored
Normal file
137
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,137 @@
|
||||
import {Options as LocatePathOptions} from 'locate-path';
|
||||
|
||||
declare const stop: unique symbol;
|
||||
|
||||
declare namespace findUp {
|
||||
interface Options extends LocatePathOptions {}
|
||||
|
||||
type StopSymbol = typeof stop;
|
||||
|
||||
type Match = string | StopSymbol | undefined;
|
||||
}
|
||||
|
||||
declare const findUp: {
|
||||
/**
|
||||
Find a file or directory by walking up parent directories.
|
||||
|
||||
@param name - Name of the file or directory to find. Can be multiple.
|
||||
@returns The first path found (by respecting the order of `name`s) or `undefined` if none could be found.
|
||||
|
||||
@example
|
||||
```
|
||||
// /
|
||||
// └── Users
|
||||
// └── sindresorhus
|
||||
// ├── unicorn.png
|
||||
// └── foo
|
||||
// └── bar
|
||||
// ├── baz
|
||||
// └── example.js
|
||||
|
||||
// example.js
|
||||
import findUp = require('find-up');
|
||||
|
||||
(async () => {
|
||||
console.log(await findUp('unicorn.png'));
|
||||
//=> '/Users/sindresorhus/unicorn.png'
|
||||
|
||||
console.log(await findUp(['rainbow.png', 'unicorn.png']));
|
||||
//=> '/Users/sindresorhus/unicorn.png'
|
||||
})();
|
||||
```
|
||||
*/
|
||||
(name: string | string[], options?: findUp.Options): Promise<string | undefined>;
|
||||
|
||||
/**
|
||||
Find a file or directory by walking up parent directories.
|
||||
|
||||
@param matcher - Called for each directory in the search. Return a path or `findUp.stop` to stop the search.
|
||||
@returns The first path found or `undefined` if none could be found.
|
||||
|
||||
@example
|
||||
```
|
||||
import path = require('path');
|
||||
import findUp = require('find-up');
|
||||
|
||||
(async () => {
|
||||
console.log(await findUp(async directory => {
|
||||
const hasUnicorns = await findUp.exists(path.join(directory, 'unicorn.png'));
|
||||
return hasUnicorns && directory;
|
||||
}, {type: 'directory'}));
|
||||
//=> '/Users/sindresorhus'
|
||||
})();
|
||||
```
|
||||
*/
|
||||
(matcher: (directory: string) => (findUp.Match | Promise<findUp.Match>), options?: findUp.Options): Promise<string | undefined>;
|
||||
|
||||
sync: {
|
||||
/**
|
||||
Synchronously find a file or directory by walking up parent directories.
|
||||
|
||||
@param name - Name of the file or directory to find. Can be multiple.
|
||||
@returns The first path found (by respecting the order of `name`s) or `undefined` if none could be found.
|
||||
*/
|
||||
(name: string | string[], options?: findUp.Options): string | undefined;
|
||||
|
||||
/**
|
||||
Synchronously find a file or directory by walking up parent directories.
|
||||
|
||||
@param matcher - Called for each directory in the search. Return a path or `findUp.stop` to stop the search.
|
||||
@returns The first path found or `undefined` if none could be found.
|
||||
|
||||
@example
|
||||
```
|
||||
import path = require('path');
|
||||
import findUp = require('find-up');
|
||||
|
||||
console.log(findUp.sync(directory => {
|
||||
const hasUnicorns = findUp.sync.exists(path.join(directory, 'unicorn.png'));
|
||||
return hasUnicorns && directory;
|
||||
}, {type: 'directory'}));
|
||||
//=> '/Users/sindresorhus'
|
||||
```
|
||||
*/
|
||||
(matcher: (directory: string) => findUp.Match, options?: findUp.Options): string | undefined;
|
||||
|
||||
/**
|
||||
Synchronously check if a path exists.
|
||||
|
||||
@param path - Path to the file or directory.
|
||||
@returns Whether the path exists.
|
||||
|
||||
@example
|
||||
```
|
||||
import findUp = require('find-up');
|
||||
|
||||
console.log(findUp.sync.exists('/Users/sindresorhus/unicorn.png'));
|
||||
//=> true
|
||||
```
|
||||
*/
|
||||
exists(path: string): boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
Check if a path exists.
|
||||
|
||||
@param path - Path to a file or directory.
|
||||
@returns Whether the path exists.
|
||||
|
||||
@example
|
||||
```
|
||||
import findUp = require('find-up');
|
||||
|
||||
(async () => {
|
||||
console.log(await findUp.exists('/Users/sindresorhus/unicorn.png'));
|
||||
//=> true
|
||||
})();
|
||||
```
|
||||
*/
|
||||
exists(path: string): Promise<boolean>;
|
||||
|
||||
/**
|
||||
Return this in a `matcher` function to stop the search and force `findUp` to immediately return `undefined`.
|
||||
*/
|
||||
readonly stop: findUp.StopSymbol;
|
||||
};
|
||||
|
||||
export = findUp;
|
||||
89
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/index.js
generated
vendored
Normal file
89
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/index.js
generated
vendored
Normal file
@@ -0,0 +1,89 @@
|
||||
'use strict';
|
||||
const path = require('path');
|
||||
const locatePath = require('locate-path');
|
||||
const pathExists = require('path-exists');
|
||||
|
||||
const stop = Symbol('findUp.stop');
|
||||
|
||||
module.exports = async (name, options = {}) => {
|
||||
let directory = path.resolve(options.cwd || '');
|
||||
const {root} = path.parse(directory);
|
||||
const paths = [].concat(name);
|
||||
|
||||
const runMatcher = async locateOptions => {
|
||||
if (typeof name !== 'function') {
|
||||
return locatePath(paths, locateOptions);
|
||||
}
|
||||
|
||||
const foundPath = await name(locateOptions.cwd);
|
||||
if (typeof foundPath === 'string') {
|
||||
return locatePath([foundPath], locateOptions);
|
||||
}
|
||||
|
||||
return foundPath;
|
||||
};
|
||||
|
||||
// eslint-disable-next-line no-constant-condition
|
||||
while (true) {
|
||||
// eslint-disable-next-line no-await-in-loop
|
||||
const foundPath = await runMatcher({...options, cwd: directory});
|
||||
|
||||
if (foundPath === stop) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (foundPath) {
|
||||
return path.resolve(directory, foundPath);
|
||||
}
|
||||
|
||||
if (directory === root) {
|
||||
return;
|
||||
}
|
||||
|
||||
directory = path.dirname(directory);
|
||||
}
|
||||
};
|
||||
|
||||
module.exports.sync = (name, options = {}) => {
|
||||
let directory = path.resolve(options.cwd || '');
|
||||
const {root} = path.parse(directory);
|
||||
const paths = [].concat(name);
|
||||
|
||||
const runMatcher = locateOptions => {
|
||||
if (typeof name !== 'function') {
|
||||
return locatePath.sync(paths, locateOptions);
|
||||
}
|
||||
|
||||
const foundPath = name(locateOptions.cwd);
|
||||
if (typeof foundPath === 'string') {
|
||||
return locatePath.sync([foundPath], locateOptions);
|
||||
}
|
||||
|
||||
return foundPath;
|
||||
};
|
||||
|
||||
// eslint-disable-next-line no-constant-condition
|
||||
while (true) {
|
||||
const foundPath = runMatcher({...options, cwd: directory});
|
||||
|
||||
if (foundPath === stop) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (foundPath) {
|
||||
return path.resolve(directory, foundPath);
|
||||
}
|
||||
|
||||
if (directory === root) {
|
||||
return;
|
||||
}
|
||||
|
||||
directory = path.dirname(directory);
|
||||
}
|
||||
};
|
||||
|
||||
module.exports.exists = pathExists;
|
||||
|
||||
module.exports.sync.exists = pathExists.sync;
|
||||
|
||||
module.exports.stop = stop;
|
||||
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/license
generated
vendored
Normal file
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/license
generated
vendored
Normal file
@@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (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.
|
||||
53
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/package.json
generated
vendored
Normal file
53
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/find-up/package.json
generated
vendored
Normal file
@@ -0,0 +1,53 @@
|
||||
{
|
||||
"name": "find-up",
|
||||
"version": "4.1.0",
|
||||
"description": "Find a file or directory by walking up parent directories",
|
||||
"license": "MIT",
|
||||
"repository": "sindresorhus/find-up",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=8"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"find",
|
||||
"up",
|
||||
"find-up",
|
||||
"findup",
|
||||
"look-up",
|
||||
"look",
|
||||
"file",
|
||||
"search",
|
||||
"match",
|
||||
"package",
|
||||
"resolve",
|
||||
"parent",
|
||||
"parents",
|
||||
"folder",
|
||||
"directory",
|
||||
"walk",
|
||||
"walking",
|
||||
"path"
|
||||
],
|
||||
"dependencies": {
|
||||
"locate-path": "^5.0.0",
|
||||
"path-exists": "^4.0.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"ava": "^2.1.0",
|
||||
"is-path-inside": "^2.1.0",
|
||||
"tempy": "^0.3.0",
|
||||
"tsd": "^0.7.3",
|
||||
"xo": "^0.24.0"
|
||||
}
|
||||
}
|
||||
21
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/LICENSE
generated
vendored
Normal file
21
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
(The MIT License)
|
||||
|
||||
Copyright (C) 2011-2015 by Vitaly Puzrin
|
||||
|
||||
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.
|
||||
138
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/lib/js-yaml/type/binary.js
generated
vendored
Normal file
138
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/lib/js-yaml/type/binary.js
generated
vendored
Normal file
@@ -0,0 +1,138 @@
|
||||
'use strict';
|
||||
|
||||
/*eslint-disable no-bitwise*/
|
||||
|
||||
var NodeBuffer;
|
||||
|
||||
try {
|
||||
// A trick for browserified version, to not include `Buffer` shim
|
||||
var _require = require;
|
||||
NodeBuffer = _require('buffer').Buffer;
|
||||
} catch (__) {}
|
||||
|
||||
var Type = require('../type');
|
||||
|
||||
|
||||
// [ 64, 65, 66 ] -> [ padding, CR, LF ]
|
||||
var BASE64_MAP = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\n\r';
|
||||
|
||||
|
||||
function resolveYamlBinary(data) {
|
||||
if (data === null) return false;
|
||||
|
||||
var code, idx, bitlen = 0, max = data.length, map = BASE64_MAP;
|
||||
|
||||
// Convert one by one.
|
||||
for (idx = 0; idx < max; idx++) {
|
||||
code = map.indexOf(data.charAt(idx));
|
||||
|
||||
// Skip CR/LF
|
||||
if (code > 64) continue;
|
||||
|
||||
// Fail on illegal characters
|
||||
if (code < 0) return false;
|
||||
|
||||
bitlen += 6;
|
||||
}
|
||||
|
||||
// If there are any bits left, source was corrupted
|
||||
return (bitlen % 8) === 0;
|
||||
}
|
||||
|
||||
function constructYamlBinary(data) {
|
||||
var idx, tailbits,
|
||||
input = data.replace(/[\r\n=]/g, ''), // remove CR/LF & padding to simplify scan
|
||||
max = input.length,
|
||||
map = BASE64_MAP,
|
||||
bits = 0,
|
||||
result = [];
|
||||
|
||||
// Collect by 6*4 bits (3 bytes)
|
||||
|
||||
for (idx = 0; idx < max; idx++) {
|
||||
if ((idx % 4 === 0) && idx) {
|
||||
result.push((bits >> 16) & 0xFF);
|
||||
result.push((bits >> 8) & 0xFF);
|
||||
result.push(bits & 0xFF);
|
||||
}
|
||||
|
||||
bits = (bits << 6) | map.indexOf(input.charAt(idx));
|
||||
}
|
||||
|
||||
// Dump tail
|
||||
|
||||
tailbits = (max % 4) * 6;
|
||||
|
||||
if (tailbits === 0) {
|
||||
result.push((bits >> 16) & 0xFF);
|
||||
result.push((bits >> 8) & 0xFF);
|
||||
result.push(bits & 0xFF);
|
||||
} else if (tailbits === 18) {
|
||||
result.push((bits >> 10) & 0xFF);
|
||||
result.push((bits >> 2) & 0xFF);
|
||||
} else if (tailbits === 12) {
|
||||
result.push((bits >> 4) & 0xFF);
|
||||
}
|
||||
|
||||
// Wrap into Buffer for NodeJS and leave Array for browser
|
||||
if (NodeBuffer) {
|
||||
// Support node 6.+ Buffer API when available
|
||||
return NodeBuffer.from ? NodeBuffer.from(result) : new NodeBuffer(result);
|
||||
}
|
||||
|
||||
return result;
|
||||
}
|
||||
|
||||
function representYamlBinary(object /*, style*/) {
|
||||
var result = '', bits = 0, idx, tail,
|
||||
max = object.length,
|
||||
map = BASE64_MAP;
|
||||
|
||||
// Convert every three bytes to 4 ASCII characters.
|
||||
|
||||
for (idx = 0; idx < max; idx++) {
|
||||
if ((idx % 3 === 0) && idx) {
|
||||
result += map[(bits >> 18) & 0x3F];
|
||||
result += map[(bits >> 12) & 0x3F];
|
||||
result += map[(bits >> 6) & 0x3F];
|
||||
result += map[bits & 0x3F];
|
||||
}
|
||||
|
||||
bits = (bits << 8) + object[idx];
|
||||
}
|
||||
|
||||
// Dump tail
|
||||
|
||||
tail = max % 3;
|
||||
|
||||
if (tail === 0) {
|
||||
result += map[(bits >> 18) & 0x3F];
|
||||
result += map[(bits >> 12) & 0x3F];
|
||||
result += map[(bits >> 6) & 0x3F];
|
||||
result += map[bits & 0x3F];
|
||||
} else if (tail === 2) {
|
||||
result += map[(bits >> 10) & 0x3F];
|
||||
result += map[(bits >> 4) & 0x3F];
|
||||
result += map[(bits << 2) & 0x3F];
|
||||
result += map[64];
|
||||
} else if (tail === 1) {
|
||||
result += map[(bits >> 2) & 0x3F];
|
||||
result += map[(bits << 4) & 0x3F];
|
||||
result += map[64];
|
||||
result += map[64];
|
||||
}
|
||||
|
||||
return result;
|
||||
}
|
||||
|
||||
function isBinary(object) {
|
||||
return NodeBuffer && NodeBuffer.isBuffer(object);
|
||||
}
|
||||
|
||||
module.exports = new Type('tag:yaml.org,2002:binary', {
|
||||
kind: 'scalar',
|
||||
resolve: resolveYamlBinary,
|
||||
construct: constructYamlBinary,
|
||||
predicate: isBinary,
|
||||
represent: representYamlBinary
|
||||
});
|
||||
35
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/lib/js-yaml/type/bool.js
generated
vendored
Normal file
35
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/js-yaml/lib/js-yaml/type/bool.js
generated
vendored
Normal file
@@ -0,0 +1,35 @@
|
||||
'use strict';
|
||||
|
||||
var Type = require('../type');
|
||||
|
||||
function resolveYamlBoolean(data) {
|
||||
if (data === null) return false;
|
||||
|
||||
var max = data.length;
|
||||
|
||||
return (max === 4 && (data === 'true' || data === 'True' || data === 'TRUE')) ||
|
||||
(max === 5 && (data === 'false' || data === 'False' || data === 'FALSE'));
|
||||
}
|
||||
|
||||
function constructYamlBoolean(data) {
|
||||
return data === 'true' ||
|
||||
data === 'True' ||
|
||||
data === 'TRUE';
|
||||
}
|
||||
|
||||
function isBoolean(object) {
|
||||
return Object.prototype.toString.call(object) === '[object Boolean]';
|
||||
}
|
||||
|
||||
module.exports = new Type('tag:yaml.org,2002:bool', {
|
||||
kind: 'scalar',
|
||||
resolve: resolveYamlBoolean,
|
||||
construct: constructYamlBoolean,
|
||||
predicate: isBoolean,
|
||||
represent: {
|
||||
lowercase: function (object) { return object ? 'true' : 'false'; },
|
||||
uppercase: function (object) { return object ? 'TRUE' : 'FALSE'; },
|
||||
camelcase: function (object) { return object ? 'True' : 'False'; }
|
||||
},
|
||||
defaultStyle: 'lowercase'
|
||||
});
|
||||
83
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/index.d.ts
generated
vendored
Normal file
83
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,83 @@
|
||||
declare namespace locatePath {
|
||||
interface Options {
|
||||
/**
|
||||
Current working directory.
|
||||
|
||||
@default process.cwd()
|
||||
*/
|
||||
readonly cwd?: string;
|
||||
|
||||
/**
|
||||
Type of path to match.
|
||||
|
||||
@default 'file'
|
||||
*/
|
||||
readonly type?: 'file' | 'directory';
|
||||
|
||||
/**
|
||||
Allow symbolic links to match if they point to the requested path type.
|
||||
|
||||
@default true
|
||||
*/
|
||||
readonly allowSymlinks?: boolean;
|
||||
}
|
||||
|
||||
interface AsyncOptions extends Options {
|
||||
/**
|
||||
Number of concurrently pending promises. Minimum: `1`.
|
||||
|
||||
@default Infinity
|
||||
*/
|
||||
readonly concurrency?: number;
|
||||
|
||||
/**
|
||||
Preserve `paths` order when searching.
|
||||
|
||||
Disable this to improve performance if you don't care about the order.
|
||||
|
||||
@default true
|
||||
*/
|
||||
readonly preserveOrder?: boolean;
|
||||
}
|
||||
}
|
||||
|
||||
declare const locatePath: {
|
||||
/**
|
||||
Get the first path that exists on disk of multiple paths.
|
||||
|
||||
@param paths - Paths to check.
|
||||
@returns The first path that exists or `undefined` if none exists.
|
||||
|
||||
@example
|
||||
```
|
||||
import locatePath = require('locate-path');
|
||||
|
||||
const files = [
|
||||
'unicorn.png',
|
||||
'rainbow.png', // Only this one actually exists on disk
|
||||
'pony.png'
|
||||
];
|
||||
|
||||
(async () => {
|
||||
console(await locatePath(files));
|
||||
//=> 'rainbow'
|
||||
})();
|
||||
```
|
||||
*/
|
||||
(paths: Iterable<string>, options?: locatePath.AsyncOptions): Promise<
|
||||
string | undefined
|
||||
>;
|
||||
|
||||
/**
|
||||
Synchronously get the first path that exists on disk of multiple paths.
|
||||
|
||||
@param paths - Paths to check.
|
||||
@returns The first path that exists or `undefined` if none exists.
|
||||
*/
|
||||
sync(
|
||||
paths: Iterable<string>,
|
||||
options?: locatePath.Options
|
||||
): string | undefined;
|
||||
};
|
||||
|
||||
export = locatePath;
|
||||
65
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/index.js
generated
vendored
Normal file
65
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/index.js
generated
vendored
Normal file
@@ -0,0 +1,65 @@
|
||||
'use strict';
|
||||
const path = require('path');
|
||||
const fs = require('fs');
|
||||
const {promisify} = require('util');
|
||||
const pLocate = require('p-locate');
|
||||
|
||||
const fsStat = promisify(fs.stat);
|
||||
const fsLStat = promisify(fs.lstat);
|
||||
|
||||
const typeMappings = {
|
||||
directory: 'isDirectory',
|
||||
file: 'isFile'
|
||||
};
|
||||
|
||||
function checkType({type}) {
|
||||
if (type in typeMappings) {
|
||||
return;
|
||||
}
|
||||
|
||||
throw new Error(`Invalid type specified: ${type}`);
|
||||
}
|
||||
|
||||
const matchType = (type, stat) => type === undefined || stat[typeMappings[type]]();
|
||||
|
||||
module.exports = async (paths, options) => {
|
||||
options = {
|
||||
cwd: process.cwd(),
|
||||
type: 'file',
|
||||
allowSymlinks: true,
|
||||
...options
|
||||
};
|
||||
checkType(options);
|
||||
const statFn = options.allowSymlinks ? fsStat : fsLStat;
|
||||
|
||||
return pLocate(paths, async path_ => {
|
||||
try {
|
||||
const stat = await statFn(path.resolve(options.cwd, path_));
|
||||
return matchType(options.type, stat);
|
||||
} catch (_) {
|
||||
return false;
|
||||
}
|
||||
}, options);
|
||||
};
|
||||
|
||||
module.exports.sync = (paths, options) => {
|
||||
options = {
|
||||
cwd: process.cwd(),
|
||||
allowSymlinks: true,
|
||||
type: 'file',
|
||||
...options
|
||||
};
|
||||
checkType(options);
|
||||
const statFn = options.allowSymlinks ? fs.statSync : fs.lstatSync;
|
||||
|
||||
for (const path_ of paths) {
|
||||
try {
|
||||
const stat = statFn(path.resolve(options.cwd, path_));
|
||||
|
||||
if (matchType(options.type, stat)) {
|
||||
return path_;
|
||||
}
|
||||
} catch (_) {
|
||||
}
|
||||
}
|
||||
};
|
||||
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/license
generated
vendored
Normal file
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/license
generated
vendored
Normal file
@@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (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.
|
||||
45
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/package.json
generated
vendored
Normal file
45
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/locate-path/package.json
generated
vendored
Normal file
@@ -0,0 +1,45 @@
|
||||
{
|
||||
"name": "locate-path",
|
||||
"version": "5.0.0",
|
||||
"description": "Get the first path that exists on disk of multiple paths",
|
||||
"license": "MIT",
|
||||
"repository": "sindresorhus/locate-path",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=8"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"locate",
|
||||
"path",
|
||||
"paths",
|
||||
"file",
|
||||
"files",
|
||||
"exists",
|
||||
"find",
|
||||
"finder",
|
||||
"search",
|
||||
"searcher",
|
||||
"array",
|
||||
"iterable",
|
||||
"iterator"
|
||||
],
|
||||
"dependencies": {
|
||||
"p-locate": "^4.1.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"ava": "^1.4.1",
|
||||
"tsd": "^0.7.2",
|
||||
"xo": "^0.24.0"
|
||||
}
|
||||
}
|
||||
57
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/index.js
generated
vendored
Normal file
57
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/index.js
generated
vendored
Normal file
@@ -0,0 +1,57 @@
|
||||
'use strict';
|
||||
const pTry = require('p-try');
|
||||
|
||||
const pLimit = concurrency => {
|
||||
if (!((Number.isInteger(concurrency) || concurrency === Infinity) && concurrency > 0)) {
|
||||
return Promise.reject(new TypeError('Expected `concurrency` to be a number from 1 and up'));
|
||||
}
|
||||
|
||||
const queue = [];
|
||||
let activeCount = 0;
|
||||
|
||||
const next = () => {
|
||||
activeCount--;
|
||||
|
||||
if (queue.length > 0) {
|
||||
queue.shift()();
|
||||
}
|
||||
};
|
||||
|
||||
const run = (fn, resolve, ...args) => {
|
||||
activeCount++;
|
||||
|
||||
const result = pTry(fn, ...args);
|
||||
|
||||
resolve(result);
|
||||
|
||||
result.then(next, next);
|
||||
};
|
||||
|
||||
const enqueue = (fn, resolve, ...args) => {
|
||||
if (activeCount < concurrency) {
|
||||
run(fn, resolve, ...args);
|
||||
} else {
|
||||
queue.push(run.bind(null, fn, resolve, ...args));
|
||||
}
|
||||
};
|
||||
|
||||
const generator = (fn, ...args) => new Promise(resolve => enqueue(fn, resolve, ...args));
|
||||
Object.defineProperties(generator, {
|
||||
activeCount: {
|
||||
get: () => activeCount
|
||||
},
|
||||
pendingCount: {
|
||||
get: () => queue.length
|
||||
},
|
||||
clearQueue: {
|
||||
value: () => {
|
||||
queue.length = 0;
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
return generator;
|
||||
};
|
||||
|
||||
module.exports = pLimit;
|
||||
module.exports.default = pLimit;
|
||||
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/license
generated
vendored
Normal file
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/license
generated
vendored
Normal file
@@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (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.
|
||||
52
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/package.json
generated
vendored
Normal file
52
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/package.json
generated
vendored
Normal file
@@ -0,0 +1,52 @@
|
||||
{
|
||||
"name": "p-limit",
|
||||
"version": "2.3.0",
|
||||
"description": "Run multiple promise-returning & async functions with limited concurrency",
|
||||
"license": "MIT",
|
||||
"repository": "sindresorhus/p-limit",
|
||||
"funding": "https://github.com/sponsors/sindresorhus",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=6"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd-check"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"promise",
|
||||
"limit",
|
||||
"limited",
|
||||
"concurrency",
|
||||
"throttle",
|
||||
"throat",
|
||||
"rate",
|
||||
"batch",
|
||||
"ratelimit",
|
||||
"task",
|
||||
"queue",
|
||||
"async",
|
||||
"await",
|
||||
"promises",
|
||||
"bluebird"
|
||||
],
|
||||
"dependencies": {
|
||||
"p-try": "^2.0.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"ava": "^1.2.1",
|
||||
"delay": "^4.1.0",
|
||||
"in-range": "^1.0.0",
|
||||
"random-int": "^1.0.0",
|
||||
"time-span": "^2.0.0",
|
||||
"tsd-check": "^0.3.0",
|
||||
"xo": "^0.24.0"
|
||||
}
|
||||
}
|
||||
101
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/readme.md
generated
vendored
Normal file
101
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-limit/readme.md
generated
vendored
Normal file
@@ -0,0 +1,101 @@
|
||||
# p-limit [](https://travis-ci.org/sindresorhus/p-limit)
|
||||
|
||||
> Run multiple promise-returning & async functions with limited concurrency
|
||||
|
||||
## Install
|
||||
|
||||
```
|
||||
$ npm install p-limit
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
const pLimit = require('p-limit');
|
||||
|
||||
const limit = pLimit(1);
|
||||
|
||||
const input = [
|
||||
limit(() => fetchSomething('foo')),
|
||||
limit(() => fetchSomething('bar')),
|
||||
limit(() => doSomething())
|
||||
];
|
||||
|
||||
(async () => {
|
||||
// Only one promise is run at once
|
||||
const result = await Promise.all(input);
|
||||
console.log(result);
|
||||
})();
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
### pLimit(concurrency)
|
||||
|
||||
Returns a `limit` function.
|
||||
|
||||
#### concurrency
|
||||
|
||||
Type: `number`\
|
||||
Minimum: `1`\
|
||||
Default: `Infinity`
|
||||
|
||||
Concurrency limit.
|
||||
|
||||
### limit(fn, ...args)
|
||||
|
||||
Returns the promise returned by calling `fn(...args)`.
|
||||
|
||||
#### fn
|
||||
|
||||
Type: `Function`
|
||||
|
||||
Promise-returning/async function.
|
||||
|
||||
#### args
|
||||
|
||||
Any arguments to pass through to `fn`.
|
||||
|
||||
Support for passing arguments on to the `fn` is provided in order to be able to avoid creating unnecessary closures. You probably don't need this optimization unless you're pushing a *lot* of functions.
|
||||
|
||||
### limit.activeCount
|
||||
|
||||
The number of promises that are currently running.
|
||||
|
||||
### limit.pendingCount
|
||||
|
||||
The number of promises that are waiting to run (i.e. their internal `fn` was not called yet).
|
||||
|
||||
### limit.clearQueue()
|
||||
|
||||
Discard pending promises that are waiting to run.
|
||||
|
||||
This might be useful if you want to teardown the queue at the end of your program's lifecycle or discard any function calls referencing an intermediary state of your app.
|
||||
|
||||
Note: This does not cancel promises that are already running.
|
||||
|
||||
## FAQ
|
||||
|
||||
### How is this different from the [`p-queue`](https://github.com/sindresorhus/p-queue) package?
|
||||
|
||||
This package is only about limiting the number of concurrent executions, while `p-queue` is a fully featured queue implementation with lots of different options, introspection, and ability to pause the queue.
|
||||
|
||||
## Related
|
||||
|
||||
- [p-queue](https://github.com/sindresorhus/p-queue) - Promise queue with concurrency control
|
||||
- [p-throttle](https://github.com/sindresorhus/p-throttle) - Throttle promise-returning & async functions
|
||||
- [p-debounce](https://github.com/sindresorhus/p-debounce) - Debounce promise-returning & async functions
|
||||
- [p-all](https://github.com/sindresorhus/p-all) - Run promise-returning & async functions concurrently with optional limited concurrency
|
||||
- [More…](https://github.com/sindresorhus/promise-fun)
|
||||
|
||||
---
|
||||
|
||||
<div align="center">
|
||||
<b>
|
||||
<a href="https://tidelift.com/subscription/pkg/npm-p-limit?utm_source=npm-p-limit&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>
|
||||
64
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/index.d.ts
generated
vendored
Normal file
64
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/index.d.ts
generated
vendored
Normal file
@@ -0,0 +1,64 @@
|
||||
declare namespace pLocate {
|
||||
interface Options {
|
||||
/**
|
||||
Number of concurrently pending promises returned by `tester`. Minimum: `1`.
|
||||
|
||||
@default Infinity
|
||||
*/
|
||||
readonly concurrency?: number;
|
||||
|
||||
/**
|
||||
Preserve `input` order when searching.
|
||||
|
||||
Disable this to improve performance if you don't care about the order.
|
||||
|
||||
@default true
|
||||
*/
|
||||
readonly preserveOrder?: boolean;
|
||||
}
|
||||
}
|
||||
|
||||
declare const pLocate: {
|
||||
/**
|
||||
Get the first fulfilled promise that satisfies the provided testing function.
|
||||
|
||||
@param input - An iterable of promises/values to test.
|
||||
@param tester - This function will receive resolved values from `input` and is expected to return a `Promise<boolean>` or `boolean`.
|
||||
@returns A `Promise` that is fulfilled when `tester` resolves to `true` or the iterable is done, or rejects if any of the promises reject. The fulfilled value is the current iterable value or `undefined` if `tester` never resolved to `true`.
|
||||
|
||||
@example
|
||||
```
|
||||
import pathExists = require('path-exists');
|
||||
import pLocate = require('p-locate');
|
||||
|
||||
const files = [
|
||||
'unicorn.png',
|
||||
'rainbow.png', // Only this one actually exists on disk
|
||||
'pony.png'
|
||||
];
|
||||
|
||||
(async () => {
|
||||
const foundPath = await pLocate(files, file => pathExists(file));
|
||||
|
||||
console.log(foundPath);
|
||||
//=> 'rainbow'
|
||||
})();
|
||||
```
|
||||
*/
|
||||
<ValueType>(
|
||||
input: Iterable<PromiseLike<ValueType> | ValueType>,
|
||||
tester: (element: ValueType) => PromiseLike<boolean> | boolean,
|
||||
options?: pLocate.Options
|
||||
): Promise<ValueType | undefined>;
|
||||
|
||||
// TODO: Remove this for the next major release, refactor the whole definition to:
|
||||
// declare function pLocate<ValueType>(
|
||||
// input: Iterable<PromiseLike<ValueType> | ValueType>,
|
||||
// tester: (element: ValueType) => PromiseLike<boolean> | boolean,
|
||||
// options?: pLocate.Options
|
||||
// ): Promise<ValueType | undefined>;
|
||||
// export = pLocate;
|
||||
default: typeof pLocate;
|
||||
};
|
||||
|
||||
export = pLocate;
|
||||
52
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/index.js
generated
vendored
Normal file
52
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/index.js
generated
vendored
Normal file
@@ -0,0 +1,52 @@
|
||||
'use strict';
|
||||
const pLimit = require('p-limit');
|
||||
|
||||
class EndError extends Error {
|
||||
constructor(value) {
|
||||
super();
|
||||
this.value = value;
|
||||
}
|
||||
}
|
||||
|
||||
// The input can also be a promise, so we await it
|
||||
const testElement = async (element, tester) => tester(await element);
|
||||
|
||||
// The input can also be a promise, so we `Promise.all()` them both
|
||||
const finder = async element => {
|
||||
const values = await Promise.all(element);
|
||||
if (values[1] === true) {
|
||||
throw new EndError(values[0]);
|
||||
}
|
||||
|
||||
return false;
|
||||
};
|
||||
|
||||
const pLocate = async (iterable, tester, options) => {
|
||||
options = {
|
||||
concurrency: Infinity,
|
||||
preserveOrder: true,
|
||||
...options
|
||||
};
|
||||
|
||||
const limit = pLimit(options.concurrency);
|
||||
|
||||
// Start all the promises concurrently with optional limit
|
||||
const items = [...iterable].map(element => [element, limit(testElement, element, tester)]);
|
||||
|
||||
// Check the promises either serially or concurrently
|
||||
const checkLimit = pLimit(options.preserveOrder ? 1 : Infinity);
|
||||
|
||||
try {
|
||||
await Promise.all(items.map(element => checkLimit(finder, element)));
|
||||
} catch (error) {
|
||||
if (error instanceof EndError) {
|
||||
return error.value;
|
||||
}
|
||||
|
||||
throw error;
|
||||
}
|
||||
};
|
||||
|
||||
module.exports = pLocate;
|
||||
// TODO: Remove this for the next major release
|
||||
module.exports.default = pLocate;
|
||||
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/license
generated
vendored
Normal file
9
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/license
generated
vendored
Normal file
@@ -0,0 +1,9 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (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.
|
||||
53
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/package.json
generated
vendored
Normal file
53
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/p-locate/package.json
generated
vendored
Normal file
@@ -0,0 +1,53 @@
|
||||
{
|
||||
"name": "p-locate",
|
||||
"version": "4.1.0",
|
||||
"description": "Get the first fulfilled promise that satisfies the provided testing function",
|
||||
"license": "MIT",
|
||||
"repository": "sindresorhus/p-locate",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=8"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava && tsd"
|
||||
},
|
||||
"files": [
|
||||
"index.js",
|
||||
"index.d.ts"
|
||||
],
|
||||
"keywords": [
|
||||
"promise",
|
||||
"locate",
|
||||
"find",
|
||||
"finder",
|
||||
"search",
|
||||
"searcher",
|
||||
"test",
|
||||
"array",
|
||||
"collection",
|
||||
"iterable",
|
||||
"iterator",
|
||||
"race",
|
||||
"fulfilled",
|
||||
"fastest",
|
||||
"async",
|
||||
"await",
|
||||
"promises",
|
||||
"bluebird"
|
||||
],
|
||||
"dependencies": {
|
||||
"p-limit": "^2.2.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"ava": "^1.4.1",
|
||||
"delay": "^4.1.0",
|
||||
"in-range": "^1.0.0",
|
||||
"time-span": "^3.0.0",
|
||||
"tsd": "^0.7.2",
|
||||
"xo": "^0.24.0"
|
||||
}
|
||||
}
|
||||
1
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/.npmignore
generated
vendored
Normal file
1
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/.npmignore
generated
vendored
Normal file
@@ -0,0 +1 @@
|
||||
/node_modules/
|
||||
24
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/LICENSE
generated
vendored
Normal file
24
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,24 @@
|
||||
Copyright (c) 2007-2014, Alexandru Marasteanu <hello [at) alexei (dot] ro>
|
||||
All rights reserved.
|
||||
|
||||
Redistribution and use in source and binary forms, with or without
|
||||
modification, are permitted provided that the following conditions are met:
|
||||
* Redistributions of source code must retain the above copyright
|
||||
notice, this list of conditions and the following disclaimer.
|
||||
* Redistributions in binary form must reproduce the above copyright
|
||||
notice, this list of conditions and the following disclaimer in the
|
||||
documentation and/or other materials provided with the distribution.
|
||||
* Neither the name of this software nor the names of its contributors may be
|
||||
used to endorse or promote products derived from this software without
|
||||
specific prior written permission.
|
||||
|
||||
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
|
||||
ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
|
||||
WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
|
||||
DISCLAIMED. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR
|
||||
ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
|
||||
(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
|
||||
LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
|
||||
ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
|
||||
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
|
||||
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
||||
88
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/README.md
generated
vendored
Normal file
88
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/README.md
generated
vendored
Normal file
@@ -0,0 +1,88 @@
|
||||
# sprintf.js
|
||||
**sprintf.js** is a complete open source JavaScript sprintf implementation for the *browser* and *node.js*.
|
||||
|
||||
Its prototype is simple:
|
||||
|
||||
string sprintf(string format , [mixed arg1 [, mixed arg2 [ ,...]]])
|
||||
|
||||
The placeholders in the format string are marked by `%` and are followed by one or more of these elements, in this order:
|
||||
|
||||
* An optional number followed by a `$` sign that selects which argument index to use for the value. If not specified, arguments will be placed in the same order as the placeholders in the input string.
|
||||
* An optional `+` sign that forces to preceed the result with a plus or minus sign on numeric values. By default, only the `-` sign is used on negative numbers.
|
||||
* An optional padding specifier that says what character to use for padding (if specified). Possible values are `0` or any other character precedeed by a `'` (single quote). The default is to pad with *spaces*.
|
||||
* An optional `-` sign, that causes sprintf to left-align the result of this placeholder. The default is to right-align the result.
|
||||
* An optional number, that says how many characters the result should have. If the value to be returned is shorter than this number, the result will be padded. When used with the `j` (JSON) type specifier, the padding length specifies the tab size used for indentation.
|
||||
* An optional precision modifier, consisting of a `.` (dot) followed by a number, that says how many digits should be displayed for floating point numbers. When used with the `g` type specifier, it specifies the number of significant digits. When used on a string, it causes the result to be truncated.
|
||||
* A type specifier that can be any of:
|
||||
* `%` — yields a literal `%` character
|
||||
* `b` — yields an integer as a binary number
|
||||
* `c` — yields an integer as the character with that ASCII value
|
||||
* `d` or `i` — yields an integer as a signed decimal number
|
||||
* `e` — yields a float using scientific notation
|
||||
* `u` — yields an integer as an unsigned decimal number
|
||||
* `f` — yields a float as is; see notes on precision above
|
||||
* `g` — yields a float as is; see notes on precision above
|
||||
* `o` — yields an integer as an octal number
|
||||
* `s` — yields a string as is
|
||||
* `x` — yields an integer as a hexadecimal number (lower-case)
|
||||
* `X` — yields an integer as a hexadecimal number (upper-case)
|
||||
* `j` — yields a JavaScript object or array as a JSON encoded string
|
||||
|
||||
## JavaScript `vsprintf`
|
||||
`vsprintf` is the same as `sprintf` except that it accepts an array of arguments, rather than a variable number of arguments:
|
||||
|
||||
vsprintf("The first 4 letters of the english alphabet are: %s, %s, %s and %s", ["a", "b", "c", "d"])
|
||||
|
||||
## Argument swapping
|
||||
You can also swap the arguments. That is, the order of the placeholders doesn't have to match the order of the arguments. You can do that by simply indicating in the format string which arguments the placeholders refer to:
|
||||
|
||||
sprintf("%2$s %3$s a %1$s", "cracker", "Polly", "wants")
|
||||
And, of course, you can repeat the placeholders without having to increase the number of arguments.
|
||||
|
||||
## Named arguments
|
||||
Format strings may contain replacement fields rather than positional placeholders. Instead of referring to a certain argument, you can now refer to a certain key within an object. Replacement fields are surrounded by rounded parentheses - `(` and `)` - and begin with a keyword that refers to a key:
|
||||
|
||||
var user = {
|
||||
name: "Dolly"
|
||||
}
|
||||
sprintf("Hello %(name)s", user) // Hello Dolly
|
||||
Keywords in replacement fields can be optionally followed by any number of keywords or indexes:
|
||||
|
||||
var users = [
|
||||
{name: "Dolly"},
|
||||
{name: "Molly"},
|
||||
{name: "Polly"}
|
||||
]
|
||||
sprintf("Hello %(users[0].name)s, %(users[1].name)s and %(users[2].name)s", {users: users}) // Hello Dolly, Molly and Polly
|
||||
Note: mixing positional and named placeholders is not (yet) supported
|
||||
|
||||
## Computed values
|
||||
You can pass in a function as a dynamic value and it will be invoked (with no arguments) in order to compute the value on-the-fly.
|
||||
|
||||
sprintf("Current timestamp: %d", Date.now) // Current timestamp: 1398005382890
|
||||
sprintf("Current date and time: %s", function() { return new Date().toString() })
|
||||
|
||||
# AngularJS
|
||||
You can now use `sprintf` and `vsprintf` (also aliased as `fmt` and `vfmt` respectively) in your AngularJS projects. See `demo/`.
|
||||
|
||||
# Installation
|
||||
|
||||
## Via Bower
|
||||
|
||||
bower install sprintf
|
||||
|
||||
## Or as a node.js module
|
||||
|
||||
npm install sprintf-js
|
||||
|
||||
### Usage
|
||||
|
||||
var sprintf = require("sprintf-js").sprintf,
|
||||
vsprintf = require("sprintf-js").vsprintf
|
||||
|
||||
sprintf("%2$s %3$s a %1$s", "cracker", "Polly", "wants")
|
||||
vsprintf("The first 4 letters of the english alphabet are: %s, %s, %s and %s", ["a", "b", "c", "d"])
|
||||
|
||||
# License
|
||||
|
||||
**sprintf.js** is licensed under the terms of the 3-clause BSD license.
|
||||
22
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/package.json
generated
vendored
Normal file
22
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/node_modules/sprintf-js/package.json
generated
vendored
Normal file
@@ -0,0 +1,22 @@
|
||||
{
|
||||
"name": "sprintf-js",
|
||||
"version": "1.0.3",
|
||||
"description": "JavaScript sprintf implementation",
|
||||
"author": "Alexandru Marasteanu <hello@alexei.ro> (http://alexei.ro/)",
|
||||
"main": "src/sprintf.js",
|
||||
"scripts": {
|
||||
"test": "mocha test/test.js"
|
||||
},
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "https://github.com/alexei/sprintf.js.git"
|
||||
},
|
||||
"license": "BSD-3-Clause",
|
||||
"readmeFilename": "README.md",
|
||||
"devDependencies": {
|
||||
"mocha": "*",
|
||||
"grunt": "*",
|
||||
"grunt-contrib-watch": "*",
|
||||
"grunt-contrib-uglify": "*"
|
||||
}
|
||||
}
|
||||
49
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/package.json
generated
vendored
Normal file
49
unified-ai-platform/node_modules/@istanbuljs/load-nyc-config/package.json
generated
vendored
Normal file
@@ -0,0 +1,49 @@
|
||||
{
|
||||
"name": "@istanbuljs/load-nyc-config",
|
||||
"version": "1.1.0",
|
||||
"description": "Utility function to load nyc configuration",
|
||||
"main": "index.js",
|
||||
"scripts": {
|
||||
"pretest": "xo",
|
||||
"test": "tap",
|
||||
"snap": "npm test -- --snapshot",
|
||||
"release": "standard-version"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=8"
|
||||
},
|
||||
"license": "ISC",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/istanbuljs/load-nyc-config.git"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/istanbuljs/load-nyc-config/issues"
|
||||
},
|
||||
"homepage": "https://github.com/istanbuljs/load-nyc-config#readme",
|
||||
"dependencies": {
|
||||
"camelcase": "^5.3.1",
|
||||
"find-up": "^4.1.0",
|
||||
"get-package-type": "^0.1.0",
|
||||
"js-yaml": "^3.13.1",
|
||||
"resolve-from": "^5.0.0"
|
||||
},
|
||||
"devDependencies": {
|
||||
"semver": "^6.3.0",
|
||||
"standard-version": "^7.0.0",
|
||||
"tap": "^14.10.5",
|
||||
"xo": "^0.25.3"
|
||||
},
|
||||
"xo": {
|
||||
"ignores": [
|
||||
"test/fixtures/extends/invalid.*"
|
||||
],
|
||||
"rules": {
|
||||
"require-atomic-updates": 0,
|
||||
"capitalized-comments": 0,
|
||||
"unicorn/import-index": 0,
|
||||
"import/extensions": 0,
|
||||
"import/no-useless-path-segments": 0
|
||||
}
|
||||
}
|
||||
}
|
||||
21
unified-ai-platform/node_modules/@istanbuljs/schema/LICENSE
generated
vendored
Normal file
21
unified-ai-platform/node_modules/@istanbuljs/schema/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,21 @@
|
||||
MIT License
|
||||
|
||||
Copyright (c) 2019 CFWare, LLC
|
||||
|
||||
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.
|
||||
22
unified-ai-platform/node_modules/@istanbuljs/schema/default-exclude.js
generated
vendored
Normal file
22
unified-ai-platform/node_modules/@istanbuljs/schema/default-exclude.js
generated
vendored
Normal file
@@ -0,0 +1,22 @@
|
||||
'use strict';
|
||||
|
||||
const defaultExtension = require('./default-extension.js');
|
||||
const testFileExtensions = defaultExtension
|
||||
.map(extension => extension.slice(1))
|
||||
.join(',');
|
||||
|
||||
module.exports = [
|
||||
'coverage/**',
|
||||
'packages/*/test{,s}/**',
|
||||
'**/*.d.ts',
|
||||
'test{,s}/**',
|
||||
`test{,-*}.{${testFileExtensions}}`,
|
||||
`**/*{.,-}test.{${testFileExtensions}}`,
|
||||
'**/__tests__/**',
|
||||
|
||||
/* Exclude common development tool configuration files */
|
||||
'**/{ava,babel,nyc}.config.{js,cjs,mjs}',
|
||||
'**/jest.config.{js,cjs,mjs,ts}',
|
||||
'**/{karma,rollup,webpack}.config.js',
|
||||
'**/.{eslint,mocha}rc.{js,cjs}'
|
||||
];
|
||||
10
unified-ai-platform/node_modules/@istanbuljs/schema/default-extension.js
generated
vendored
Normal file
10
unified-ai-platform/node_modules/@istanbuljs/schema/default-extension.js
generated
vendored
Normal file
@@ -0,0 +1,10 @@
|
||||
'use strict';
|
||||
|
||||
module.exports = [
|
||||
'.js',
|
||||
'.cjs',
|
||||
'.mjs',
|
||||
'.ts',
|
||||
'.tsx',
|
||||
'.jsx'
|
||||
];
|
||||
466
unified-ai-platform/node_modules/@istanbuljs/schema/index.js
generated
vendored
Normal file
466
unified-ai-platform/node_modules/@istanbuljs/schema/index.js
generated
vendored
Normal file
@@ -0,0 +1,466 @@
|
||||
'use strict';
|
||||
|
||||
const defaultExclude = require('./default-exclude.js');
|
||||
const defaultExtension = require('./default-extension.js');
|
||||
|
||||
const nycCommands = {
|
||||
all: [null, 'check-coverage', 'instrument', 'merge', 'report'],
|
||||
testExclude: [null, 'instrument', 'report', 'check-coverage'],
|
||||
instrument: [null, 'instrument'],
|
||||
checkCoverage: [null, 'report', 'check-coverage'],
|
||||
report: [null, 'report'],
|
||||
main: [null],
|
||||
instrumentOnly: ['instrument']
|
||||
};
|
||||
|
||||
const cwd = {
|
||||
description: 'working directory used when resolving paths',
|
||||
type: 'string',
|
||||
get default() {
|
||||
return process.cwd();
|
||||
},
|
||||
nycCommands: nycCommands.all
|
||||
};
|
||||
|
||||
const nycrcPath = {
|
||||
description: 'specify an explicit path to find nyc configuration',
|
||||
nycCommands: nycCommands.all
|
||||
};
|
||||
|
||||
const tempDir = {
|
||||
description: 'directory to output raw coverage information to',
|
||||
type: 'string',
|
||||
default: './.nyc_output',
|
||||
nycAlias: 't',
|
||||
nycHiddenAlias: 'temp-directory',
|
||||
nycCommands: [null, 'check-coverage', 'merge', 'report']
|
||||
};
|
||||
|
||||
const testExclude = {
|
||||
exclude: {
|
||||
description: 'a list of specific files and directories that should be excluded from coverage, glob patterns are supported',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: defaultExclude,
|
||||
nycCommands: nycCommands.testExclude,
|
||||
nycAlias: 'x'
|
||||
},
|
||||
excludeNodeModules: {
|
||||
description: 'whether or not to exclude all node_module folders (i.e. **/node_modules/**) by default',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.testExclude
|
||||
},
|
||||
include: {
|
||||
description: 'a list of specific files that should be covered, glob patterns are supported',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: [],
|
||||
nycCommands: nycCommands.testExclude,
|
||||
nycAlias: 'n'
|
||||
},
|
||||
extension: {
|
||||
description: 'a list of extensions that nyc should handle in addition to .js',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: defaultExtension,
|
||||
nycCommands: nycCommands.testExclude,
|
||||
nycAlias: 'e'
|
||||
}
|
||||
};
|
||||
|
||||
const instrumentVisitor = {
|
||||
coverageVariable: {
|
||||
description: 'variable to store coverage',
|
||||
type: 'string',
|
||||
default: '__coverage__',
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
coverageGlobalScope: {
|
||||
description: 'scope to store the coverage variable',
|
||||
type: 'string',
|
||||
default: 'this',
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
coverageGlobalScopeFunc: {
|
||||
description: 'avoid potentially replaced `Function` when finding global scope',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
ignoreClassMethods: {
|
||||
description: 'class method names to ignore for coverage',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: [],
|
||||
nycCommands: nycCommands.instrument
|
||||
}
|
||||
};
|
||||
|
||||
const instrumentParseGen = {
|
||||
autoWrap: {
|
||||
description: 'allow `return` statements outside of functions',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
esModules: {
|
||||
description: 'should files be treated as ES Modules',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
parserPlugins: {
|
||||
description: 'babel parser plugins to use when parsing the source',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
/* Babel parser plugins are to be enabled when the feature is stage 3 and
|
||||
* implemented in a released version of node.js. */
|
||||
default: [
|
||||
'asyncGenerators',
|
||||
'bigInt',
|
||||
'classProperties',
|
||||
'classPrivateProperties',
|
||||
'classPrivateMethods',
|
||||
'dynamicImport',
|
||||
'importMeta',
|
||||
'numericSeparator',
|
||||
'objectRestSpread',
|
||||
'optionalCatchBinding',
|
||||
'topLevelAwait'
|
||||
],
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
compact: {
|
||||
description: 'should the output be compacted?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
preserveComments: {
|
||||
description: 'should comments be preserved in the output?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
produceSourceMap: {
|
||||
description: 'should source maps be produced?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
}
|
||||
};
|
||||
|
||||
const checkCoverage = {
|
||||
excludeAfterRemap: {
|
||||
description: 'should exclude logic be performed after the source-map remaps filenames?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
},
|
||||
branches: {
|
||||
description: 'what % of branches must be covered?',
|
||||
type: 'number',
|
||||
default: 0,
|
||||
minimum: 0,
|
||||
maximum: 100,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
},
|
||||
functions: {
|
||||
description: 'what % of functions must be covered?',
|
||||
type: 'number',
|
||||
default: 0,
|
||||
minimum: 0,
|
||||
maximum: 100,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
},
|
||||
lines: {
|
||||
description: 'what % of lines must be covered?',
|
||||
type: 'number',
|
||||
default: 90,
|
||||
minimum: 0,
|
||||
maximum: 100,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
},
|
||||
statements: {
|
||||
description: 'what % of statements must be covered?',
|
||||
type: 'number',
|
||||
default: 0,
|
||||
minimum: 0,
|
||||
maximum: 100,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
},
|
||||
perFile: {
|
||||
description: 'check thresholds per file',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.checkCoverage
|
||||
}
|
||||
};
|
||||
|
||||
const report = {
|
||||
checkCoverage: {
|
||||
description: 'check whether coverage is within thresholds provided',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.report
|
||||
},
|
||||
reporter: {
|
||||
description: 'coverage reporter(s) to use',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: ['text'],
|
||||
nycCommands: nycCommands.report,
|
||||
nycAlias: 'r'
|
||||
},
|
||||
reportDir: {
|
||||
description: 'directory to output coverage reports in',
|
||||
type: 'string',
|
||||
default: 'coverage',
|
||||
nycCommands: nycCommands.report
|
||||
},
|
||||
showProcessTree: {
|
||||
description: 'display the tree of spawned processes',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.report
|
||||
},
|
||||
skipEmpty: {
|
||||
description: 'don\'t show empty files (no lines of code) in report',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.report
|
||||
},
|
||||
skipFull: {
|
||||
description: 'don\'t show files with 100% statement, branch, and function coverage',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.report
|
||||
}
|
||||
};
|
||||
|
||||
const nycMain = {
|
||||
silent: {
|
||||
description: 'don\'t output a report after tests finish running',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main,
|
||||
nycAlias: 's'
|
||||
},
|
||||
all: {
|
||||
description: 'whether or not to instrument all files of the project (not just the ones touched by your test suite)',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main,
|
||||
nycAlias: 'a'
|
||||
},
|
||||
eager: {
|
||||
description: 'instantiate the instrumenter at startup (see https://git.io/vMKZ9)',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
cache: {
|
||||
description: 'cache instrumentation results for improved performance',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.main,
|
||||
nycAlias: 'c'
|
||||
},
|
||||
cacheDir: {
|
||||
description: 'explicitly set location for instrumentation cache',
|
||||
type: 'string',
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
babelCache: {
|
||||
description: 'cache babel transpilation results for improved performance',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
useSpawnWrap: {
|
||||
description: 'use spawn-wrap instead of setting process.env.NODE_OPTIONS',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
hookRequire: {
|
||||
description: 'should nyc wrap require?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
hookRunInContext: {
|
||||
description: 'should nyc wrap vm.runInContext?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
hookRunInThisContext: {
|
||||
description: 'should nyc wrap vm.runInThisContext?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.main
|
||||
},
|
||||
clean: {
|
||||
description: 'should the .nyc_output folder be cleaned before executing tests',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.main
|
||||
}
|
||||
};
|
||||
|
||||
const instrumentOnly = {
|
||||
inPlace: {
|
||||
description: 'should nyc run the instrumentation in place?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.instrumentOnly
|
||||
},
|
||||
exitOnError: {
|
||||
description: 'should nyc exit when an instrumentation failure occurs?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.instrumentOnly
|
||||
},
|
||||
delete: {
|
||||
description: 'should the output folder be deleted before instrumenting files?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.instrumentOnly
|
||||
},
|
||||
completeCopy: {
|
||||
description: 'should nyc copy all files from input to output as well as instrumented files?',
|
||||
type: 'boolean',
|
||||
default: false,
|
||||
nycCommands: nycCommands.instrumentOnly
|
||||
}
|
||||
};
|
||||
|
||||
const nyc = {
|
||||
description: 'nyc configuration options',
|
||||
type: 'object',
|
||||
properties: {
|
||||
cwd,
|
||||
nycrcPath,
|
||||
tempDir,
|
||||
|
||||
/* Test Exclude */
|
||||
...testExclude,
|
||||
|
||||
/* Instrumentation settings */
|
||||
...instrumentVisitor,
|
||||
|
||||
/* Instrumentation parser/generator settings */
|
||||
...instrumentParseGen,
|
||||
sourceMap: {
|
||||
description: 'should nyc detect and handle source maps?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
require: {
|
||||
description: 'a list of additional modules that nyc should attempt to require in its subprocess, e.g., @babel/register, @babel/polyfill',
|
||||
type: 'array',
|
||||
items: {
|
||||
type: 'string'
|
||||
},
|
||||
default: [],
|
||||
nycCommands: nycCommands.instrument,
|
||||
nycAlias: 'i'
|
||||
},
|
||||
instrument: {
|
||||
description: 'should nyc handle instrumentation?',
|
||||
type: 'boolean',
|
||||
default: true,
|
||||
nycCommands: nycCommands.instrument
|
||||
},
|
||||
|
||||
/* Check coverage */
|
||||
...checkCoverage,
|
||||
|
||||
/* Report options */
|
||||
...report,
|
||||
|
||||
/* Main command options */
|
||||
...nycMain,
|
||||
|
||||
/* Instrument command options */
|
||||
...instrumentOnly
|
||||
}
|
||||
};
|
||||
|
||||
const configs = {
|
||||
nyc,
|
||||
testExclude: {
|
||||
description: 'test-exclude options',
|
||||
type: 'object',
|
||||
properties: {
|
||||
cwd,
|
||||
...testExclude
|
||||
}
|
||||
},
|
||||
babelPluginIstanbul: {
|
||||
description: 'babel-plugin-istanbul options',
|
||||
type: 'object',
|
||||
properties: {
|
||||
cwd,
|
||||
...testExclude,
|
||||
...instrumentVisitor
|
||||
}
|
||||
},
|
||||
instrumentVisitor: {
|
||||
description: 'instrument visitor options',
|
||||
type: 'object',
|
||||
properties: instrumentVisitor
|
||||
},
|
||||
instrumenter: {
|
||||
description: 'stand-alone instrumenter options',
|
||||
type: 'object',
|
||||
properties: {
|
||||
...instrumentVisitor,
|
||||
...instrumentParseGen
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
function defaultsReducer(defaults, [name, {default: value}]) {
|
||||
/* Modifying arrays in defaults is safe, does not change schema. */
|
||||
if (Array.isArray(value)) {
|
||||
value = [...value];
|
||||
}
|
||||
|
||||
return Object.assign(defaults, {[name]: value});
|
||||
}
|
||||
|
||||
module.exports = {
|
||||
...configs,
|
||||
defaults: Object.keys(configs).reduce(
|
||||
(defaults, id) => {
|
||||
Object.defineProperty(defaults, id, {
|
||||
enumerable: true,
|
||||
get() {
|
||||
/* This defers `process.cwd()` until defaults are requested. */
|
||||
return Object.entries(configs[id].properties)
|
||||
.filter(([, info]) => 'default' in info)
|
||||
.reduce(defaultsReducer, {});
|
||||
}
|
||||
});
|
||||
|
||||
return defaults;
|
||||
},
|
||||
{}
|
||||
)
|
||||
};
|
||||
Reference in New Issue
Block a user