forked from enviPath/enviPy
Current Dev State
This commit is contained in:
19
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/LICENSE.BSD
generated
vendored
Normal file
19
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/LICENSE.BSD
generated
vendored
Normal file
@ -0,0 +1,19 @@
|
||||
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.
|
||||
|
||||
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 <COPYRIGHT HOLDER> 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.
|
||||
849
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/estraverse.js
generated
vendored
Normal file
849
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/estraverse.js
generated
vendored
Normal file
@ -0,0 +1,849 @@
|
||||
/*
|
||||
Copyright (C) 2012-2013 Yusuke Suzuki <utatane.tea@gmail.com>
|
||||
Copyright (C) 2012 Ariya Hidayat <ariya.hidayat@gmail.com>
|
||||
|
||||
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.
|
||||
|
||||
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 <COPYRIGHT HOLDER> 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.
|
||||
*/
|
||||
/*jslint vars:false, bitwise:true*/
|
||||
/*jshint indent:4*/
|
||||
/*global exports:true*/
|
||||
(function clone(exports) {
|
||||
'use strict';
|
||||
|
||||
var Syntax,
|
||||
isArray,
|
||||
VisitorOption,
|
||||
VisitorKeys,
|
||||
objectCreate,
|
||||
objectKeys,
|
||||
BREAK,
|
||||
SKIP,
|
||||
REMOVE;
|
||||
|
||||
function ignoreJSHintError() { }
|
||||
|
||||
isArray = Array.isArray;
|
||||
if (!isArray) {
|
||||
isArray = function isArray(array) {
|
||||
return Object.prototype.toString.call(array) === '[object Array]';
|
||||
};
|
||||
}
|
||||
|
||||
function deepCopy(obj) {
|
||||
var ret = {}, key, val;
|
||||
for (key in obj) {
|
||||
if (obj.hasOwnProperty(key)) {
|
||||
val = obj[key];
|
||||
if (typeof val === 'object' && val !== null) {
|
||||
ret[key] = deepCopy(val);
|
||||
} else {
|
||||
ret[key] = val;
|
||||
}
|
||||
}
|
||||
}
|
||||
return ret;
|
||||
}
|
||||
|
||||
function shallowCopy(obj) {
|
||||
var ret = {}, key;
|
||||
for (key in obj) {
|
||||
if (obj.hasOwnProperty(key)) {
|
||||
ret[key] = obj[key];
|
||||
}
|
||||
}
|
||||
return ret;
|
||||
}
|
||||
ignoreJSHintError(shallowCopy);
|
||||
|
||||
// based on LLVM libc++ upper_bound / lower_bound
|
||||
// MIT License
|
||||
|
||||
function upperBound(array, func) {
|
||||
var diff, len, i, current;
|
||||
|
||||
len = array.length;
|
||||
i = 0;
|
||||
|
||||
while (len) {
|
||||
diff = len >>> 1;
|
||||
current = i + diff;
|
||||
if (func(array[current])) {
|
||||
len = diff;
|
||||
} else {
|
||||
i = current + 1;
|
||||
len -= diff + 1;
|
||||
}
|
||||
}
|
||||
return i;
|
||||
}
|
||||
|
||||
function lowerBound(array, func) {
|
||||
var diff, len, i, current;
|
||||
|
||||
len = array.length;
|
||||
i = 0;
|
||||
|
||||
while (len) {
|
||||
diff = len >>> 1;
|
||||
current = i + diff;
|
||||
if (func(array[current])) {
|
||||
i = current + 1;
|
||||
len -= diff + 1;
|
||||
} else {
|
||||
len = diff;
|
||||
}
|
||||
}
|
||||
return i;
|
||||
}
|
||||
ignoreJSHintError(lowerBound);
|
||||
|
||||
objectCreate = Object.create || (function () {
|
||||
function F() { }
|
||||
|
||||
return function (o) {
|
||||
F.prototype = o;
|
||||
return new F();
|
||||
};
|
||||
})();
|
||||
|
||||
objectKeys = Object.keys || function (o) {
|
||||
var keys = [], key;
|
||||
for (key in o) {
|
||||
keys.push(key);
|
||||
}
|
||||
return keys;
|
||||
};
|
||||
|
||||
function extend(to, from) {
|
||||
var keys = objectKeys(from), key, i, len;
|
||||
for (i = 0, len = keys.length; i < len; i += 1) {
|
||||
key = keys[i];
|
||||
to[key] = from[key];
|
||||
}
|
||||
return to;
|
||||
}
|
||||
|
||||
Syntax = {
|
||||
AssignmentExpression: 'AssignmentExpression',
|
||||
AssignmentPattern: 'AssignmentPattern',
|
||||
ArrayExpression: 'ArrayExpression',
|
||||
ArrayPattern: 'ArrayPattern',
|
||||
ArrowFunctionExpression: 'ArrowFunctionExpression',
|
||||
AwaitExpression: 'AwaitExpression', // CAUTION: It's deferred to ES7.
|
||||
BlockStatement: 'BlockStatement',
|
||||
BinaryExpression: 'BinaryExpression',
|
||||
BreakStatement: 'BreakStatement',
|
||||
CallExpression: 'CallExpression',
|
||||
CatchClause: 'CatchClause',
|
||||
ClassBody: 'ClassBody',
|
||||
ClassDeclaration: 'ClassDeclaration',
|
||||
ClassExpression: 'ClassExpression',
|
||||
ComprehensionBlock: 'ComprehensionBlock', // CAUTION: It's deferred to ES7.
|
||||
ComprehensionExpression: 'ComprehensionExpression', // CAUTION: It's deferred to ES7.
|
||||
ConditionalExpression: 'ConditionalExpression',
|
||||
ContinueStatement: 'ContinueStatement',
|
||||
DebuggerStatement: 'DebuggerStatement',
|
||||
DirectiveStatement: 'DirectiveStatement',
|
||||
DoWhileStatement: 'DoWhileStatement',
|
||||
EmptyStatement: 'EmptyStatement',
|
||||
ExportAllDeclaration: 'ExportAllDeclaration',
|
||||
ExportDefaultDeclaration: 'ExportDefaultDeclaration',
|
||||
ExportNamedDeclaration: 'ExportNamedDeclaration',
|
||||
ExportSpecifier: 'ExportSpecifier',
|
||||
ExpressionStatement: 'ExpressionStatement',
|
||||
ForStatement: 'ForStatement',
|
||||
ForInStatement: 'ForInStatement',
|
||||
ForOfStatement: 'ForOfStatement',
|
||||
FunctionDeclaration: 'FunctionDeclaration',
|
||||
FunctionExpression: 'FunctionExpression',
|
||||
GeneratorExpression: 'GeneratorExpression', // CAUTION: It's deferred to ES7.
|
||||
Identifier: 'Identifier',
|
||||
IfStatement: 'IfStatement',
|
||||
ImportDeclaration: 'ImportDeclaration',
|
||||
ImportDefaultSpecifier: 'ImportDefaultSpecifier',
|
||||
ImportNamespaceSpecifier: 'ImportNamespaceSpecifier',
|
||||
ImportSpecifier: 'ImportSpecifier',
|
||||
Literal: 'Literal',
|
||||
LabeledStatement: 'LabeledStatement',
|
||||
LogicalExpression: 'LogicalExpression',
|
||||
MemberExpression: 'MemberExpression',
|
||||
MetaProperty: 'MetaProperty',
|
||||
MethodDefinition: 'MethodDefinition',
|
||||
ModuleSpecifier: 'ModuleSpecifier',
|
||||
NewExpression: 'NewExpression',
|
||||
ObjectExpression: 'ObjectExpression',
|
||||
ObjectPattern: 'ObjectPattern',
|
||||
Program: 'Program',
|
||||
Property: 'Property',
|
||||
RestElement: 'RestElement',
|
||||
ReturnStatement: 'ReturnStatement',
|
||||
SequenceExpression: 'SequenceExpression',
|
||||
SpreadElement: 'SpreadElement',
|
||||
Super: 'Super',
|
||||
SwitchStatement: 'SwitchStatement',
|
||||
SwitchCase: 'SwitchCase',
|
||||
TaggedTemplateExpression: 'TaggedTemplateExpression',
|
||||
TemplateElement: 'TemplateElement',
|
||||
TemplateLiteral: 'TemplateLiteral',
|
||||
ThisExpression: 'ThisExpression',
|
||||
ThrowStatement: 'ThrowStatement',
|
||||
TryStatement: 'TryStatement',
|
||||
UnaryExpression: 'UnaryExpression',
|
||||
UpdateExpression: 'UpdateExpression',
|
||||
VariableDeclaration: 'VariableDeclaration',
|
||||
VariableDeclarator: 'VariableDeclarator',
|
||||
WhileStatement: 'WhileStatement',
|
||||
WithStatement: 'WithStatement',
|
||||
YieldExpression: 'YieldExpression'
|
||||
};
|
||||
|
||||
VisitorKeys = {
|
||||
AssignmentExpression: ['left', 'right'],
|
||||
AssignmentPattern: ['left', 'right'],
|
||||
ArrayExpression: ['elements'],
|
||||
ArrayPattern: ['elements'],
|
||||
ArrowFunctionExpression: ['params', 'body'],
|
||||
AwaitExpression: ['argument'], // CAUTION: It's deferred to ES7.
|
||||
BlockStatement: ['body'],
|
||||
BinaryExpression: ['left', 'right'],
|
||||
BreakStatement: ['label'],
|
||||
CallExpression: ['callee', 'arguments'],
|
||||
CatchClause: ['param', 'body'],
|
||||
ClassBody: ['body'],
|
||||
ClassDeclaration: ['id', 'superClass', 'body'],
|
||||
ClassExpression: ['id', 'superClass', 'body'],
|
||||
ComprehensionBlock: ['left', 'right'], // CAUTION: It's deferred to ES7.
|
||||
ComprehensionExpression: ['blocks', 'filter', 'body'], // CAUTION: It's deferred to ES7.
|
||||
ConditionalExpression: ['test', 'consequent', 'alternate'],
|
||||
ContinueStatement: ['label'],
|
||||
DebuggerStatement: [],
|
||||
DirectiveStatement: [],
|
||||
DoWhileStatement: ['body', 'test'],
|
||||
EmptyStatement: [],
|
||||
ExportAllDeclaration: ['source'],
|
||||
ExportDefaultDeclaration: ['declaration'],
|
||||
ExportNamedDeclaration: ['declaration', 'specifiers', 'source'],
|
||||
ExportSpecifier: ['exported', 'local'],
|
||||
ExpressionStatement: ['expression'],
|
||||
ForStatement: ['init', 'test', 'update', 'body'],
|
||||
ForInStatement: ['left', 'right', 'body'],
|
||||
ForOfStatement: ['left', 'right', 'body'],
|
||||
FunctionDeclaration: ['id', 'params', 'body'],
|
||||
FunctionExpression: ['id', 'params', 'body'],
|
||||
GeneratorExpression: ['blocks', 'filter', 'body'], // CAUTION: It's deferred to ES7.
|
||||
Identifier: [],
|
||||
IfStatement: ['test', 'consequent', 'alternate'],
|
||||
ImportDeclaration: ['specifiers', 'source'],
|
||||
ImportDefaultSpecifier: ['local'],
|
||||
ImportNamespaceSpecifier: ['local'],
|
||||
ImportSpecifier: ['imported', 'local'],
|
||||
Literal: [],
|
||||
LabeledStatement: ['label', 'body'],
|
||||
LogicalExpression: ['left', 'right'],
|
||||
MemberExpression: ['object', 'property'],
|
||||
MetaProperty: ['meta', 'property'],
|
||||
MethodDefinition: ['key', 'value'],
|
||||
ModuleSpecifier: [],
|
||||
NewExpression: ['callee', 'arguments'],
|
||||
ObjectExpression: ['properties'],
|
||||
ObjectPattern: ['properties'],
|
||||
Program: ['body'],
|
||||
Property: ['key', 'value'],
|
||||
RestElement: [ 'argument' ],
|
||||
ReturnStatement: ['argument'],
|
||||
SequenceExpression: ['expressions'],
|
||||
SpreadElement: ['argument'],
|
||||
Super: [],
|
||||
SwitchStatement: ['discriminant', 'cases'],
|
||||
SwitchCase: ['test', 'consequent'],
|
||||
TaggedTemplateExpression: ['tag', 'quasi'],
|
||||
TemplateElement: [],
|
||||
TemplateLiteral: ['quasis', 'expressions'],
|
||||
ThisExpression: [],
|
||||
ThrowStatement: ['argument'],
|
||||
TryStatement: ['block', 'handler', 'finalizer'],
|
||||
UnaryExpression: ['argument'],
|
||||
UpdateExpression: ['argument'],
|
||||
VariableDeclaration: ['declarations'],
|
||||
VariableDeclarator: ['id', 'init'],
|
||||
WhileStatement: ['test', 'body'],
|
||||
WithStatement: ['object', 'body'],
|
||||
YieldExpression: ['argument']
|
||||
};
|
||||
|
||||
// unique id
|
||||
BREAK = {};
|
||||
SKIP = {};
|
||||
REMOVE = {};
|
||||
|
||||
VisitorOption = {
|
||||
Break: BREAK,
|
||||
Skip: SKIP,
|
||||
Remove: REMOVE
|
||||
};
|
||||
|
||||
function Reference(parent, key) {
|
||||
this.parent = parent;
|
||||
this.key = key;
|
||||
}
|
||||
|
||||
Reference.prototype.replace = function replace(node) {
|
||||
this.parent[this.key] = node;
|
||||
};
|
||||
|
||||
Reference.prototype.remove = function remove() {
|
||||
if (isArray(this.parent)) {
|
||||
this.parent.splice(this.key, 1);
|
||||
return true;
|
||||
} else {
|
||||
this.replace(null);
|
||||
return false;
|
||||
}
|
||||
};
|
||||
|
||||
function Element(node, path, wrap, ref) {
|
||||
this.node = node;
|
||||
this.path = path;
|
||||
this.wrap = wrap;
|
||||
this.ref = ref;
|
||||
}
|
||||
|
||||
function Controller() { }
|
||||
|
||||
// API:
|
||||
// return property path array from root to current node
|
||||
Controller.prototype.path = function path() {
|
||||
var i, iz, j, jz, result, element;
|
||||
|
||||
function addToPath(result, path) {
|
||||
if (isArray(path)) {
|
||||
for (j = 0, jz = path.length; j < jz; ++j) {
|
||||
result.push(path[j]);
|
||||
}
|
||||
} else {
|
||||
result.push(path);
|
||||
}
|
||||
}
|
||||
|
||||
// root node
|
||||
if (!this.__current.path) {
|
||||
return null;
|
||||
}
|
||||
|
||||
// first node is sentinel, second node is root element
|
||||
result = [];
|
||||
for (i = 2, iz = this.__leavelist.length; i < iz; ++i) {
|
||||
element = this.__leavelist[i];
|
||||
addToPath(result, element.path);
|
||||
}
|
||||
addToPath(result, this.__current.path);
|
||||
return result;
|
||||
};
|
||||
|
||||
// API:
|
||||
// return type of current node
|
||||
Controller.prototype.type = function () {
|
||||
var node = this.current();
|
||||
return node.type || this.__current.wrap;
|
||||
};
|
||||
|
||||
// API:
|
||||
// return array of parent elements
|
||||
Controller.prototype.parents = function parents() {
|
||||
var i, iz, result;
|
||||
|
||||
// first node is sentinel
|
||||
result = [];
|
||||
for (i = 1, iz = this.__leavelist.length; i < iz; ++i) {
|
||||
result.push(this.__leavelist[i].node);
|
||||
}
|
||||
|
||||
return result;
|
||||
};
|
||||
|
||||
// API:
|
||||
// return current node
|
||||
Controller.prototype.current = function current() {
|
||||
return this.__current.node;
|
||||
};
|
||||
|
||||
Controller.prototype.__execute = function __execute(callback, element) {
|
||||
var previous, result;
|
||||
|
||||
result = undefined;
|
||||
|
||||
previous = this.__current;
|
||||
this.__current = element;
|
||||
this.__state = null;
|
||||
if (callback) {
|
||||
result = callback.call(this, element.node, this.__leavelist[this.__leavelist.length - 1].node);
|
||||
}
|
||||
this.__current = previous;
|
||||
|
||||
return result;
|
||||
};
|
||||
|
||||
// API:
|
||||
// notify control skip / break
|
||||
Controller.prototype.notify = function notify(flag) {
|
||||
this.__state = flag;
|
||||
};
|
||||
|
||||
// API:
|
||||
// skip child nodes of current node
|
||||
Controller.prototype.skip = function () {
|
||||
this.notify(SKIP);
|
||||
};
|
||||
|
||||
// API:
|
||||
// break traversals
|
||||
Controller.prototype['break'] = function () {
|
||||
this.notify(BREAK);
|
||||
};
|
||||
|
||||
// API:
|
||||
// remove node
|
||||
Controller.prototype.remove = function () {
|
||||
this.notify(REMOVE);
|
||||
};
|
||||
|
||||
Controller.prototype.__initialize = function(root, visitor) {
|
||||
this.visitor = visitor;
|
||||
this.root = root;
|
||||
this.__worklist = [];
|
||||
this.__leavelist = [];
|
||||
this.__current = null;
|
||||
this.__state = null;
|
||||
this.__fallback = null;
|
||||
if (visitor.fallback === 'iteration') {
|
||||
this.__fallback = objectKeys;
|
||||
} else if (typeof visitor.fallback === 'function') {
|
||||
this.__fallback = visitor.fallback;
|
||||
}
|
||||
|
||||
this.__keys = VisitorKeys;
|
||||
if (visitor.keys) {
|
||||
this.__keys = extend(objectCreate(this.__keys), visitor.keys);
|
||||
}
|
||||
};
|
||||
|
||||
function isNode(node) {
|
||||
if (node == null) {
|
||||
return false;
|
||||
}
|
||||
return typeof node === 'object' && typeof node.type === 'string';
|
||||
}
|
||||
|
||||
function isProperty(nodeType, key) {
|
||||
return (nodeType === Syntax.ObjectExpression || nodeType === Syntax.ObjectPattern) && 'properties' === key;
|
||||
}
|
||||
|
||||
Controller.prototype.traverse = function traverse(root, visitor) {
|
||||
var worklist,
|
||||
leavelist,
|
||||
element,
|
||||
node,
|
||||
nodeType,
|
||||
ret,
|
||||
key,
|
||||
current,
|
||||
current2,
|
||||
candidates,
|
||||
candidate,
|
||||
sentinel;
|
||||
|
||||
this.__initialize(root, visitor);
|
||||
|
||||
sentinel = {};
|
||||
|
||||
// reference
|
||||
worklist = this.__worklist;
|
||||
leavelist = this.__leavelist;
|
||||
|
||||
// initialize
|
||||
worklist.push(new Element(root, null, null, null));
|
||||
leavelist.push(new Element(null, null, null, null));
|
||||
|
||||
while (worklist.length) {
|
||||
element = worklist.pop();
|
||||
|
||||
if (element === sentinel) {
|
||||
element = leavelist.pop();
|
||||
|
||||
ret = this.__execute(visitor.leave, element);
|
||||
|
||||
if (this.__state === BREAK || ret === BREAK) {
|
||||
return;
|
||||
}
|
||||
continue;
|
||||
}
|
||||
|
||||
if (element.node) {
|
||||
|
||||
ret = this.__execute(visitor.enter, element);
|
||||
|
||||
if (this.__state === BREAK || ret === BREAK) {
|
||||
return;
|
||||
}
|
||||
|
||||
worklist.push(sentinel);
|
||||
leavelist.push(element);
|
||||
|
||||
if (this.__state === SKIP || ret === SKIP) {
|
||||
continue;
|
||||
}
|
||||
|
||||
node = element.node;
|
||||
nodeType = node.type || element.wrap;
|
||||
candidates = this.__keys[nodeType];
|
||||
if (!candidates) {
|
||||
if (this.__fallback) {
|
||||
candidates = this.__fallback(node);
|
||||
} else {
|
||||
throw new Error('Unknown node type ' + nodeType + '.');
|
||||
}
|
||||
}
|
||||
|
||||
current = candidates.length;
|
||||
while ((current -= 1) >= 0) {
|
||||
key = candidates[current];
|
||||
candidate = node[key];
|
||||
if (!candidate) {
|
||||
continue;
|
||||
}
|
||||
|
||||
if (isArray(candidate)) {
|
||||
current2 = candidate.length;
|
||||
while ((current2 -= 1) >= 0) {
|
||||
if (!candidate[current2]) {
|
||||
continue;
|
||||
}
|
||||
if (isProperty(nodeType, candidates[current])) {
|
||||
element = new Element(candidate[current2], [key, current2], 'Property', null);
|
||||
} else if (isNode(candidate[current2])) {
|
||||
element = new Element(candidate[current2], [key, current2], null, null);
|
||||
} else {
|
||||
continue;
|
||||
}
|
||||
worklist.push(element);
|
||||
}
|
||||
} else if (isNode(candidate)) {
|
||||
worklist.push(new Element(candidate, key, null, null));
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
Controller.prototype.replace = function replace(root, visitor) {
|
||||
var worklist,
|
||||
leavelist,
|
||||
node,
|
||||
nodeType,
|
||||
target,
|
||||
element,
|
||||
current,
|
||||
current2,
|
||||
candidates,
|
||||
candidate,
|
||||
sentinel,
|
||||
outer,
|
||||
key;
|
||||
|
||||
function removeElem(element) {
|
||||
var i,
|
||||
key,
|
||||
nextElem,
|
||||
parent;
|
||||
|
||||
if (element.ref.remove()) {
|
||||
// When the reference is an element of an array.
|
||||
key = element.ref.key;
|
||||
parent = element.ref.parent;
|
||||
|
||||
// If removed from array, then decrease following items' keys.
|
||||
i = worklist.length;
|
||||
while (i--) {
|
||||
nextElem = worklist[i];
|
||||
if (nextElem.ref && nextElem.ref.parent === parent) {
|
||||
if (nextElem.ref.key < key) {
|
||||
break;
|
||||
}
|
||||
--nextElem.ref.key;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
this.__initialize(root, visitor);
|
||||
|
||||
sentinel = {};
|
||||
|
||||
// reference
|
||||
worklist = this.__worklist;
|
||||
leavelist = this.__leavelist;
|
||||
|
||||
// initialize
|
||||
outer = {
|
||||
root: root
|
||||
};
|
||||
element = new Element(root, null, null, new Reference(outer, 'root'));
|
||||
worklist.push(element);
|
||||
leavelist.push(element);
|
||||
|
||||
while (worklist.length) {
|
||||
element = worklist.pop();
|
||||
|
||||
if (element === sentinel) {
|
||||
element = leavelist.pop();
|
||||
|
||||
target = this.__execute(visitor.leave, element);
|
||||
|
||||
// node may be replaced with null,
|
||||
// so distinguish between undefined and null in this place
|
||||
if (target !== undefined && target !== BREAK && target !== SKIP && target !== REMOVE) {
|
||||
// replace
|
||||
element.ref.replace(target);
|
||||
}
|
||||
|
||||
if (this.__state === REMOVE || target === REMOVE) {
|
||||
removeElem(element);
|
||||
}
|
||||
|
||||
if (this.__state === BREAK || target === BREAK) {
|
||||
return outer.root;
|
||||
}
|
||||
continue;
|
||||
}
|
||||
|
||||
target = this.__execute(visitor.enter, element);
|
||||
|
||||
// node may be replaced with null,
|
||||
// so distinguish between undefined and null in this place
|
||||
if (target !== undefined && target !== BREAK && target !== SKIP && target !== REMOVE) {
|
||||
// replace
|
||||
element.ref.replace(target);
|
||||
element.node = target;
|
||||
}
|
||||
|
||||
if (this.__state === REMOVE || target === REMOVE) {
|
||||
removeElem(element);
|
||||
element.node = null;
|
||||
}
|
||||
|
||||
if (this.__state === BREAK || target === BREAK) {
|
||||
return outer.root;
|
||||
}
|
||||
|
||||
// node may be null
|
||||
node = element.node;
|
||||
if (!node) {
|
||||
continue;
|
||||
}
|
||||
|
||||
worklist.push(sentinel);
|
||||
leavelist.push(element);
|
||||
|
||||
if (this.__state === SKIP || target === SKIP) {
|
||||
continue;
|
||||
}
|
||||
|
||||
nodeType = node.type || element.wrap;
|
||||
candidates = this.__keys[nodeType];
|
||||
if (!candidates) {
|
||||
if (this.__fallback) {
|
||||
candidates = this.__fallback(node);
|
||||
} else {
|
||||
throw new Error('Unknown node type ' + nodeType + '.');
|
||||
}
|
||||
}
|
||||
|
||||
current = candidates.length;
|
||||
while ((current -= 1) >= 0) {
|
||||
key = candidates[current];
|
||||
candidate = node[key];
|
||||
if (!candidate) {
|
||||
continue;
|
||||
}
|
||||
|
||||
if (isArray(candidate)) {
|
||||
current2 = candidate.length;
|
||||
while ((current2 -= 1) >= 0) {
|
||||
if (!candidate[current2]) {
|
||||
continue;
|
||||
}
|
||||
if (isProperty(nodeType, candidates[current])) {
|
||||
element = new Element(candidate[current2], [key, current2], 'Property', new Reference(candidate, current2));
|
||||
} else if (isNode(candidate[current2])) {
|
||||
element = new Element(candidate[current2], [key, current2], null, new Reference(candidate, current2));
|
||||
} else {
|
||||
continue;
|
||||
}
|
||||
worklist.push(element);
|
||||
}
|
||||
} else if (isNode(candidate)) {
|
||||
worklist.push(new Element(candidate, key, null, new Reference(node, key)));
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return outer.root;
|
||||
};
|
||||
|
||||
function traverse(root, visitor) {
|
||||
var controller = new Controller();
|
||||
return controller.traverse(root, visitor);
|
||||
}
|
||||
|
||||
function replace(root, visitor) {
|
||||
var controller = new Controller();
|
||||
return controller.replace(root, visitor);
|
||||
}
|
||||
|
||||
function extendCommentRange(comment, tokens) {
|
||||
var target;
|
||||
|
||||
target = upperBound(tokens, function search(token) {
|
||||
return token.range[0] > comment.range[0];
|
||||
});
|
||||
|
||||
comment.extendedRange = [comment.range[0], comment.range[1]];
|
||||
|
||||
if (target !== tokens.length) {
|
||||
comment.extendedRange[1] = tokens[target].range[0];
|
||||
}
|
||||
|
||||
target -= 1;
|
||||
if (target >= 0) {
|
||||
comment.extendedRange[0] = tokens[target].range[1];
|
||||
}
|
||||
|
||||
return comment;
|
||||
}
|
||||
|
||||
function attachComments(tree, providedComments, tokens) {
|
||||
// At first, we should calculate extended comment ranges.
|
||||
var comments = [], comment, len, i, cursor;
|
||||
|
||||
if (!tree.range) {
|
||||
throw new Error('attachComments needs range information');
|
||||
}
|
||||
|
||||
// tokens array is empty, we attach comments to tree as 'leadingComments'
|
||||
if (!tokens.length) {
|
||||
if (providedComments.length) {
|
||||
for (i = 0, len = providedComments.length; i < len; i += 1) {
|
||||
comment = deepCopy(providedComments[i]);
|
||||
comment.extendedRange = [0, tree.range[0]];
|
||||
comments.push(comment);
|
||||
}
|
||||
tree.leadingComments = comments;
|
||||
}
|
||||
return tree;
|
||||
}
|
||||
|
||||
for (i = 0, len = providedComments.length; i < len; i += 1) {
|
||||
comments.push(extendCommentRange(deepCopy(providedComments[i]), tokens));
|
||||
}
|
||||
|
||||
// This is based on John Freeman's implementation.
|
||||
cursor = 0;
|
||||
traverse(tree, {
|
||||
enter: function (node) {
|
||||
var comment;
|
||||
|
||||
while (cursor < comments.length) {
|
||||
comment = comments[cursor];
|
||||
if (comment.extendedRange[1] > node.range[0]) {
|
||||
break;
|
||||
}
|
||||
|
||||
if (comment.extendedRange[1] === node.range[0]) {
|
||||
if (!node.leadingComments) {
|
||||
node.leadingComments = [];
|
||||
}
|
||||
node.leadingComments.push(comment);
|
||||
comments.splice(cursor, 1);
|
||||
} else {
|
||||
cursor += 1;
|
||||
}
|
||||
}
|
||||
|
||||
// already out of owned node
|
||||
if (cursor === comments.length) {
|
||||
return VisitorOption.Break;
|
||||
}
|
||||
|
||||
if (comments[cursor].extendedRange[0] > node.range[1]) {
|
||||
return VisitorOption.Skip;
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
cursor = 0;
|
||||
traverse(tree, {
|
||||
leave: function (node) {
|
||||
var comment;
|
||||
|
||||
while (cursor < comments.length) {
|
||||
comment = comments[cursor];
|
||||
if (node.range[1] < comment.extendedRange[0]) {
|
||||
break;
|
||||
}
|
||||
|
||||
if (node.range[1] === comment.extendedRange[0]) {
|
||||
if (!node.trailingComments) {
|
||||
node.trailingComments = [];
|
||||
}
|
||||
node.trailingComments.push(comment);
|
||||
comments.splice(cursor, 1);
|
||||
} else {
|
||||
cursor += 1;
|
||||
}
|
||||
}
|
||||
|
||||
// already out of owned node
|
||||
if (cursor === comments.length) {
|
||||
return VisitorOption.Break;
|
||||
}
|
||||
|
||||
if (comments[cursor].extendedRange[0] > node.range[1]) {
|
||||
return VisitorOption.Skip;
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
return tree;
|
||||
}
|
||||
|
||||
exports.version = require('./package.json').version;
|
||||
exports.Syntax = Syntax;
|
||||
exports.traverse = traverse;
|
||||
exports.replace = replace;
|
||||
exports.attachComments = attachComments;
|
||||
exports.VisitorKeys = VisitorKeys;
|
||||
exports.VisitorOption = VisitorOption;
|
||||
exports.Controller = Controller;
|
||||
exports.cloneEnvironment = function () { return clone({}); };
|
||||
|
||||
return exports;
|
||||
}(exports));
|
||||
/* vim: set sw=4 ts=4 et tw=80 : */
|
||||
70
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/gulpfile.js
generated
vendored
Normal file
70
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/gulpfile.js
generated
vendored
Normal file
@ -0,0 +1,70 @@
|
||||
/*
|
||||
Copyright (C) 2014 Yusuke Suzuki <utatane.tea@gmail.com>
|
||||
|
||||
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.
|
||||
|
||||
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 <COPYRIGHT HOLDER> 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.
|
||||
*/
|
||||
|
||||
'use strict';
|
||||
|
||||
var gulp = require('gulp'),
|
||||
git = require('gulp-git'),
|
||||
bump = require('gulp-bump'),
|
||||
filter = require('gulp-filter'),
|
||||
tagVersion = require('gulp-tag-version');
|
||||
|
||||
var TEST = [ 'test/*.js' ];
|
||||
var POWERED = [ 'powered-test/*.js' ];
|
||||
var SOURCE = [ 'src/**/*.js' ];
|
||||
|
||||
/**
|
||||
* Bumping version number and tagging the repository with it.
|
||||
* Please read http://semver.org/
|
||||
*
|
||||
* You can use the commands
|
||||
*
|
||||
* gulp patch # makes v0.1.0 -> v0.1.1
|
||||
* gulp feature # makes v0.1.1 -> v0.2.0
|
||||
* gulp release # makes v0.2.1 -> v1.0.0
|
||||
*
|
||||
* To bump the version numbers accordingly after you did a patch,
|
||||
* introduced a feature or made a backwards-incompatible release.
|
||||
*/
|
||||
|
||||
function inc(importance) {
|
||||
// get all the files to bump version in
|
||||
return gulp.src(['./package.json'])
|
||||
// bump the version number in those files
|
||||
.pipe(bump({type: importance}))
|
||||
// save it back to filesystem
|
||||
.pipe(gulp.dest('./'))
|
||||
// commit the changed version number
|
||||
.pipe(git.commit('Bumps package version'))
|
||||
// read only one file to get the version number
|
||||
.pipe(filter('package.json'))
|
||||
// **tag it in the repository**
|
||||
.pipe(tagVersion({
|
||||
prefix: ''
|
||||
}));
|
||||
}
|
||||
|
||||
gulp.task('patch', [ ], function () { return inc('patch'); })
|
||||
gulp.task('minor', [ ], function () { return inc('minor'); })
|
||||
gulp.task('major', [ ], function () { return inc('major'); })
|
||||
68
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/package.json
generated
vendored
Normal file
68
static/js/ketcher2/node_modules/eslint/node_modules/estraverse/package.json
generated
vendored
Normal file
@ -0,0 +1,68 @@
|
||||
{
|
||||
"_from": "estraverse@^4.2.0",
|
||||
"_id": "estraverse@4.2.0",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-De4/7TH81GlhjOc0IJn8GvoL2xM=",
|
||||
"_location": "/eslint/estraverse",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "estraverse@^4.2.0",
|
||||
"name": "estraverse",
|
||||
"escapedName": "estraverse",
|
||||
"rawSpec": "^4.2.0",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^4.2.0"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.2.0.tgz",
|
||||
"_shasum": "0dee3fed31fcd469618ce7342099fc1afa0bdb13",
|
||||
"_spec": "estraverse@^4.2.0",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"bugs": {
|
||||
"url": "https://github.com/estools/estraverse/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"deprecated": false,
|
||||
"description": "ECMAScript JS AST traversal functions",
|
||||
"devDependencies": {
|
||||
"babel-preset-es2015": "^6.3.13",
|
||||
"babel-register": "^6.3.13",
|
||||
"chai": "^2.1.1",
|
||||
"espree": "^1.11.0",
|
||||
"gulp": "^3.8.10",
|
||||
"gulp-bump": "^0.2.2",
|
||||
"gulp-filter": "^2.0.0",
|
||||
"gulp-git": "^1.0.1",
|
||||
"gulp-tag-version": "^1.2.1",
|
||||
"jshint": "^2.5.6",
|
||||
"mocha": "^2.1.0"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=0.10.0"
|
||||
},
|
||||
"homepage": "https://github.com/estools/estraverse",
|
||||
"license": "BSD-2-Clause",
|
||||
"main": "estraverse.js",
|
||||
"maintainers": [
|
||||
{
|
||||
"name": "Yusuke Suzuki",
|
||||
"email": "utatane.tea@gmail.com",
|
||||
"url": "http://github.com/Constellation"
|
||||
}
|
||||
],
|
||||
"name": "estraverse",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+ssh://git@github.com/estools/estraverse.git"
|
||||
},
|
||||
"scripts": {
|
||||
"lint": "jshint estraverse.js",
|
||||
"test": "npm run-script lint && npm run-script unit-test",
|
||||
"unit-test": "mocha --compilers js:babel-register"
|
||||
},
|
||||
"version": "4.2.0"
|
||||
}
|
||||
25
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/LICENSE.md
generated
vendored
Normal file
25
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/LICENSE.md
generated
vendored
Normal file
@ -0,0 +1,25 @@
|
||||
(MIT License)
|
||||
|
||||
Copyright (c) 2013 [Ramesh Nair](http://www.hiddentao.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.
|
||||
|
||||
104
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/README.md
generated
vendored
Normal file
104
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/README.md
generated
vendored
Normal file
@ -0,0 +1,104 @@
|
||||
# fast-levenshtein - Levenshtein algorithm in Javascript
|
||||
|
||||
[](http://travis-ci.org/hiddentao/fast-levenshtein)
|
||||
[](https://badge.fury.io/js/fast-levenshtein)
|
||||
[](https://www.npmjs.com/package/fast-levenshtein)
|
||||
[](https://twitter.com/hiddentao)
|
||||
|
||||
An efficient Javascript implementation of the [Levenshtein algorithm](http://en.wikipedia.org/wiki/Levenshtein_distance) with locale-specific collator support.
|
||||
|
||||
## Features
|
||||
|
||||
* Works in node.js and in the browser.
|
||||
* Better performance than other implementations by not needing to store the whole matrix ([more info](http://www.codeproject.com/Articles/13525/Fast-memory-efficient-Levenshtein-algorithm)).
|
||||
* Locale-sensitive string comparisions if needed.
|
||||
* Comprehensive test suite and performance benchmark.
|
||||
* Small: <1 KB minified and gzipped
|
||||
|
||||
## Installation
|
||||
|
||||
### node.js
|
||||
|
||||
Install using [npm](http://npmjs.org/):
|
||||
|
||||
```bash
|
||||
$ npm install fast-levenshtein
|
||||
```
|
||||
|
||||
### Browser
|
||||
|
||||
Using bower:
|
||||
|
||||
```bash
|
||||
$ bower install fast-levenshtein
|
||||
```
|
||||
|
||||
If you are not using any module loader system then the API will then be accessible via the `window.Levenshtein` object.
|
||||
|
||||
## Examples
|
||||
|
||||
**Default usage**
|
||||
|
||||
```javascript
|
||||
var levenshtein = require('fast-levenshtein');
|
||||
|
||||
var distance = levenshtein.get('back', 'book'); // 2
|
||||
var distance = levenshtein.get('我愛你', '我叫你'); // 1
|
||||
```
|
||||
|
||||
**Locale-sensitive string comparisons**
|
||||
|
||||
It supports using [Intl.Collator](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Collator) for locale-sensitive string comparisons:
|
||||
|
||||
```javascript
|
||||
var levenshtein = require('fast-levenshtein');
|
||||
|
||||
levenshtein.get('mikailovitch', 'Mikhaïlovitch', { useCollator: true});
|
||||
// 1
|
||||
```
|
||||
|
||||
## Building and Testing
|
||||
|
||||
To build the code and run the tests:
|
||||
|
||||
```bash
|
||||
$ npm install -g grunt-cli
|
||||
$ npm install
|
||||
$ npm run build
|
||||
```
|
||||
|
||||
## Performance
|
||||
|
||||
_Thanks to [Titus Wormer](https://github.com/wooorm) for [encouraging me](https://github.com/hiddentao/fast-levenshtein/issues/1) to do this._
|
||||
|
||||
Benchmarked against other node.js levenshtein distance modules (on Macbook Air 2012, Core i7, 8GB RAM):
|
||||
|
||||
```bash
|
||||
Running suite Implementation comparison [benchmark/speed.js]...
|
||||
>> levenshtein-edit-distance x 234 ops/sec ±3.02% (73 runs sampled)
|
||||
>> levenshtein-component x 422 ops/sec ±4.38% (83 runs sampled)
|
||||
>> levenshtein-deltas x 283 ops/sec ±3.83% (78 runs sampled)
|
||||
>> natural x 255 ops/sec ±0.76% (88 runs sampled)
|
||||
>> levenshtein x 180 ops/sec ±3.55% (86 runs sampled)
|
||||
>> fast-levenshtein x 1,792 ops/sec ±2.72% (95 runs sampled)
|
||||
Benchmark done.
|
||||
Fastest test is fast-levenshtein at 4.2x faster than levenshtein-component
|
||||
```
|
||||
|
||||
You can run this benchmark yourself by doing:
|
||||
|
||||
```bash
|
||||
$ npm install
|
||||
$ npm run build
|
||||
$ npm run benchmark
|
||||
```
|
||||
|
||||
## Contributing
|
||||
|
||||
If you wish to submit a pull request please update and/or create new tests for any changes you make and ensure the grunt build passes.
|
||||
|
||||
See [CONTRIBUTING.md](https://github.com/hiddentao/fast-levenshtein/blob/master/CONTRIBUTING.md) for details.
|
||||
|
||||
## License
|
||||
|
||||
MIT - see [LICENSE.md](https://github.com/hiddentao/fast-levenshtein/blob/master/LICENSE.md)
|
||||
136
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/levenshtein.js
generated
vendored
Normal file
136
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/levenshtein.js
generated
vendored
Normal file
@ -0,0 +1,136 @@
|
||||
(function() {
|
||||
'use strict';
|
||||
|
||||
var collator;
|
||||
try {
|
||||
collator = (typeof Intl !== "undefined" && typeof Intl.Collator !== "undefined") ? Intl.Collator("generic", { sensitivity: "base" }) : null;
|
||||
} catch (err){
|
||||
console.log("Collator could not be initialized and wouldn't be used");
|
||||
}
|
||||
// arrays to re-use
|
||||
var prevRow = [],
|
||||
str2Char = [];
|
||||
|
||||
/**
|
||||
* Based on the algorithm at http://en.wikipedia.org/wiki/Levenshtein_distance.
|
||||
*/
|
||||
var Levenshtein = {
|
||||
/**
|
||||
* Calculate levenshtein distance of the two strings.
|
||||
*
|
||||
* @param str1 String the first string.
|
||||
* @param str2 String the second string.
|
||||
* @param [options] Additional options.
|
||||
* @param [options.useCollator] Use `Intl.Collator` for locale-sensitive string comparison.
|
||||
* @return Integer the levenshtein distance (0 and above).
|
||||
*/
|
||||
get: function(str1, str2, options) {
|
||||
var useCollator = (options && collator && options.useCollator);
|
||||
|
||||
var str1Len = str1.length,
|
||||
str2Len = str2.length;
|
||||
|
||||
// base cases
|
||||
if (str1Len === 0) return str2Len;
|
||||
if (str2Len === 0) return str1Len;
|
||||
|
||||
// two rows
|
||||
var curCol, nextCol, i, j, tmp;
|
||||
|
||||
// initialise previous row
|
||||
for (i=0; i<str2Len; ++i) {
|
||||
prevRow[i] = i;
|
||||
str2Char[i] = str2.charCodeAt(i);
|
||||
}
|
||||
prevRow[str2Len] = str2Len;
|
||||
|
||||
var strCmp;
|
||||
if (useCollator) {
|
||||
// calculate current row distance from previous row using collator
|
||||
for (i = 0; i < str1Len; ++i) {
|
||||
nextCol = i + 1;
|
||||
|
||||
for (j = 0; j < str2Len; ++j) {
|
||||
curCol = nextCol;
|
||||
|
||||
// substution
|
||||
strCmp = 0 === collator.compare(str1.charAt(i), String.fromCharCode(str2Char[j]));
|
||||
|
||||
nextCol = prevRow[j] + (strCmp ? 0 : 1);
|
||||
|
||||
// insertion
|
||||
tmp = curCol + 1;
|
||||
if (nextCol > tmp) {
|
||||
nextCol = tmp;
|
||||
}
|
||||
// deletion
|
||||
tmp = prevRow[j + 1] + 1;
|
||||
if (nextCol > tmp) {
|
||||
nextCol = tmp;
|
||||
}
|
||||
|
||||
// copy current col value into previous (in preparation for next iteration)
|
||||
prevRow[j] = curCol;
|
||||
}
|
||||
|
||||
// copy last col value into previous (in preparation for next iteration)
|
||||
prevRow[j] = nextCol;
|
||||
}
|
||||
}
|
||||
else {
|
||||
// calculate current row distance from previous row without collator
|
||||
for (i = 0; i < str1Len; ++i) {
|
||||
nextCol = i + 1;
|
||||
|
||||
for (j = 0; j < str2Len; ++j) {
|
||||
curCol = nextCol;
|
||||
|
||||
// substution
|
||||
strCmp = str1.charCodeAt(i) === str2Char[j];
|
||||
|
||||
nextCol = prevRow[j] + (strCmp ? 0 : 1);
|
||||
|
||||
// insertion
|
||||
tmp = curCol + 1;
|
||||
if (nextCol > tmp) {
|
||||
nextCol = tmp;
|
||||
}
|
||||
// deletion
|
||||
tmp = prevRow[j + 1] + 1;
|
||||
if (nextCol > tmp) {
|
||||
nextCol = tmp;
|
||||
}
|
||||
|
||||
// copy current col value into previous (in preparation for next iteration)
|
||||
prevRow[j] = curCol;
|
||||
}
|
||||
|
||||
// copy last col value into previous (in preparation for next iteration)
|
||||
prevRow[j] = nextCol;
|
||||
}
|
||||
}
|
||||
return nextCol;
|
||||
}
|
||||
|
||||
};
|
||||
|
||||
// amd
|
||||
if (typeof define !== "undefined" && define !== null && define.amd) {
|
||||
define(function() {
|
||||
return Levenshtein;
|
||||
});
|
||||
}
|
||||
// commonjs
|
||||
else if (typeof module !== "undefined" && module !== null && typeof exports !== "undefined" && module.exports === exports) {
|
||||
module.exports = Levenshtein;
|
||||
}
|
||||
// web worker
|
||||
else if (typeof self !== "undefined" && typeof self.postMessage === 'function' && typeof self.importScripts === 'function') {
|
||||
self.Levenshtein = Levenshtein;
|
||||
}
|
||||
// browser main thread
|
||||
else if (typeof window !== "undefined" && window !== null) {
|
||||
window.Levenshtein = Levenshtein;
|
||||
}
|
||||
}());
|
||||
|
||||
72
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/package.json
generated
vendored
Normal file
72
static/js/ketcher2/node_modules/eslint/node_modules/fast-levenshtein/package.json
generated
vendored
Normal file
@ -0,0 +1,72 @@
|
||||
{
|
||||
"_from": "fast-levenshtein@~2.0.4",
|
||||
"_id": "fast-levenshtein@2.0.6",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=",
|
||||
"_location": "/eslint/fast-levenshtein",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "fast-levenshtein@~2.0.4",
|
||||
"name": "fast-levenshtein",
|
||||
"escapedName": "fast-levenshtein",
|
||||
"rawSpec": "~2.0.4",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "~2.0.4"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint/optionator"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz",
|
||||
"_shasum": "3d8a5c66883a16a30ca8643e851f19baa7797917",
|
||||
"_spec": "fast-levenshtein@~2.0.4",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint/node_modules/optionator",
|
||||
"author": {
|
||||
"name": "Ramesh Nair",
|
||||
"email": "ram@hiddentao.com",
|
||||
"url": "http://www.hiddentao.com/"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/hiddentao/fast-levenshtein/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"deprecated": false,
|
||||
"description": "Efficient implementation of Levenshtein algorithm with locale-specific collator support.",
|
||||
"devDependencies": {
|
||||
"chai": "~1.5.0",
|
||||
"grunt": "~0.4.1",
|
||||
"grunt-benchmark": "~0.2.0",
|
||||
"grunt-cli": "^1.2.0",
|
||||
"grunt-contrib-jshint": "~0.4.3",
|
||||
"grunt-contrib-uglify": "~0.2.0",
|
||||
"grunt-mocha-test": "~0.2.2",
|
||||
"grunt-npm-install": "~0.1.0",
|
||||
"load-grunt-tasks": "~0.6.0",
|
||||
"lodash": "^4.0.1",
|
||||
"mocha": "~1.9.0"
|
||||
},
|
||||
"files": [
|
||||
"levenshtein.js"
|
||||
],
|
||||
"homepage": "https://github.com/hiddentao/fast-levenshtein#readme",
|
||||
"keywords": [
|
||||
"levenshtein",
|
||||
"distance",
|
||||
"string"
|
||||
],
|
||||
"license": "MIT",
|
||||
"main": "levenshtein.js",
|
||||
"name": "fast-levenshtein",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/hiddentao/fast-levenshtein.git"
|
||||
},
|
||||
"scripts": {
|
||||
"benchmark": "grunt benchmark",
|
||||
"build": "grunt build",
|
||||
"prepublish": "npm run build",
|
||||
"test": "mocha"
|
||||
},
|
||||
"version": "2.0.6"
|
||||
}
|
||||
18
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/LICENSE
generated
vendored
Normal file
18
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/LICENSE
generated
vendored
Normal file
@ -0,0 +1,18 @@
|
||||
This software is released under the MIT license:
|
||||
|
||||
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.
|
||||
7
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/key_cmp.js
generated
vendored
Normal file
7
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/key_cmp.js
generated
vendored
Normal file
@ -0,0 +1,7 @@
|
||||
var stringify = require('../');
|
||||
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
var s = stringify(obj, function (a, b) {
|
||||
return a.key < b.key ? 1 : -1;
|
||||
});
|
||||
console.log(s);
|
||||
3
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/nested.js
generated
vendored
Normal file
3
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/nested.js
generated
vendored
Normal file
@ -0,0 +1,3 @@
|
||||
var stringify = require('../');
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
console.log(stringify(obj));
|
||||
3
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/str.js
generated
vendored
Normal file
3
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/str.js
generated
vendored
Normal file
@ -0,0 +1,3 @@
|
||||
var stringify = require('../');
|
||||
var obj = { c: 6, b: [4,5], a: 3 };
|
||||
console.log(stringify(obj));
|
||||
7
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/value_cmp.js
generated
vendored
Normal file
7
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/example/value_cmp.js
generated
vendored
Normal file
@ -0,0 +1,7 @@
|
||||
var stringify = require('../');
|
||||
|
||||
var obj = { d: 6, c: 5, b: [{z:3,y:2,x:1},9], a: 10 };
|
||||
var s = stringify(obj, function (a, b) {
|
||||
return a.value < b.value ? 1 : -1;
|
||||
});
|
||||
console.log(s);
|
||||
84
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/index.js
generated
vendored
Normal file
84
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/index.js
generated
vendored
Normal file
@ -0,0 +1,84 @@
|
||||
var json = typeof JSON !== 'undefined' ? JSON : require('jsonify');
|
||||
|
||||
module.exports = function (obj, opts) {
|
||||
if (!opts) opts = {};
|
||||
if (typeof opts === 'function') opts = { cmp: opts };
|
||||
var space = opts.space || '';
|
||||
if (typeof space === 'number') space = Array(space+1).join(' ');
|
||||
var cycles = (typeof opts.cycles === 'boolean') ? opts.cycles : false;
|
||||
var replacer = opts.replacer || function(key, value) { return value; };
|
||||
|
||||
var cmp = opts.cmp && (function (f) {
|
||||
return function (node) {
|
||||
return function (a, b) {
|
||||
var aobj = { key: a, value: node[a] };
|
||||
var bobj = { key: b, value: node[b] };
|
||||
return f(aobj, bobj);
|
||||
};
|
||||
};
|
||||
})(opts.cmp);
|
||||
|
||||
var seen = [];
|
||||
return (function stringify (parent, key, node, level) {
|
||||
var indent = space ? ('\n' + new Array(level + 1).join(space)) : '';
|
||||
var colonSeparator = space ? ': ' : ':';
|
||||
|
||||
if (node && node.toJSON && typeof node.toJSON === 'function') {
|
||||
node = node.toJSON();
|
||||
}
|
||||
|
||||
node = replacer.call(parent, key, node);
|
||||
|
||||
if (node === undefined) {
|
||||
return;
|
||||
}
|
||||
if (typeof node !== 'object' || node === null) {
|
||||
return json.stringify(node);
|
||||
}
|
||||
if (isArray(node)) {
|
||||
var out = [];
|
||||
for (var i = 0; i < node.length; i++) {
|
||||
var item = stringify(node, i, node[i], level+1) || json.stringify(null);
|
||||
out.push(indent + space + item);
|
||||
}
|
||||
return '[' + out.join(',') + indent + ']';
|
||||
}
|
||||
else {
|
||||
if (seen.indexOf(node) !== -1) {
|
||||
if (cycles) return json.stringify('__cycle__');
|
||||
throw new TypeError('Converting circular structure to JSON');
|
||||
}
|
||||
else seen.push(node);
|
||||
|
||||
var keys = objectKeys(node).sort(cmp && cmp(node));
|
||||
var out = [];
|
||||
for (var i = 0; i < keys.length; i++) {
|
||||
var key = keys[i];
|
||||
var value = stringify(node, key, node[key], level+1);
|
||||
|
||||
if(!value) continue;
|
||||
|
||||
var keyValue = json.stringify(key)
|
||||
+ colonSeparator
|
||||
+ value;
|
||||
;
|
||||
out.push(indent + space + keyValue);
|
||||
}
|
||||
seen.splice(seen.indexOf(node), 1);
|
||||
return '{' + out.join(',') + indent + '}';
|
||||
}
|
||||
})({ '': obj }, '', obj, 0);
|
||||
};
|
||||
|
||||
var isArray = Array.isArray || function (x) {
|
||||
return {}.toString.call(x) === '[object Array]';
|
||||
};
|
||||
|
||||
var objectKeys = Object.keys || function (obj) {
|
||||
var has = Object.prototype.hasOwnProperty || function () { return true };
|
||||
var keys = [];
|
||||
for (var key in obj) {
|
||||
if (has.call(obj, key)) keys.push(key);
|
||||
}
|
||||
return keys;
|
||||
};
|
||||
74
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/package.json
generated
vendored
Normal file
74
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/package.json
generated
vendored
Normal file
@ -0,0 +1,74 @@
|
||||
{
|
||||
"_from": "json-stable-stringify@^1.0.0",
|
||||
"_id": "json-stable-stringify@1.0.1",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-mnWdOcXy/1A/1TAGRu1EX4jE+a8=",
|
||||
"_location": "/eslint/json-stable-stringify",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "json-stable-stringify@^1.0.0",
|
||||
"name": "json-stable-stringify",
|
||||
"escapedName": "json-stable-stringify",
|
||||
"rawSpec": "^1.0.0",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^1.0.0"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz",
|
||||
"_shasum": "9a759d39c5f2ff503fd5300646ed445f88c4f9af",
|
||||
"_spec": "json-stable-stringify@^1.0.0",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"author": {
|
||||
"name": "James Halliday",
|
||||
"email": "mail@substack.net",
|
||||
"url": "http://substack.net"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/substack/json-stable-stringify/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"dependencies": {
|
||||
"jsonify": "~0.0.0"
|
||||
},
|
||||
"deprecated": false,
|
||||
"description": "deterministic JSON.stringify() with custom sorting to get deterministic hashes from stringified results",
|
||||
"devDependencies": {
|
||||
"tape": "~1.0.4"
|
||||
},
|
||||
"homepage": "https://github.com/substack/json-stable-stringify",
|
||||
"keywords": [
|
||||
"json",
|
||||
"stringify",
|
||||
"deterministic",
|
||||
"hash",
|
||||
"sort",
|
||||
"stable"
|
||||
],
|
||||
"license": "MIT",
|
||||
"main": "index.js",
|
||||
"name": "json-stable-stringify",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/substack/json-stable-stringify.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "tape test/*.js"
|
||||
},
|
||||
"testling": {
|
||||
"files": "test/*.js",
|
||||
"browsers": [
|
||||
"ie/8..latest",
|
||||
"ff/5",
|
||||
"ff/latest",
|
||||
"chrome/15",
|
||||
"chrome/latest",
|
||||
"safari/latest",
|
||||
"opera/latest"
|
||||
]
|
||||
},
|
||||
"version": "1.0.1"
|
||||
}
|
||||
130
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/readme.markdown
generated
vendored
Normal file
130
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/readme.markdown
generated
vendored
Normal file
@ -0,0 +1,130 @@
|
||||
# json-stable-stringify
|
||||
|
||||
deterministic version of `JSON.stringify()` so you can get a consistent hash
|
||||
from stringified results
|
||||
|
||||
You can also pass in a custom comparison function.
|
||||
|
||||
[](https://ci.testling.com/substack/json-stable-stringify)
|
||||
|
||||
[](http://travis-ci.org/substack/json-stable-stringify)
|
||||
|
||||
# example
|
||||
|
||||
``` js
|
||||
var stringify = require('json-stable-stringify');
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
console.log(stringify(obj));
|
||||
```
|
||||
|
||||
output:
|
||||
|
||||
```
|
||||
{"a":3,"b":[{"x":4,"y":5,"z":6},7],"c":8}
|
||||
```
|
||||
|
||||
# methods
|
||||
|
||||
``` js
|
||||
var stringify = require('json-stable-stringify')
|
||||
```
|
||||
|
||||
## var str = stringify(obj, opts)
|
||||
|
||||
Return a deterministic stringified string `str` from the object `obj`.
|
||||
|
||||
## options
|
||||
|
||||
### cmp
|
||||
|
||||
If `opts` is given, you can supply an `opts.cmp` to have a custom comparison
|
||||
function for object keys. Your function `opts.cmp` is called with these
|
||||
parameters:
|
||||
|
||||
``` js
|
||||
opts.cmp({ key: akey, value: avalue }, { key: bkey, value: bvalue })
|
||||
```
|
||||
|
||||
For example, to sort on the object key names in reverse order you could write:
|
||||
|
||||
``` js
|
||||
var stringify = require('json-stable-stringify');
|
||||
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
var s = stringify(obj, function (a, b) {
|
||||
return a.key < b.key ? 1 : -1;
|
||||
});
|
||||
console.log(s);
|
||||
```
|
||||
|
||||
which results in the output string:
|
||||
|
||||
```
|
||||
{"c":8,"b":[{"z":6,"y":5,"x":4},7],"a":3}
|
||||
```
|
||||
|
||||
Or if you wanted to sort on the object values in reverse order, you could write:
|
||||
|
||||
```
|
||||
var stringify = require('json-stable-stringify');
|
||||
|
||||
var obj = { d: 6, c: 5, b: [{z:3,y:2,x:1},9], a: 10 };
|
||||
var s = stringify(obj, function (a, b) {
|
||||
return a.value < b.value ? 1 : -1;
|
||||
});
|
||||
console.log(s);
|
||||
```
|
||||
|
||||
which outputs:
|
||||
|
||||
```
|
||||
{"d":6,"c":5,"b":[{"z":3,"y":2,"x":1},9],"a":10}
|
||||
```
|
||||
|
||||
### space
|
||||
|
||||
If you specify `opts.space`, it will indent the output for pretty-printing.
|
||||
Valid values are strings (e.g. `{space: \t}`) or a number of spaces
|
||||
(`{space: 3}`).
|
||||
|
||||
For example:
|
||||
|
||||
```js
|
||||
var obj = { b: 1, a: { foo: 'bar', and: [1, 2, 3] } };
|
||||
var s = stringify(obj, { space: ' ' });
|
||||
console.log(s);
|
||||
```
|
||||
|
||||
which outputs:
|
||||
|
||||
```
|
||||
{
|
||||
"a": {
|
||||
"and": [
|
||||
1,
|
||||
2,
|
||||
3
|
||||
],
|
||||
"foo": "bar"
|
||||
},
|
||||
"b": 1
|
||||
}
|
||||
```
|
||||
|
||||
### replacer
|
||||
|
||||
The replacer parameter is a function `opts.replacer(key, value)` that behaves
|
||||
the same as the replacer
|
||||
[from the core JSON object](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Using_native_JSON#The_replacer_parameter).
|
||||
|
||||
# install
|
||||
|
||||
With [npm](https://npmjs.org) do:
|
||||
|
||||
```
|
||||
npm install json-stable-stringify
|
||||
```
|
||||
|
||||
# license
|
||||
|
||||
MIT
|
||||
11
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/cmp.js
generated
vendored
Normal file
11
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/cmp.js
generated
vendored
Normal file
@ -0,0 +1,11 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('custom comparison function', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
var s = stringify(obj, function (a, b) {
|
||||
return a.key < b.key ? 1 : -1;
|
||||
});
|
||||
t.equal(s, '{"c":8,"b":[{"z":6,"y":5,"x":4},7],"a":3}');
|
||||
});
|
||||
35
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/nested.js
generated
vendored
Normal file
35
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/nested.js
generated
vendored
Normal file
@ -0,0 +1,35 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('nested', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { c: 8, b: [{z:6,y:5,x:4},7], a: 3 };
|
||||
t.equal(stringify(obj), '{"a":3,"b":[{"x":4,"y":5,"z":6},7],"c":8}');
|
||||
});
|
||||
|
||||
test('cyclic (default)', function (t) {
|
||||
t.plan(1);
|
||||
var one = { a: 1 };
|
||||
var two = { a: 2, one: one };
|
||||
one.two = two;
|
||||
try {
|
||||
stringify(one);
|
||||
} catch (ex) {
|
||||
t.equal(ex.toString(), 'TypeError: Converting circular structure to JSON');
|
||||
}
|
||||
});
|
||||
|
||||
test('cyclic (specifically allowed)', function (t) {
|
||||
t.plan(1);
|
||||
var one = { a: 1 };
|
||||
var two = { a: 2, one: one };
|
||||
one.two = two;
|
||||
t.equal(stringify(one, {cycles:true}), '{"a":1,"two":{"a":2,"one":"__cycle__"}}');
|
||||
});
|
||||
|
||||
test('repeated non-cyclic value', function(t) {
|
||||
t.plan(1);
|
||||
var one = { x: 1 };
|
||||
var two = { a: one, b: one };
|
||||
t.equal(stringify(two), '{"a":{"x":1},"b":{"x":1}}');
|
||||
});
|
||||
74
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/replacer.js
generated
vendored
Normal file
74
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/replacer.js
generated
vendored
Normal file
@ -0,0 +1,74 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('replace root', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: false };
|
||||
var replacer = function(key, value) { return 'one'; };
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '"one"');
|
||||
});
|
||||
|
||||
test('replace numbers', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: false };
|
||||
var replacer = function(key, value) {
|
||||
if(value === 1) return 'one';
|
||||
if(value === 2) return 'two';
|
||||
return value;
|
||||
};
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '{"a":"one","b":"two","c":false}');
|
||||
});
|
||||
|
||||
test('replace with object', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: false };
|
||||
var replacer = function(key, value) {
|
||||
if(key === 'b') return { d: 1 };
|
||||
if(value === 1) return 'one';
|
||||
return value;
|
||||
};
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '{"a":"one","b":{"d":"one"},"c":false}');
|
||||
});
|
||||
|
||||
test('replace with undefined', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: false };
|
||||
var replacer = function(key, value) {
|
||||
if(value === false) return;
|
||||
return value;
|
||||
};
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '{"a":1,"b":2}');
|
||||
});
|
||||
|
||||
test('replace with array', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: false };
|
||||
var replacer = function(key, value) {
|
||||
if(key === 'b') return ['one', 'two'];
|
||||
return value;
|
||||
};
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '{"a":1,"b":["one","two"],"c":false}');
|
||||
});
|
||||
|
||||
test('replace array item', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var obj = { a: 1, b: 2, c: [1,2] };
|
||||
var replacer = function(key, value) {
|
||||
if(value === 1) return 'one';
|
||||
if(value === 2) return 'two';
|
||||
return value;
|
||||
};
|
||||
|
||||
t.equal(stringify(obj, { replacer: replacer }), '{"a":"one","b":"two","c":["one","two"]}');
|
||||
});
|
||||
59
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/space.js
generated
vendored
Normal file
59
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/space.js
generated
vendored
Normal file
@ -0,0 +1,59 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('space parameter', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2 };
|
||||
t.equal(stringify(obj, {space: ' '}), ''
|
||||
+ '{\n'
|
||||
+ ' "one": 1,\n'
|
||||
+ ' "two": 2\n'
|
||||
+ '}'
|
||||
);
|
||||
});
|
||||
|
||||
test('space parameter (with tabs)', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2 };
|
||||
t.equal(stringify(obj, {space: '\t'}), ''
|
||||
+ '{\n'
|
||||
+ '\t"one": 1,\n'
|
||||
+ '\t"two": 2\n'
|
||||
+ '}'
|
||||
);
|
||||
});
|
||||
|
||||
test('space parameter (with a number)', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2 };
|
||||
t.equal(stringify(obj, {space: 3}), ''
|
||||
+ '{\n'
|
||||
+ ' "one": 1,\n'
|
||||
+ ' "two": 2\n'
|
||||
+ '}'
|
||||
);
|
||||
});
|
||||
|
||||
test('space parameter (nested objects)', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: { b: 4, a: [2,3] } };
|
||||
t.equal(stringify(obj, {space: ' '}), ''
|
||||
+ '{\n'
|
||||
+ ' "one": 1,\n'
|
||||
+ ' "two": {\n'
|
||||
+ ' "a": [\n'
|
||||
+ ' 2,\n'
|
||||
+ ' 3\n'
|
||||
+ ' ],\n'
|
||||
+ ' "b": 4\n'
|
||||
+ ' }\n'
|
||||
+ '}'
|
||||
);
|
||||
});
|
||||
|
||||
test('space parameter (same as native)', function (t) {
|
||||
t.plan(1);
|
||||
// for this test, properties need to be in alphabetical order
|
||||
var obj = { one: 1, two: { a: [2,3], b: 4 } };
|
||||
t.equal(stringify(obj, {space: ' '}), JSON.stringify(obj, null, ' '));
|
||||
});
|
||||
32
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/str.js
generated
vendored
Normal file
32
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/str.js
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('simple object', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { c: 6, b: [4,5], a: 3, z: null };
|
||||
t.equal(stringify(obj), '{"a":3,"b":[4,5],"c":6,"z":null}');
|
||||
});
|
||||
|
||||
test('object with undefined', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { a: 3, z: undefined };
|
||||
t.equal(stringify(obj), '{"a":3}');
|
||||
});
|
||||
|
||||
test('array with undefined', function (t) {
|
||||
t.plan(1);
|
||||
var obj = [4, undefined, 6];
|
||||
t.equal(stringify(obj), '[4,null,6]');
|
||||
});
|
||||
|
||||
test('object with empty string', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { a: 3, z: '' };
|
||||
t.equal(stringify(obj), '{"a":3,"z":""}');
|
||||
});
|
||||
|
||||
test('array with empty string', function (t) {
|
||||
t.plan(1);
|
||||
var obj = [4, '', 6];
|
||||
t.equal(stringify(obj), '[4,"",6]');
|
||||
});
|
||||
20
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/to-json.js
generated
vendored
Normal file
20
static/js/ketcher2/node_modules/eslint/node_modules/json-stable-stringify/test/to-json.js
generated
vendored
Normal file
@ -0,0 +1,20 @@
|
||||
var test = require('tape');
|
||||
var stringify = require('../');
|
||||
|
||||
test('toJSON function', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2, toJSON: function() { return { one: 1 }; } };
|
||||
t.equal(stringify(obj), '{"one":1}' );
|
||||
});
|
||||
|
||||
test('toJSON returns string', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2, toJSON: function() { return 'one'; } };
|
||||
t.equal(stringify(obj), '"one"');
|
||||
});
|
||||
|
||||
test('toJSON returns array', function (t) {
|
||||
t.plan(1);
|
||||
var obj = { one: 1, two: 2, toJSON: function() { return ['one']; } };
|
||||
t.equal(stringify(obj), '["one"]');
|
||||
});
|
||||
22
static/js/ketcher2/node_modules/eslint/node_modules/levn/LICENSE
generated
vendored
Normal file
22
static/js/ketcher2/node_modules/eslint/node_modules/levn/LICENSE
generated
vendored
Normal file
@ -0,0 +1,22 @@
|
||||
Copyright (c) George Zahariev
|
||||
|
||||
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.
|
||||
196
static/js/ketcher2/node_modules/eslint/node_modules/levn/README.md
generated
vendored
Normal file
196
static/js/ketcher2/node_modules/eslint/node_modules/levn/README.md
generated
vendored
Normal file
@ -0,0 +1,196 @@
|
||||
# levn [](https://travis-ci.org/gkz/levn) <a name="levn" />
|
||||
__Light ECMAScript (JavaScript) Value Notation__
|
||||
Levn is a library which allows you to parse a string into a JavaScript value based on an expected type. It is meant for short amounts of human entered data (eg. config files, command line arguments).
|
||||
|
||||
Levn aims to concisely describe JavaScript values in text, and allow for the extraction and validation of those values. Levn uses [type-check](https://github.com/gkz/type-check) for its type format, and to validate the results. MIT license. Version 0.3.0.
|
||||
|
||||
__How is this different than JSON?__ levn is meant to be written by humans only, is (due to the previous point) much more concise, can be validated against supplied types, has regex and date literals, and can easily be extended with custom types. On the other hand, it is probably slower and thus less efficient at transporting large amounts of data, which is fine since this is not its purpose.
|
||||
|
||||
npm install levn
|
||||
|
||||
For updates on levn, [follow me on twitter](https://twitter.com/gkzahariev).
|
||||
|
||||
|
||||
## Quick Examples
|
||||
|
||||
```js
|
||||
var parse = require('levn').parse;
|
||||
parse('Number', '2'); // 2
|
||||
parse('String', '2'); // '2'
|
||||
parse('String', 'levn'); // 'levn'
|
||||
parse('String', 'a b'); // 'a b'
|
||||
parse('Boolean', 'true'); // true
|
||||
|
||||
parse('Date', '#2011-11-11#'); // (Date object)
|
||||
parse('Date', '2011-11-11'); // (Date object)
|
||||
parse('RegExp', '/[a-z]/gi'); // /[a-z]/gi
|
||||
parse('RegExp', 're'); // /re/
|
||||
parse('Int', '2'); // 2
|
||||
|
||||
parse('Number | String', 'str'); // 'str'
|
||||
parse('Number | String', '2'); // 2
|
||||
|
||||
parse('[Number]', '[1,2,3]'); // [1,2,3]
|
||||
parse('(String, Boolean)', '(hi, false)'); // ['hi', false]
|
||||
parse('{a: String, b: Number}', '{a: str, b: 2}'); // {a: 'str', b: 2}
|
||||
|
||||
// at the top level, you can ommit surrounding delimiters
|
||||
parse('[Number]', '1,2,3'); // [1,2,3]
|
||||
parse('(String, Boolean)', 'hi, false'); // ['hi', false]
|
||||
parse('{a: String, b: Number}', 'a: str, b: 2'); // {a: 'str', b: 2}
|
||||
|
||||
// wildcard - auto choose type
|
||||
parse('*', '[hi,(null,[42]),{k: true}]'); // ['hi', [null, [42]], {k: true}]
|
||||
```
|
||||
## Usage
|
||||
|
||||
`require('levn');` returns an object that exposes three properties. `VERSION` is the current version of the library as a string. `parse` and `parsedTypeParse` are functions.
|
||||
|
||||
```js
|
||||
// parse(type, input, options);
|
||||
parse('[Number]', '1,2,3'); // [1, 2, 3]
|
||||
|
||||
// parsedTypeParse(parsedType, input, options);
|
||||
var parsedType = require('type-check').parseType('[Number]');
|
||||
parsedTypeParse(parsedType, '1,2,3'); // [1, 2, 3]
|
||||
```
|
||||
|
||||
### parse(type, input, options)
|
||||
|
||||
`parse` casts the string `input` into a JavaScript value according to the specified `type` in the [type format](https://github.com/gkz/type-check#type-format) (and taking account the optional `options`) and returns the resulting JavaScript value.
|
||||
|
||||
##### arguments
|
||||
* type - `String` - the type written in the [type format](https://github.com/gkz/type-check#type-format) which to check against
|
||||
* input - `String` - the value written in the [levn format](#levn-format)
|
||||
* options - `Maybe Object` - an optional parameter specifying additional [options](#options)
|
||||
|
||||
##### returns
|
||||
`*` - the resulting JavaScript value
|
||||
|
||||
##### example
|
||||
```js
|
||||
parse('[Number]', '1,2,3'); // [1, 2, 3]
|
||||
```
|
||||
|
||||
### parsedTypeParse(parsedType, input, options)
|
||||
|
||||
`parsedTypeParse` casts the string `input` into a JavaScript value according to the specified `type` which has already been parsed (and taking account the optional `options`) and returns the resulting JavaScript value. You can parse a type using the [type-check](https://github.com/gkz/type-check) library's `parseType` function.
|
||||
|
||||
##### arguments
|
||||
* type - `Object` - the type in the parsed type format which to check against
|
||||
* input - `String` - the value written in the [levn format](#levn-format)
|
||||
* options - `Maybe Object` - an optional parameter specifying additional [options](#options)
|
||||
|
||||
##### returns
|
||||
`*` - the resulting JavaScript value
|
||||
|
||||
##### example
|
||||
```js
|
||||
var parsedType = require('type-check').parseType('[Number]');
|
||||
parsedTypeParse(parsedType, '1,2,3'); // [1, 2, 3]
|
||||
```
|
||||
|
||||
## Levn Format
|
||||
|
||||
Levn can use the type information you provide to choose the appropriate value to produce from the input. For the same input, it will choose a different output value depending on the type provided. For example, `parse('Number', '2')` will produce the number `2`, but `parse('String', '2')` will produce the string `"2"`.
|
||||
|
||||
If you do not provide type information, and simply use `*`, levn will parse the input according the unambiguous "explicit" mode, which we will now detail - you can also set the `explicit` option to true manually in the [options](#options).
|
||||
|
||||
* `"string"`, `'string'` are parsed as a String, eg. `"a msg"` is `"a msg"`
|
||||
* `#date#` is parsed as a Date, eg. `#2011-11-11#` is `new Date('2011-11-11')`
|
||||
* `/regexp/flags` is parsed as a RegExp, eg. `/re/gi` is `/re/gi`
|
||||
* `undefined`, `null`, `NaN`, `true`, and `false` are all their JavaScript equivalents
|
||||
* `[element1, element2, etc]` is an Array, and the casting procedure is recursively applied to each element. Eg. `[1,2,3]` is `[1,2,3]`.
|
||||
* `(element1, element2, etc)` is an tuple, and the casting procedure is recursively applied to each element. Eg. `(1, a)` is `(1, a)` (is `[1, 'a']`).
|
||||
* `{key1: val1, key2: val2, ...}` is an Object, and the casting procedure is recursively applied to each property. Eg. `{a: 1, b: 2}` is `{a: 1, b: 2}`.
|
||||
* Any test which does not fall under the above, and which does not contain special characters (`[``]``(``)``{``}``:``,`) is a string, eg. `$12- blah` is `"$12- blah"`.
|
||||
|
||||
If you do provide type information, you can make your input more concise as the program already has some information about what it expects. Please see the [type format](https://github.com/gkz/type-check#type-format) section of [type-check](https://github.com/gkz/type-check) for more information about how to specify types. There are some rules about what levn can do with the information:
|
||||
|
||||
* If a String is expected, and only a String, all characters of the input (including any special ones) will become part of the output. Eg. `[({})]` is `"[({})]"`, and `"hi"` is `'"hi"'`.
|
||||
* If a Date is expected, the surrounding `#` can be omitted from date literals. Eg. `2011-11-11` is `new Date('2011-11-11')`.
|
||||
* If a RegExp is expected, no flags need to be specified, and the regex is not using any of the special characters,the opening and closing `/` can be omitted - this will have the affect of setting the source of the regex to the input. Eg. `regex` is `/regex/`.
|
||||
* If an Array is expected, and it is the root node (at the top level), the opening `[` and closing `]` can be omitted. Eg. `1,2,3` is `[1,2,3]`.
|
||||
* If a tuple is expected, and it is the root node (at the top level), the opening `(` and closing `)` can be omitted. Eg. `1, a` is `(1, a)` (is `[1, 'a']`).
|
||||
* If an Object is expected, and it is the root node (at the top level), the opening `{` and closing `}` can be omitted. Eg `a: 1, b: 2` is `{a: 1, b: 2}`.
|
||||
|
||||
If you list multiple types (eg. `Number | String`), it will first attempt to cast to the first type and then validate - if the validation fails it will move on to the next type and so forth, left to right. You must be careful as some types will succeed with any input, such as String. Thus put String at the end of your list. In non-explicit mode, Date and RegExp will succeed with a large variety of input - also be careful with these and list them near the end if not last in your list.
|
||||
|
||||
Whitespace between special characters and elements is inconsequential.
|
||||
|
||||
## Options
|
||||
|
||||
Options is an object. It is an optional parameter to the `parse` and `parsedTypeParse` functions.
|
||||
|
||||
### Explicit
|
||||
|
||||
A `Boolean`. By default it is `false`.
|
||||
|
||||
__Example:__
|
||||
|
||||
```js
|
||||
parse('RegExp', 're', {explicit: false}); // /re/
|
||||
parse('RegExp', 're', {explicit: true}); // Error: ... does not type check...
|
||||
parse('RegExp | String', 're', {explicit: true}); // 're'
|
||||
```
|
||||
|
||||
`explicit` sets whether to be in explicit mode or not. Using `*` automatically activates explicit mode. For more information, read the [levn format](#levn-format) section.
|
||||
|
||||
### customTypes
|
||||
|
||||
An `Object`. Empty `{}` by default.
|
||||
|
||||
__Example:__
|
||||
|
||||
```js
|
||||
var options = {
|
||||
customTypes: {
|
||||
Even: {
|
||||
typeOf: 'Number',
|
||||
validate: function (x) {
|
||||
return x % 2 === 0;
|
||||
},
|
||||
cast: function (x) {
|
||||
return {type: 'Just', value: parseInt(x)};
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
parse('Even', '2', options); // 2
|
||||
parse('Even', '3', options); // Error: Value: "3" does not type check...
|
||||
```
|
||||
|
||||
__Another Example:__
|
||||
```js
|
||||
function Person(name, age){
|
||||
this.name = name;
|
||||
this.age = age;
|
||||
}
|
||||
var options = {
|
||||
customTypes: {
|
||||
Person: {
|
||||
typeOf: 'Object',
|
||||
validate: function (x) {
|
||||
x instanceof Person;
|
||||
},
|
||||
cast: function (value, options, typesCast) {
|
||||
var name, age;
|
||||
if ({}.toString.call(value).slice(8, -1) !== 'Object') {
|
||||
return {type: 'Nothing'};
|
||||
}
|
||||
name = typesCast(value.name, [{type: 'String'}], options);
|
||||
age = typesCast(value.age, [{type: 'Numger'}], options);
|
||||
return {type: 'Just', value: new Person(name, age)};
|
||||
}
|
||||
}
|
||||
}
|
||||
parse('Person', '{name: Laura, age: 25}', options); // Person {name: 'Laura', age: 25}
|
||||
```
|
||||
|
||||
`customTypes` is an object whose keys are the name of the types, and whose values are an object with three properties, `typeOf`, `validate`, and `cast`. For more information about `typeOf` and `validate`, please see the [custom types](https://github.com/gkz/type-check#custom-types) section of type-check.
|
||||
|
||||
`cast` is a function which receives three arguments, the value under question, options, and the typesCast function. In `cast`, attempt to cast the value into the specified type. If you are successful, return an object in the format `{type: 'Just', value: CAST-VALUE}`, if you know it won't work, return `{type: 'Nothing'}`. You can use the `typesCast` function to cast any child values. Remember to pass `options` to it. In your function you can also check for `options.explicit` and act accordingly.
|
||||
|
||||
## Technical About
|
||||
|
||||
`levn` is written in [LiveScript](http://livescript.net/) - a language that compiles to JavaScript. It uses [type-check](https://github.com/gkz/type-check) to both parse types and validate values. It also uses the [prelude.ls](http://preludels.com/) library.
|
||||
298
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/cast.js
generated
vendored
Normal file
298
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/cast.js
generated
vendored
Normal file
@ -0,0 +1,298 @@
|
||||
// Generated by LiveScript 1.4.0
|
||||
(function(){
|
||||
var parsedTypeCheck, types, toString$ = {}.toString;
|
||||
parsedTypeCheck = require('type-check').parsedTypeCheck;
|
||||
types = {
|
||||
'*': function(value, options){
|
||||
switch (toString$.call(value).slice(8, -1)) {
|
||||
case 'Array':
|
||||
return typeCast(value, {
|
||||
type: 'Array'
|
||||
}, options);
|
||||
case 'Object':
|
||||
return typeCast(value, {
|
||||
type: 'Object'
|
||||
}, options);
|
||||
default:
|
||||
return {
|
||||
type: 'Just',
|
||||
value: typesCast(value, [
|
||||
{
|
||||
type: 'Undefined'
|
||||
}, {
|
||||
type: 'Null'
|
||||
}, {
|
||||
type: 'NaN'
|
||||
}, {
|
||||
type: 'Boolean'
|
||||
}, {
|
||||
type: 'Number'
|
||||
}, {
|
||||
type: 'Date'
|
||||
}, {
|
||||
type: 'RegExp'
|
||||
}, {
|
||||
type: 'Array'
|
||||
}, {
|
||||
type: 'Object'
|
||||
}, {
|
||||
type: 'String'
|
||||
}
|
||||
], (options.explicit = true, options))
|
||||
};
|
||||
}
|
||||
},
|
||||
Undefined: function(it){
|
||||
if (it === 'undefined' || it === void 8) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: void 8
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Null: function(it){
|
||||
if (it === 'null') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: null
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
NaN: function(it){
|
||||
if (it === 'NaN') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: NaN
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Boolean: function(it){
|
||||
if (it === 'true') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: true
|
||||
};
|
||||
} else if (it === 'false') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: false
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Number: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: +it
|
||||
};
|
||||
},
|
||||
Int: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: +it
|
||||
};
|
||||
},
|
||||
Float: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: +it
|
||||
};
|
||||
},
|
||||
Date: function(value, options){
|
||||
var that;
|
||||
if (that = /^\#([\s\S]*)\#$/.exec(value)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new Date(+that[1] || that[1])
|
||||
};
|
||||
} else if (options.explicit) {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new Date(+value || value)
|
||||
};
|
||||
}
|
||||
},
|
||||
RegExp: function(value, options){
|
||||
var that;
|
||||
if (that = /^\/([\s\S]*)\/([gimy]*)$/.exec(value)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new RegExp(that[1], that[2])
|
||||
};
|
||||
} else if (options.explicit) {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new RegExp(value)
|
||||
};
|
||||
}
|
||||
},
|
||||
Array: function(value, options){
|
||||
return castArray(value, {
|
||||
of: [{
|
||||
type: '*'
|
||||
}]
|
||||
}, options);
|
||||
},
|
||||
Object: function(value, options){
|
||||
return castFields(value, {
|
||||
of: {}
|
||||
}, options);
|
||||
},
|
||||
String: function(it){
|
||||
var that;
|
||||
if (toString$.call(it).slice(8, -1) !== 'String') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
if (that = it.match(/^'([\s\S]*)'$/)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: that[1].replace(/\\'/g, "'")
|
||||
};
|
||||
} else if (that = it.match(/^"([\s\S]*)"$/)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: that[1].replace(/\\"/g, '"')
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: it
|
||||
};
|
||||
}
|
||||
}
|
||||
};
|
||||
function castArray(node, type, options){
|
||||
var typeOf, element;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Array') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
typeOf = type.of;
|
||||
return {
|
||||
type: 'Just',
|
||||
value: (function(){
|
||||
var i$, ref$, len$, results$ = [];
|
||||
for (i$ = 0, len$ = (ref$ = node).length; i$ < len$; ++i$) {
|
||||
element = ref$[i$];
|
||||
results$.push(typesCast(element, typeOf, options));
|
||||
}
|
||||
return results$;
|
||||
}())
|
||||
};
|
||||
}
|
||||
function castTuple(node, type, options){
|
||||
var result, i, i$, ref$, len$, types, cast;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Array') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
result = [];
|
||||
i = 0;
|
||||
for (i$ = 0, len$ = (ref$ = type.of).length; i$ < len$; ++i$) {
|
||||
types = ref$[i$];
|
||||
cast = typesCast(node[i], types, options);
|
||||
if (toString$.call(cast).slice(8, -1) !== 'Undefined') {
|
||||
result.push(cast);
|
||||
}
|
||||
i++;
|
||||
}
|
||||
if (node.length <= i) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: result
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
}
|
||||
function castFields(node, type, options){
|
||||
var typeOf, key, value;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Object') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
typeOf = type.of;
|
||||
return {
|
||||
type: 'Just',
|
||||
value: (function(){
|
||||
var ref$, resultObj$ = {};
|
||||
for (key in ref$ = node) {
|
||||
value = ref$[key];
|
||||
resultObj$[typesCast(key, [{
|
||||
type: 'String'
|
||||
}], options)] = typesCast(value, typeOf[key] || [{
|
||||
type: '*'
|
||||
}], options);
|
||||
}
|
||||
return resultObj$;
|
||||
}())
|
||||
};
|
||||
}
|
||||
function typeCast(node, typeObj, options){
|
||||
var type, structure, castFunc, ref$;
|
||||
type = typeObj.type, structure = typeObj.structure;
|
||||
if (type) {
|
||||
castFunc = ((ref$ = options.customTypes[type]) != null ? ref$.cast : void 8) || types[type];
|
||||
if (!castFunc) {
|
||||
throw new Error("Type not defined: " + type + ".");
|
||||
}
|
||||
return castFunc(node, options, typesCast);
|
||||
} else {
|
||||
switch (structure) {
|
||||
case 'array':
|
||||
return castArray(node, typeObj, options);
|
||||
case 'tuple':
|
||||
return castTuple(node, typeObj, options);
|
||||
case 'fields':
|
||||
return castFields(node, typeObj, options);
|
||||
}
|
||||
}
|
||||
}
|
||||
function typesCast(node, types, options){
|
||||
var i$, len$, type, ref$, valueType, value;
|
||||
for (i$ = 0, len$ = types.length; i$ < len$; ++i$) {
|
||||
type = types[i$];
|
||||
ref$ = typeCast(node, type, options), valueType = ref$.type, value = ref$.value;
|
||||
if (valueType === 'Nothing') {
|
||||
continue;
|
||||
}
|
||||
if (parsedTypeCheck([type], value, {
|
||||
customTypes: options.customTypes
|
||||
})) {
|
||||
return value;
|
||||
}
|
||||
}
|
||||
throw new Error("Value " + JSON.stringify(node) + " does not type check against " + JSON.stringify(types) + ".");
|
||||
}
|
||||
module.exports = typesCast;
|
||||
}).call(this);
|
||||
285
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/coerce.js
generated
vendored
Normal file
285
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/coerce.js
generated
vendored
Normal file
@ -0,0 +1,285 @@
|
||||
// Generated by LiveScript 1.2.0
|
||||
(function(){
|
||||
var parsedTypeCheck, types, toString$ = {}.toString;
|
||||
parsedTypeCheck = require('type-check').parsedTypeCheck;
|
||||
types = {
|
||||
'*': function(it){
|
||||
switch (toString$.call(it).slice(8, -1)) {
|
||||
case 'Array':
|
||||
return coerceType(it, {
|
||||
type: 'Array'
|
||||
});
|
||||
case 'Object':
|
||||
return coerceType(it, {
|
||||
type: 'Object'
|
||||
});
|
||||
default:
|
||||
return {
|
||||
type: 'Just',
|
||||
value: coerceTypes(it, [
|
||||
{
|
||||
type: 'Undefined'
|
||||
}, {
|
||||
type: 'Null'
|
||||
}, {
|
||||
type: 'NaN'
|
||||
}, {
|
||||
type: 'Boolean'
|
||||
}, {
|
||||
type: 'Number'
|
||||
}, {
|
||||
type: 'Date'
|
||||
}, {
|
||||
type: 'RegExp'
|
||||
}, {
|
||||
type: 'Array'
|
||||
}, {
|
||||
type: 'Object'
|
||||
}, {
|
||||
type: 'String'
|
||||
}
|
||||
], {
|
||||
explicit: true
|
||||
})
|
||||
};
|
||||
}
|
||||
},
|
||||
Undefined: function(it){
|
||||
if (it === 'undefined' || it === void 8) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: void 8
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Null: function(it){
|
||||
if (it === 'null') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: null
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
NaN: function(it){
|
||||
if (it === 'NaN') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: NaN
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Boolean: function(it){
|
||||
if (it === 'true') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: true
|
||||
};
|
||||
} else if (it === 'false') {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: false
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
},
|
||||
Number: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: +it
|
||||
};
|
||||
},
|
||||
Int: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: parseInt(it)
|
||||
};
|
||||
},
|
||||
Float: function(it){
|
||||
return {
|
||||
type: 'Just',
|
||||
value: parseFloat(it)
|
||||
};
|
||||
},
|
||||
Date: function(value, options){
|
||||
var that;
|
||||
if (that = /^\#(.*)\#$/.exec(value)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new Date(+that[1] || that[1])
|
||||
};
|
||||
} else if (options.explicit) {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new Date(+value || value)
|
||||
};
|
||||
}
|
||||
},
|
||||
RegExp: function(value, options){
|
||||
var that;
|
||||
if (that = /^\/(.*)\/([gimy]*)$/.exec(value)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new RegExp(that[1], that[2])
|
||||
};
|
||||
} else if (options.explicit) {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: new RegExp(value)
|
||||
};
|
||||
}
|
||||
},
|
||||
Array: function(it){
|
||||
return coerceArray(it, {
|
||||
of: [{
|
||||
type: '*'
|
||||
}]
|
||||
});
|
||||
},
|
||||
Object: function(it){
|
||||
return coerceFields(it, {
|
||||
of: {}
|
||||
});
|
||||
},
|
||||
String: function(it){
|
||||
var that;
|
||||
if (toString$.call(it).slice(8, -1) !== 'String') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
if (that = it.match(/^'(.*)'$/)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: that[1]
|
||||
};
|
||||
} else if (that = it.match(/^"(.*)"$/)) {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: that[1]
|
||||
};
|
||||
} else {
|
||||
return {
|
||||
type: 'Just',
|
||||
value: it
|
||||
};
|
||||
}
|
||||
}
|
||||
};
|
||||
function coerceArray(node, type){
|
||||
var typeOf, element;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Array') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
typeOf = type.of;
|
||||
return {
|
||||
type: 'Just',
|
||||
value: (function(){
|
||||
var i$, ref$, len$, results$ = [];
|
||||
for (i$ = 0, len$ = (ref$ = node).length; i$ < len$; ++i$) {
|
||||
element = ref$[i$];
|
||||
results$.push(coerceTypes(element, typeOf));
|
||||
}
|
||||
return results$;
|
||||
}())
|
||||
};
|
||||
}
|
||||
function coerceTuple(node, type){
|
||||
var result, i$, ref$, len$, i, types, that;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Array') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
result = [];
|
||||
for (i$ = 0, len$ = (ref$ = type.of).length; i$ < len$; ++i$) {
|
||||
i = i$;
|
||||
types = ref$[i$];
|
||||
if (that = coerceTypes(node[i], types)) {
|
||||
result.push(that);
|
||||
}
|
||||
}
|
||||
return {
|
||||
type: 'Just',
|
||||
value: result
|
||||
};
|
||||
}
|
||||
function coerceFields(node, type){
|
||||
var typeOf, key, value;
|
||||
if (toString$.call(node).slice(8, -1) !== 'Object') {
|
||||
return {
|
||||
type: 'Nothing'
|
||||
};
|
||||
}
|
||||
typeOf = type.of;
|
||||
return {
|
||||
type: 'Just',
|
||||
value: (function(){
|
||||
var ref$, results$ = {};
|
||||
for (key in ref$ = node) {
|
||||
value = ref$[key];
|
||||
results$[key] = coerceTypes(value, typeOf[key] || [{
|
||||
type: '*'
|
||||
}]);
|
||||
}
|
||||
return results$;
|
||||
}())
|
||||
};
|
||||
}
|
||||
function coerceType(node, typeObj, options){
|
||||
var type, structure, coerceFunc;
|
||||
type = typeObj.type, structure = typeObj.structure;
|
||||
if (type) {
|
||||
coerceFunc = types[type];
|
||||
return coerceFunc(node, options);
|
||||
} else {
|
||||
switch (structure) {
|
||||
case 'array':
|
||||
return coerceArray(node, typeObj);
|
||||
case 'tuple':
|
||||
return coerceTuple(node, typeObj);
|
||||
case 'fields':
|
||||
return coerceFields(node, typeObj);
|
||||
}
|
||||
}
|
||||
}
|
||||
function coerceTypes(node, types, options){
|
||||
var i$, len$, type, ref$, valueType, value;
|
||||
for (i$ = 0, len$ = types.length; i$ < len$; ++i$) {
|
||||
type = types[i$];
|
||||
ref$ = coerceType(node, type, options), valueType = ref$.type, value = ref$.value;
|
||||
if (valueType === 'Nothing') {
|
||||
continue;
|
||||
}
|
||||
if (parsedTypeCheck([type], value)) {
|
||||
return value;
|
||||
}
|
||||
}
|
||||
throw new Error("Value " + JSON.stringify(node) + " does not type check against " + JSON.stringify(types) + ".");
|
||||
}
|
||||
module.exports = coerceTypes;
|
||||
}).call(this);
|
||||
22
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/index.js
generated
vendored
Normal file
22
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/index.js
generated
vendored
Normal file
@ -0,0 +1,22 @@
|
||||
// Generated by LiveScript 1.4.0
|
||||
(function(){
|
||||
var parseString, cast, parseType, VERSION, parsedTypeParse, parse;
|
||||
parseString = require('./parse-string');
|
||||
cast = require('./cast');
|
||||
parseType = require('type-check').parseType;
|
||||
VERSION = '0.3.0';
|
||||
parsedTypeParse = function(parsedType, string, options){
|
||||
options == null && (options = {});
|
||||
options.explicit == null && (options.explicit = false);
|
||||
options.customTypes == null && (options.customTypes = {});
|
||||
return cast(parseString(parsedType, string, options), parsedType, options);
|
||||
};
|
||||
parse = function(type, string, options){
|
||||
return parsedTypeParse(parseType(type), string, options);
|
||||
};
|
||||
module.exports = {
|
||||
VERSION: VERSION,
|
||||
parse: parse,
|
||||
parsedTypeParse: parsedTypeParse
|
||||
};
|
||||
}).call(this);
|
||||
113
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/parse-string.js
generated
vendored
Normal file
113
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/parse-string.js
generated
vendored
Normal file
@ -0,0 +1,113 @@
|
||||
// Generated by LiveScript 1.4.0
|
||||
(function(){
|
||||
var reject, special, tokenRegex;
|
||||
reject = require('prelude-ls').reject;
|
||||
function consumeOp(tokens, op){
|
||||
if (tokens[0] === op) {
|
||||
return tokens.shift();
|
||||
} else {
|
||||
throw new Error("Expected '" + op + "', but got '" + tokens[0] + "' instead in " + JSON.stringify(tokens) + ".");
|
||||
}
|
||||
}
|
||||
function maybeConsumeOp(tokens, op){
|
||||
if (tokens[0] === op) {
|
||||
return tokens.shift();
|
||||
}
|
||||
}
|
||||
function consumeList(tokens, arg$, hasDelimiters){
|
||||
var open, close, result, untilTest;
|
||||
open = arg$[0], close = arg$[1];
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, open);
|
||||
}
|
||||
result = [];
|
||||
untilTest = "," + (hasDelimiters ? close : '');
|
||||
while (tokens.length && (hasDelimiters && tokens[0] !== close)) {
|
||||
result.push(consumeElement(tokens, untilTest));
|
||||
maybeConsumeOp(tokens, ',');
|
||||
}
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, close);
|
||||
}
|
||||
return result;
|
||||
}
|
||||
function consumeArray(tokens, hasDelimiters){
|
||||
return consumeList(tokens, ['[', ']'], hasDelimiters);
|
||||
}
|
||||
function consumeTuple(tokens, hasDelimiters){
|
||||
return consumeList(tokens, ['(', ')'], hasDelimiters);
|
||||
}
|
||||
function consumeFields(tokens, hasDelimiters){
|
||||
var result, untilTest, key;
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, '{');
|
||||
}
|
||||
result = {};
|
||||
untilTest = "," + (hasDelimiters ? '}' : '');
|
||||
while (tokens.length && (!hasDelimiters || tokens[0] !== '}')) {
|
||||
key = consumeValue(tokens, ':');
|
||||
consumeOp(tokens, ':');
|
||||
result[key] = consumeElement(tokens, untilTest);
|
||||
maybeConsumeOp(tokens, ',');
|
||||
}
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, '}');
|
||||
}
|
||||
return result;
|
||||
}
|
||||
function consumeValue(tokens, untilTest){
|
||||
var out;
|
||||
untilTest == null && (untilTest = '');
|
||||
out = '';
|
||||
while (tokens.length && -1 === untilTest.indexOf(tokens[0])) {
|
||||
out += tokens.shift();
|
||||
}
|
||||
return out;
|
||||
}
|
||||
function consumeElement(tokens, untilTest){
|
||||
switch (tokens[0]) {
|
||||
case '[':
|
||||
return consumeArray(tokens, true);
|
||||
case '(':
|
||||
return consumeTuple(tokens, true);
|
||||
case '{':
|
||||
return consumeFields(tokens, true);
|
||||
default:
|
||||
return consumeValue(tokens, untilTest);
|
||||
}
|
||||
}
|
||||
function consumeTopLevel(tokens, types, options){
|
||||
var ref$, type, structure, origTokens, result, finalResult, x$, y$;
|
||||
ref$ = types[0], type = ref$.type, structure = ref$.structure;
|
||||
origTokens = tokens.concat();
|
||||
if (!options.explicit && types.length === 1 && ((!type && structure) || (type === 'Array' || type === 'Object'))) {
|
||||
result = structure === 'array' || type === 'Array'
|
||||
? consumeArray(tokens, tokens[0] === '[')
|
||||
: structure === 'tuple'
|
||||
? consumeTuple(tokens, tokens[0] === '(')
|
||||
: consumeFields(tokens, tokens[0] === '{');
|
||||
finalResult = tokens.length ? consumeElement(structure === 'array' || type === 'Array'
|
||||
? (x$ = origTokens, x$.unshift('['), x$.push(']'), x$)
|
||||
: (y$ = origTokens, y$.unshift('('), y$.push(')'), y$)) : result;
|
||||
} else {
|
||||
finalResult = consumeElement(tokens);
|
||||
}
|
||||
return finalResult;
|
||||
}
|
||||
special = /\[\]\(\)}{:,/.source;
|
||||
tokenRegex = RegExp('("(?:\\\\"|[^"])*")|(\'(?:\\\\\'|[^\'])*\')|(/(?:\\\\/|[^/])*/[a-zA-Z]*)|(#.*#)|([' + special + '])|([^\\s' + special + '](?:\\s*[^\\s' + special + ']+)*)|\\s*');
|
||||
module.exports = function(types, string, options){
|
||||
var tokens, node;
|
||||
options == null && (options = {});
|
||||
if (!options.explicit && types.length === 1 && types[0].type === 'String') {
|
||||
return "'" + string.replace(/\\'/g, "\\\\'") + "'";
|
||||
}
|
||||
tokens = reject(not$, string.split(tokenRegex));
|
||||
node = consumeTopLevel(tokens, types, options);
|
||||
if (!node) {
|
||||
throw new Error("Error parsing '" + string + "'.");
|
||||
}
|
||||
return node;
|
||||
};
|
||||
function not$(x){ return !x; }
|
||||
}).call(this);
|
||||
102
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/parse.js
generated
vendored
Normal file
102
static/js/ketcher2/node_modules/eslint/node_modules/levn/lib/parse.js
generated
vendored
Normal file
@ -0,0 +1,102 @@
|
||||
// Generated by LiveScript 1.2.0
|
||||
(function(){
|
||||
var reject, special, tokenRegex;
|
||||
reject = require('prelude-ls').reject;
|
||||
function consumeOp(tokens, op){
|
||||
if (tokens[0] === op) {
|
||||
return tokens.shift();
|
||||
} else {
|
||||
throw new Error("Expected '" + op + "', but got '" + tokens[0] + "' instead in " + JSON.stringify(tokens) + ".");
|
||||
}
|
||||
}
|
||||
function maybeConsumeOp(tokens, op){
|
||||
if (tokens[0] === op) {
|
||||
return tokens.shift();
|
||||
}
|
||||
}
|
||||
function consumeList(tokens, delimiters, hasDelimiters){
|
||||
var result;
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, delimiters[0]);
|
||||
}
|
||||
result = [];
|
||||
while (tokens.length && tokens[0] !== delimiters[1]) {
|
||||
result.push(consumeElement(tokens));
|
||||
maybeConsumeOp(tokens, ',');
|
||||
}
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, delimiters[1]);
|
||||
}
|
||||
return result;
|
||||
}
|
||||
function consumeArray(tokens, hasDelimiters){
|
||||
return consumeList(tokens, ['[', ']'], hasDelimiters);
|
||||
}
|
||||
function consumeTuple(tokens, hasDelimiters){
|
||||
return consumeList(tokens, ['(', ')'], hasDelimiters);
|
||||
}
|
||||
function consumeFields(tokens, hasDelimiters){
|
||||
var result, key;
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, '{');
|
||||
}
|
||||
result = {};
|
||||
while (tokens.length && (!hasDelimiters || tokens[0] !== '}')) {
|
||||
key = tokens.shift();
|
||||
consumeOp(tokens, ':');
|
||||
result[key] = consumeElement(tokens);
|
||||
maybeConsumeOp(tokens, ',');
|
||||
}
|
||||
if (hasDelimiters) {
|
||||
consumeOp(tokens, '}');
|
||||
}
|
||||
return result;
|
||||
}
|
||||
function consumeElement(tokens){
|
||||
switch (tokens[0]) {
|
||||
case '[':
|
||||
return consumeArray(tokens, true);
|
||||
case '(':
|
||||
return consumeTuple(tokens, true);
|
||||
case '{':
|
||||
return consumeFields(tokens, true);
|
||||
default:
|
||||
return tokens.shift();
|
||||
}
|
||||
}
|
||||
function consumeTopLevel(tokens, types){
|
||||
var ref$, type, structure, origTokens, result, finalResult, x$, y$;
|
||||
ref$ = types[0], type = ref$.type, structure = ref$.structure;
|
||||
origTokens = tokens.concat();
|
||||
if (types.length === 1 && (structure || (type === 'Array' || type === 'Object'))) {
|
||||
result = structure === 'array' || type === 'Array'
|
||||
? consumeArray(tokens, tokens[0] === '[')
|
||||
: structure === 'tuple'
|
||||
? consumeTuple(tokens, tokens[0] === '(')
|
||||
: consumeFields(tokens, tokens[0] === '{');
|
||||
finalResult = tokens.length ? consumeElement(structure === 'array' || type === 'Array'
|
||||
? (x$ = origTokens, x$.unshift('['), x$.push(']'), x$)
|
||||
: (y$ = origTokens, y$.unshift('('), y$.push(')'), y$)) : result;
|
||||
} else {
|
||||
finalResult = consumeElement(tokens);
|
||||
}
|
||||
if (tokens.length && origTokens.length) {
|
||||
throw new Error("Unable to parse " + JSON.stringify(origTokens) + " of type " + JSON.stringify(types) + ".");
|
||||
} else {
|
||||
return finalResult;
|
||||
}
|
||||
}
|
||||
special = /\[\]\(\)}{:,/.source;
|
||||
tokenRegex = RegExp('("(?:[^"]|\\\\")*")|(\'(?:[^\']|\\\\\')*\')|(#.*#)|(/(?:\\\\/|[^/])*/[gimy]*)|([' + special + '])|([^\\s' + special + ']+)|\\s*');
|
||||
module.exports = function(string, types){
|
||||
var tokens, node;
|
||||
tokens = reject(function(it){
|
||||
return !it || /^\s+$/.test(it);
|
||||
}, string.split(tokenRegex));
|
||||
node = consumeTopLevel(tokens, types);
|
||||
if (!node) {
|
||||
throw new Error("Error parsing '" + string + "'.");
|
||||
}
|
||||
return node;
|
||||
};
|
||||
}).call(this);
|
||||
78
static/js/ketcher2/node_modules/eslint/node_modules/levn/package.json
generated
vendored
Normal file
78
static/js/ketcher2/node_modules/eslint/node_modules/levn/package.json
generated
vendored
Normal file
@ -0,0 +1,78 @@
|
||||
{
|
||||
"_from": "levn@^0.3.0",
|
||||
"_id": "levn@0.3.0",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-OwmSTt+fCDwEkP3UwLxEIeBHZO4=",
|
||||
"_location": "/eslint/levn",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "levn@^0.3.0",
|
||||
"name": "levn",
|
||||
"escapedName": "levn",
|
||||
"rawSpec": "^0.3.0",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^0.3.0"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint",
|
||||
"/eslint/optionator"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/levn/-/levn-0.3.0.tgz",
|
||||
"_shasum": "3b09924edf9f083c0490fdd4c0bc4421e04764ee",
|
||||
"_spec": "levn@^0.3.0",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"author": {
|
||||
"name": "George Zahariev",
|
||||
"email": "z@georgezahariev.com"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/gkz/levn/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"dependencies": {
|
||||
"prelude-ls": "~1.1.2",
|
||||
"type-check": "~0.3.2"
|
||||
},
|
||||
"deprecated": false,
|
||||
"description": "Light ECMAScript (JavaScript) Value Notation - human written, concise, typed, flexible",
|
||||
"devDependencies": {
|
||||
"istanbul": "~0.4.1",
|
||||
"livescript": "~1.4.0",
|
||||
"mocha": "~2.3.4"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">= 0.8.0"
|
||||
},
|
||||
"files": [
|
||||
"lib",
|
||||
"README.md",
|
||||
"LICENSE"
|
||||
],
|
||||
"homepage": "https://github.com/gkz/levn",
|
||||
"keywords": [
|
||||
"levn",
|
||||
"light",
|
||||
"ecmascript",
|
||||
"value",
|
||||
"notation",
|
||||
"json",
|
||||
"typed",
|
||||
"human",
|
||||
"concise",
|
||||
"typed",
|
||||
"flexible"
|
||||
],
|
||||
"license": "MIT",
|
||||
"main": "./lib/",
|
||||
"name": "levn",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/gkz/levn.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "make test"
|
||||
},
|
||||
"version": "0.3.0"
|
||||
}
|
||||
52
static/js/ketcher2/node_modules/eslint/node_modules/optionator/CHANGELOG.md
generated
vendored
Normal file
52
static/js/ketcher2/node_modules/eslint/node_modules/optionator/CHANGELOG.md
generated
vendored
Normal file
@ -0,0 +1,52 @@
|
||||
# 0.8.2
|
||||
- fix bug #18 - detect missing value when flag is last item
|
||||
- update dependencies
|
||||
|
||||
# 0.8.1
|
||||
- update `fast-levenshtein` dependency
|
||||
|
||||
# 0.8.0
|
||||
- update `levn` dependency - supplying a float value to an option with type `Int` now throws an error, instead of silently converting to an `Int`
|
||||
|
||||
# 0.7.1
|
||||
- fix bug with use of `defaults` and `concatRepeatedArrays` or `mergeRepeatedObjects`
|
||||
|
||||
# 0.7.0
|
||||
- added `concatrepeatedarrays` option: `oneValuePerFlag`, only allows one array value per flag
|
||||
- added `typeAliases` option
|
||||
- added `parseArgv` which takes an array and parses with the first two items sliced off
|
||||
- changed enum help style
|
||||
- bug fixes (#12)
|
||||
- use of `concatRepeatedArrays` and `mergeRepeatedObjects` at the top level is deprecated, use it as either a per-option option, or set them in the `defaults` object to set them for all objects
|
||||
|
||||
# 0.6.0
|
||||
- added `defaults` lib-option flag, allowing one to set default properties for all options
|
||||
- added `concatRepeatedArrays` and `mergeRepeatedObjects` as option level properties, allowing you to turn this feature on for specific options only
|
||||
|
||||
# 0.5.0
|
||||
- `Boolean` flags with `default: 'true'`, and no short aliases, will by default show the `--no` version in help
|
||||
|
||||
# 0.4.0
|
||||
- add `mergeRepeatedObjects` setting
|
||||
|
||||
# 0.3.0
|
||||
- add `concatRepeatedArrays` setting
|
||||
- add `overrideRequired` option setting
|
||||
- use just Levenshtein string compare algo rather than Levenshtein Damerau to due dependency license issue
|
||||
|
||||
# 0.2.2
|
||||
- bug fixes
|
||||
|
||||
# 0.2.1
|
||||
- improved interpolation
|
||||
- added changelog
|
||||
|
||||
# 0.2.0
|
||||
- add dependency checks to options - added `dependsOn` as an option property
|
||||
- add interpolation for `prepend` and `append` text with new `generateHelp` option, `interpolate`
|
||||
|
||||
# 0.1.1
|
||||
- update dependencies
|
||||
|
||||
# 0.1.0
|
||||
- initial release
|
||||
22
static/js/ketcher2/node_modules/eslint/node_modules/optionator/LICENSE
generated
vendored
Normal file
22
static/js/ketcher2/node_modules/eslint/node_modules/optionator/LICENSE
generated
vendored
Normal file
@ -0,0 +1,22 @@
|
||||
Copyright (c) George Zahariev
|
||||
|
||||
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.
|
||||
236
static/js/ketcher2/node_modules/eslint/node_modules/optionator/README.md
generated
vendored
Normal file
236
static/js/ketcher2/node_modules/eslint/node_modules/optionator/README.md
generated
vendored
Normal file
@ -0,0 +1,236 @@
|
||||
# Optionator
|
||||
<a name="optionator" />
|
||||
|
||||
Optionator is a JavaScript option parsing and help generation library used by [eslint](http://eslint.org), [Grasp](http://graspjs.com), [LiveScript](http://livescript.net), [esmangle](https://github.com/estools/esmangle), [escodegen](https://github.com/estools/escodegen), and [many more](https://www.npmjs.com/browse/depended/optionator).
|
||||
|
||||
For an online demo, check out the [Grasp online demo](http://www.graspjs.com/#demo).
|
||||
|
||||
[About](#about) · [Usage](#usage) · [Settings Format](#settings-format) · [Argument Format](#argument-format)
|
||||
|
||||
## Why?
|
||||
The problem with other option parsers, such as `yargs` or `minimist`, is they just accept all input, valid or not.
|
||||
With Optionator, if you mistype an option, it will give you an error (with a suggestion for what you meant).
|
||||
If you give the wrong type of argument for an option, it will give you an error rather than supplying the wrong input to your application.
|
||||
|
||||
$ cmd --halp
|
||||
Invalid option '--halp' - perhaps you meant '--help'?
|
||||
|
||||
$ cmd --count str
|
||||
Invalid value for option 'count' - expected type Int, received value: str.
|
||||
|
||||
Other helpful features include reformatting the help text based on the size of the console, so that it fits even if the console is narrow, and accepting not just an array (eg. process.argv), but a string or object as well, making things like testing much easier.
|
||||
|
||||
## About
|
||||
Optionator uses [type-check](https://github.com/gkz/type-check) and [levn](https://github.com/gkz/levn) behind the scenes to cast and verify input according the specified types.
|
||||
|
||||
MIT license. Version 0.8.2
|
||||
|
||||
npm install optionator
|
||||
|
||||
For updates on Optionator, [follow me on twitter](https://twitter.com/gkzahariev).
|
||||
|
||||
## Usage
|
||||
`require('optionator');` returns a function. It has one property, `VERSION`, the current version of the library as a string. This function is called with an object specifying your options and other information, see the [settings format section](#settings-format). This in turn returns an object with three properties, `parse`, `parseArgv`, `generateHelp`, and `generateHelpForOption`, which are all functions.
|
||||
|
||||
```js
|
||||
var optionator = require('optionator')({
|
||||
prepend: 'Usage: cmd [options]',
|
||||
append: 'Version 1.0.0',
|
||||
options: [{
|
||||
option: 'help',
|
||||
alias: 'h',
|
||||
type: 'Boolean',
|
||||
description: 'displays help'
|
||||
}, {
|
||||
option: 'count',
|
||||
alias: 'c',
|
||||
type: 'Int',
|
||||
description: 'number of things',
|
||||
example: 'cmd --count 2'
|
||||
}]
|
||||
});
|
||||
|
||||
var options = optionator.parseArgv(process.argv);
|
||||
if (options.help) {
|
||||
console.log(optionator.generateHelp());
|
||||
}
|
||||
...
|
||||
```
|
||||
|
||||
### parse(input, parseOptions)
|
||||
`parse` processes the `input` according to your settings, and returns an object with the results.
|
||||
|
||||
##### arguments
|
||||
* input - `[String] | Object | String` - the input you wish to parse
|
||||
* parseOptions - `{slice: Int}` - all options optional
|
||||
- `slice` specifies how much to slice away from the beginning if the input is an array or string - by default `0` for string, `2` for array (works with `process.argv`)
|
||||
|
||||
##### returns
|
||||
`Object` - the parsed options, each key is a camelCase version of the option name (specified in dash-case), and each value is the processed value for that option. Positional values are in an array under the `_` key.
|
||||
|
||||
##### example
|
||||
```js
|
||||
parse(['node', 't.js', '--count', '2', 'positional']); // {count: 2, _: ['positional']}
|
||||
parse('--count 2 positional'); // {count: 2, _: ['positional']}
|
||||
parse({count: 2, _:['positional']}); // {count: 2, _: ['positional']}
|
||||
```
|
||||
|
||||
### parseArgv(input)
|
||||
`parseArgv` works exactly like `parse`, but only for array input and it slices off the first two elements.
|
||||
|
||||
##### arguments
|
||||
* input - `[String]` - the input you wish to parse
|
||||
|
||||
##### returns
|
||||
See "returns" section in "parse"
|
||||
|
||||
##### example
|
||||
```js
|
||||
parseArgv(process.argv);
|
||||
```
|
||||
|
||||
### generateHelp(helpOptions)
|
||||
`generateHelp` produces help text based on your settings.
|
||||
|
||||
##### arguments
|
||||
* helpOptions - `{showHidden: Boolean, interpolate: Object}` - all options optional
|
||||
- `showHidden` specifies whether to show options with `hidden: true` specified, by default it is `false`
|
||||
- `interpolate` specify data to be interpolated in `prepend` and `append` text, `{{key}}` is the format - eg. `generateHelp({interpolate:{version: '0.4.2'}})`, will change this `append` text: `Version {{version}}` to `Version 0.4.2`
|
||||
|
||||
##### returns
|
||||
`String` - the generated help text
|
||||
|
||||
##### example
|
||||
```js
|
||||
generateHelp(); /*
|
||||
"Usage: cmd [options] positional
|
||||
|
||||
-h, --help displays help
|
||||
-c, --count Int number of things
|
||||
|
||||
Version 1.0.0
|
||||
"*/
|
||||
```
|
||||
|
||||
### generateHelpForOption(optionName)
|
||||
`generateHelpForOption` produces expanded help text for the specified with `optionName` option. If an `example` was specified for the option, it will be displayed, and if a `longDescription` was specified, it will display that instead of the `description`.
|
||||
|
||||
##### arguments
|
||||
* optionName - `String` - the name of the option to display
|
||||
|
||||
##### returns
|
||||
`String` - the generated help text for the option
|
||||
|
||||
##### example
|
||||
```js
|
||||
generateHelpForOption('count'); /*
|
||||
"-c, --count Int
|
||||
description: number of things
|
||||
example: cmd --count 2
|
||||
"*/
|
||||
```
|
||||
|
||||
## Settings Format
|
||||
When your `require('optionator')`, you get a function that takes in a settings object. This object has the type:
|
||||
|
||||
{
|
||||
prepend: String,
|
||||
append: String,
|
||||
options: [{heading: String} | {
|
||||
option: String,
|
||||
alias: [String] | String,
|
||||
type: String,
|
||||
enum: [String],
|
||||
default: String,
|
||||
restPositional: Boolean,
|
||||
required: Boolean,
|
||||
overrideRequired: Boolean,
|
||||
dependsOn: [String] | String,
|
||||
concatRepeatedArrays: Boolean | (Boolean, Object),
|
||||
mergeRepeatedObjects: Boolean,
|
||||
description: String,
|
||||
longDescription: String,
|
||||
example: [String] | String
|
||||
}],
|
||||
helpStyle: {
|
||||
aliasSeparator: String,
|
||||
typeSeparator: String,
|
||||
descriptionSeparator: String,
|
||||
initialIndent: Int,
|
||||
secondaryIndent: Int,
|
||||
maxPadFactor: Number
|
||||
},
|
||||
mutuallyExclusive: [[String | [String]]],
|
||||
concatRepeatedArrays: Boolean | (Boolean, Object), // deprecated, set in defaults object
|
||||
mergeRepeatedObjects: Boolean, // deprecated, set in defaults object
|
||||
positionalAnywhere: Boolean,
|
||||
typeAliases: Object,
|
||||
defaults: Object
|
||||
}
|
||||
|
||||
All of the properties are optional (the `Maybe` has been excluded for brevities sake), except for having either `heading: String` or `option: String` in each object in the `options` array.
|
||||
|
||||
### Top Level Properties
|
||||
* `prepend` is an optional string to be placed before the options in the help text
|
||||
* `append` is an optional string to be placed after the options in the help text
|
||||
* `options` is a required array specifying your options and headings, the options and headings will be displayed in the order specified
|
||||
* `helpStyle` is an optional object which enables you to change the default appearance of some aspects of the help text
|
||||
* `mutuallyExclusive` is an optional array of arrays of either strings or arrays of strings. The top level array is a list of rules, each rule is a list of elements - each element can be either a string (the name of an option), or a list of strings (a group of option names) - there will be an error if more than one element is present
|
||||
* `concatRepeatedArrays` see description under the "Option Properties" heading - use at the top level is deprecated, if you want to set this for all options, use the `defaults` property
|
||||
* `mergeRepeatedObjects` see description under the "Option Properties" heading - use at the top level is deprecated, if you want to set this for all options, use the `defaults` property
|
||||
* `positionalAnywhere` is an optional boolean (defaults to `true`) - when `true` it allows positional arguments anywhere, when `false`, all arguments after the first positional one are taken to be positional as well, even if they look like a flag. For example, with `positionalAnywhere: false`, the arguments `--flag --boom 12 --crack` would have two positional arguments: `12` and `--crack`
|
||||
* `typeAliases` is an optional object, it allows you to set aliases for types, eg. `{Path: 'String'}` would allow you to use the type `Path` as an alias for the type `String`
|
||||
* `defaults` is an optional object following the option properties format, which specifies default values for all options. A default will be overridden if manually set. For example, you can do `default: { type: "String" }` to set the default type of all options to `String`, and then override that default in an individual option by setting the `type` property
|
||||
|
||||
#### Heading Properties
|
||||
* `heading` a required string, the name of the heading
|
||||
|
||||
#### Option Properties
|
||||
* `option` the required name of the option - use dash-case, without the leading dashes
|
||||
* `alias` is an optional string or array of strings which specify any aliases for the option
|
||||
* `type` is a required string in the [type check](https://github.com/gkz/type-check) [format](https://github.com/gkz/type-check#type-format), this will be used to cast the inputted value and validate it
|
||||
* `enum` is an optional array of strings, each string will be parsed by [levn](https://github.com/gkz/levn) - the argument value must be one of the resulting values - each potential value must validate against the specified `type`
|
||||
* `default` is a optional string, which will be parsed by [levn](https://github.com/gkz/levn) and used as the default value if none is set - the value must validate against the specified `type`
|
||||
* `restPositional` is an optional boolean - if set to `true`, everything after the option will be taken to be a positional argument, even if it looks like a named argument
|
||||
* `required` is an optional boolean - if set to `true`, the option parsing will fail if the option is not defined
|
||||
* `overrideRequired` is a optional boolean - if set to `true` and the option is used, and there is another option which is required but not set, it will override the need for the required option and there will be no error - this is useful if you have required options and want to use `--help` or `--version` flags
|
||||
* `concatRepeatedArrays` is an optional boolean or tuple with boolean and options object (defaults to `false`) - when set to `true` and an option contains an array value and is repeated, the subsequent values for the flag will be appended rather than overwriting the original value - eg. option `g` of type `[String]`: `-g a -g b -g c,d` will result in `['a','b','c','d']`
|
||||
|
||||
You can supply an options object by giving the following value: `[true, options]`. The one currently supported option is `oneValuePerFlag`, this only allows one array value per flag. This is useful if your potential values contain a comma.
|
||||
* `mergeRepeatedObjects` is an optional boolean (defaults to `false`) - when set to `true` and an option contains an object value and is repeated, the subsequent values for the flag will be merged rather than overwriting the original value - eg. option `g` of type `Object`: `-g a:1 -g b:2 -g c:3,d:4` will result in `{a: 1, b: 2, c: 3, d: 4}`
|
||||
* `dependsOn` is an optional string or array of strings - if simply a string (the name of another option), it will make sure that that other option is set, if an array of strings, depending on whether `'and'` or `'or'` is first, it will either check whether all (`['and', 'option-a', 'option-b']`), or at least one (`['or', 'option-a', 'option-b']`) other options are set
|
||||
* `description` is an optional string, which will be displayed next to the option in the help text
|
||||
* `longDescription` is an optional string, it will be displayed instead of the `description` when `generateHelpForOption` is used
|
||||
* `example` is an optional string or array of strings with example(s) for the option - these will be displayed when `generateHelpForOption` is used
|
||||
|
||||
#### Help Style Properties
|
||||
* `aliasSeparator` is an optional string, separates multiple names from each other - default: ' ,'
|
||||
* `typeSeparator` is an optional string, separates the type from the names - default: ' '
|
||||
* `descriptionSeparator` is an optional string , separates the description from the padded name and type - default: ' '
|
||||
* `initialIndent` is an optional int - the amount of indent for options - default: 2
|
||||
* `secondaryIndent` is an optional int - the amount of indent if wrapped fully (in addition to the initial indent) - default: 4
|
||||
* `maxPadFactor` is an optional number - affects the default level of padding for the names/type, it is multiplied by the average of the length of the names/type - default: 1.5
|
||||
|
||||
## Argument Format
|
||||
At the highest level there are two types of arguments: named, and positional.
|
||||
|
||||
Name arguments of any length are prefixed with `--` (eg. `--go`), and those of one character may be prefixed with either `--` or `-` (eg. `-g`).
|
||||
|
||||
There are two types of named arguments: boolean flags (eg. `--problemo`, `-p`) which take no value and result in a `true` if they are present, the falsey `undefined` if they are not present, or `false` if present and explicitly prefixed with `no` (eg. `--no-problemo`). Named arguments with values (eg. `--tseries 800`, `-t 800`) are the other type. If the option has a type `Boolean` it will automatically be made into a boolean flag. Any other type results in a named argument that takes a value.
|
||||
|
||||
For more information about how to properly set types to get the value you want, take a look at the [type check](https://github.com/gkz/type-check) and [levn](https://github.com/gkz/levn) pages.
|
||||
|
||||
You can group single character arguments that use a single `-`, however all except the last must be boolean flags (which take no value). The last may be a boolean flag, or an argument which takes a value - eg. `-ba 2` is equivalent to `-b -a 2`.
|
||||
|
||||
Positional arguments are all those values which do not fall under the above - they can be anywhere, not just at the end. For example, in `cmd -b one -a 2 two` where `b` is a boolean flag, and `a` has the type `Number`, there are two positional arguments, `one` and `two`.
|
||||
|
||||
Everything after an `--` is positional, even if it looks like a named argument.
|
||||
|
||||
You may optionally use `=` to separate option names from values, for example: `--count=2`.
|
||||
|
||||
If you specify the option `NUM`, then any argument using a single `-` followed by a number will be valid and will set the value of `NUM`. Eg. `-2` will be parsed into `NUM: 2`.
|
||||
|
||||
If duplicate named arguments are present, the last one will be taken.
|
||||
|
||||
## Technical About
|
||||
`optionator` is written in [LiveScript](http://livescript.net/) - a language that compiles to JavaScript. It uses [levn](https://github.com/gkz/levn) to cast arguments to their specified type, and uses [type-check](https://github.com/gkz/type-check) to validate values. It also uses the [prelude.ls](http://preludels.com/) library.
|
||||
247
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/help.js
generated
vendored
Normal file
247
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/help.js
generated
vendored
Normal file
@ -0,0 +1,247 @@
|
||||
// Generated by LiveScript 1.5.0
|
||||
(function(){
|
||||
var ref$, id, find, sort, min, max, map, unlines, nameToRaw, dasherize, naturalJoin, wordwrap, getPreText, setHelpStyleDefaults, generateHelpForOption, generateHelp;
|
||||
ref$ = require('prelude-ls'), id = ref$.id, find = ref$.find, sort = ref$.sort, min = ref$.min, max = ref$.max, map = ref$.map, unlines = ref$.unlines;
|
||||
ref$ = require('./util'), nameToRaw = ref$.nameToRaw, dasherize = ref$.dasherize, naturalJoin = ref$.naturalJoin;
|
||||
wordwrap = require('wordwrap');
|
||||
getPreText = function(option, arg$, maxWidth){
|
||||
var mainName, shortNames, ref$, longNames, type, description, aliasSeparator, typeSeparator, initialIndent, names, namesString, namesStringLen, typeSeparatorString, typeSeparatorStringLen, wrap;
|
||||
mainName = option.option, shortNames = (ref$ = option.shortNames) != null
|
||||
? ref$
|
||||
: [], longNames = (ref$ = option.longNames) != null
|
||||
? ref$
|
||||
: [], type = option.type, description = option.description;
|
||||
aliasSeparator = arg$.aliasSeparator, typeSeparator = arg$.typeSeparator, initialIndent = arg$.initialIndent;
|
||||
if (option.negateName) {
|
||||
mainName = "no-" + mainName;
|
||||
if (longNames) {
|
||||
longNames = map(function(it){
|
||||
return "no-" + it;
|
||||
}, longNames);
|
||||
}
|
||||
}
|
||||
names = mainName.length === 1
|
||||
? [mainName].concat(shortNames, longNames)
|
||||
: shortNames.concat([mainName], longNames);
|
||||
namesString = map(nameToRaw, names).join(aliasSeparator);
|
||||
namesStringLen = namesString.length;
|
||||
typeSeparatorString = mainName === 'NUM' ? '::' : typeSeparator;
|
||||
typeSeparatorStringLen = typeSeparatorString.length;
|
||||
if (maxWidth != null && !option.boolean && initialIndent + namesStringLen + typeSeparatorStringLen + type.length > maxWidth) {
|
||||
wrap = wordwrap(initialIndent + namesStringLen + typeSeparatorStringLen, maxWidth);
|
||||
return namesString + "" + typeSeparatorString + wrap(type).replace(/^\s+/, '');
|
||||
} else {
|
||||
return namesString + "" + (option.boolean
|
||||
? ''
|
||||
: typeSeparatorString + "" + type);
|
||||
}
|
||||
};
|
||||
setHelpStyleDefaults = function(helpStyle){
|
||||
helpStyle.aliasSeparator == null && (helpStyle.aliasSeparator = ', ');
|
||||
helpStyle.typeSeparator == null && (helpStyle.typeSeparator = ' ');
|
||||
helpStyle.descriptionSeparator == null && (helpStyle.descriptionSeparator = ' ');
|
||||
helpStyle.initialIndent == null && (helpStyle.initialIndent = 2);
|
||||
helpStyle.secondaryIndent == null && (helpStyle.secondaryIndent = 4);
|
||||
helpStyle.maxPadFactor == null && (helpStyle.maxPadFactor = 1.5);
|
||||
};
|
||||
generateHelpForOption = function(getOption, arg$){
|
||||
var stdout, helpStyle, ref$;
|
||||
stdout = arg$.stdout, helpStyle = (ref$ = arg$.helpStyle) != null
|
||||
? ref$
|
||||
: {};
|
||||
setHelpStyleDefaults(helpStyle);
|
||||
return function(optionName){
|
||||
var maxWidth, wrap, option, e, pre, defaultString, restPositionalString, description, fullDescription, that, preDescription, descriptionString, exampleString, examples, seperator;
|
||||
maxWidth = stdout != null && stdout.isTTY ? stdout.columns - 1 : null;
|
||||
wrap = maxWidth ? wordwrap(maxWidth) : id;
|
||||
try {
|
||||
option = getOption(dasherize(optionName));
|
||||
} catch (e$) {
|
||||
e = e$;
|
||||
return e.message;
|
||||
}
|
||||
pre = getPreText(option, helpStyle);
|
||||
defaultString = option['default'] && !option.negateName ? "\ndefault: " + option['default'] : '';
|
||||
restPositionalString = option.restPositional ? 'Everything after this option is considered a positional argument, even if it looks like an option.' : '';
|
||||
description = option.longDescription || option.description && sentencize(option.description);
|
||||
fullDescription = description && restPositionalString
|
||||
? description + " " + restPositionalString
|
||||
: (that = description || restPositionalString) ? that : '';
|
||||
preDescription = 'description:';
|
||||
descriptionString = !fullDescription
|
||||
? ''
|
||||
: maxWidth && fullDescription.length - 1 - preDescription.length > maxWidth
|
||||
? "\n" + preDescription + "\n" + wrap(fullDescription)
|
||||
: "\n" + preDescription + " " + fullDescription;
|
||||
exampleString = (that = option.example) ? (examples = [].concat(that), examples.length > 1
|
||||
? "\nexamples:\n" + unlines(examples)
|
||||
: "\nexample: " + examples[0]) : '';
|
||||
seperator = defaultString || descriptionString || exampleString ? "\n" + repeatString$('=', pre.length) : '';
|
||||
return pre + "" + seperator + defaultString + descriptionString + exampleString;
|
||||
};
|
||||
};
|
||||
generateHelp = function(arg$){
|
||||
var options, prepend, append, helpStyle, ref$, stdout, aliasSeparator, typeSeparator, descriptionSeparator, maxPadFactor, initialIndent, secondaryIndent;
|
||||
options = arg$.options, prepend = arg$.prepend, append = arg$.append, helpStyle = (ref$ = arg$.helpStyle) != null
|
||||
? ref$
|
||||
: {}, stdout = arg$.stdout;
|
||||
setHelpStyleDefaults(helpStyle);
|
||||
aliasSeparator = helpStyle.aliasSeparator, typeSeparator = helpStyle.typeSeparator, descriptionSeparator = helpStyle.descriptionSeparator, maxPadFactor = helpStyle.maxPadFactor, initialIndent = helpStyle.initialIndent, secondaryIndent = helpStyle.secondaryIndent;
|
||||
return function(arg$){
|
||||
var ref$, showHidden, interpolate, maxWidth, output, out, data, optionCount, totalPreLen, preLens, i$, len$, item, that, pre, descParts, desc, preLen, sortedPreLens, maxPreLen, preLenMean, x, padAmount, descSepLen, fullWrapCount, partialWrapCount, descLen, totalLen, initialSpace, wrapAllFull, i, wrap;
|
||||
ref$ = arg$ != null
|
||||
? arg$
|
||||
: {}, showHidden = ref$.showHidden, interpolate = ref$.interpolate;
|
||||
maxWidth = stdout != null && stdout.isTTY ? stdout.columns - 1 : null;
|
||||
output = [];
|
||||
out = function(it){
|
||||
return output.push(it != null ? it : '');
|
||||
};
|
||||
if (prepend) {
|
||||
out(interpolate ? interp(prepend, interpolate) : prepend);
|
||||
out();
|
||||
}
|
||||
data = [];
|
||||
optionCount = 0;
|
||||
totalPreLen = 0;
|
||||
preLens = [];
|
||||
for (i$ = 0, len$ = (ref$ = options).length; i$ < len$; ++i$) {
|
||||
item = ref$[i$];
|
||||
if (showHidden || !item.hidden) {
|
||||
if (that = item.heading) {
|
||||
data.push({
|
||||
type: 'heading',
|
||||
value: that
|
||||
});
|
||||
} else {
|
||||
pre = getPreText(item, helpStyle, maxWidth);
|
||||
descParts = [];
|
||||
if ((that = item.description) != null) {
|
||||
descParts.push(that);
|
||||
}
|
||||
if (that = item['enum']) {
|
||||
descParts.push("either: " + naturalJoin(that));
|
||||
}
|
||||
if (item['default'] && !item.negateName) {
|
||||
descParts.push("default: " + item['default']);
|
||||
}
|
||||
desc = descParts.join(' - ');
|
||||
data.push({
|
||||
type: 'option',
|
||||
pre: pre,
|
||||
desc: desc,
|
||||
descLen: desc.length
|
||||
});
|
||||
preLen = pre.length;
|
||||
optionCount++;
|
||||
totalPreLen += preLen;
|
||||
preLens.push(preLen);
|
||||
}
|
||||
}
|
||||
}
|
||||
sortedPreLens = sort(preLens);
|
||||
maxPreLen = sortedPreLens[sortedPreLens.length - 1];
|
||||
preLenMean = initialIndent + totalPreLen / optionCount;
|
||||
x = optionCount > 2 ? min(preLenMean * maxPadFactor, maxPreLen) : maxPreLen;
|
||||
for (i$ = sortedPreLens.length - 1; i$ >= 0; --i$) {
|
||||
preLen = sortedPreLens[i$];
|
||||
if (preLen <= x) {
|
||||
padAmount = preLen;
|
||||
break;
|
||||
}
|
||||
}
|
||||
descSepLen = descriptionSeparator.length;
|
||||
if (maxWidth != null) {
|
||||
fullWrapCount = 0;
|
||||
partialWrapCount = 0;
|
||||
for (i$ = 0, len$ = data.length; i$ < len$; ++i$) {
|
||||
item = data[i$];
|
||||
if (item.type === 'option') {
|
||||
pre = item.pre, desc = item.desc, descLen = item.descLen;
|
||||
if (descLen === 0) {
|
||||
item.wrap = 'none';
|
||||
} else {
|
||||
preLen = max(padAmount, pre.length) + initialIndent + descSepLen;
|
||||
totalLen = preLen + descLen;
|
||||
if (totalLen > maxWidth) {
|
||||
if (descLen / 2.5 > maxWidth - preLen) {
|
||||
fullWrapCount++;
|
||||
item.wrap = 'full';
|
||||
} else {
|
||||
partialWrapCount++;
|
||||
item.wrap = 'partial';
|
||||
}
|
||||
} else {
|
||||
item.wrap = 'none';
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
initialSpace = repeatString$(' ', initialIndent);
|
||||
wrapAllFull = optionCount > 1 && fullWrapCount + partialWrapCount * 0.5 > optionCount * 0.5;
|
||||
for (i$ = 0, len$ = data.length; i$ < len$; ++i$) {
|
||||
i = i$;
|
||||
item = data[i$];
|
||||
if (item.type === 'heading') {
|
||||
if (i !== 0) {
|
||||
out();
|
||||
}
|
||||
out(item.value + ":");
|
||||
} else {
|
||||
pre = item.pre, desc = item.desc, descLen = item.descLen, wrap = item.wrap;
|
||||
if (maxWidth != null) {
|
||||
if (wrapAllFull || wrap === 'full') {
|
||||
wrap = wordwrap(initialIndent + secondaryIndent, maxWidth);
|
||||
out(initialSpace + "" + pre + "\n" + wrap(desc));
|
||||
continue;
|
||||
} else if (wrap === 'partial') {
|
||||
wrap = wordwrap(initialIndent + descSepLen + max(padAmount, pre.length), maxWidth);
|
||||
out(initialSpace + "" + pad(pre, padAmount) + descriptionSeparator + wrap(desc).replace(/^\s+/, ''));
|
||||
continue;
|
||||
}
|
||||
}
|
||||
if (descLen === 0) {
|
||||
out(initialSpace + "" + pre);
|
||||
} else {
|
||||
out(initialSpace + "" + pad(pre, padAmount) + descriptionSeparator + desc);
|
||||
}
|
||||
}
|
||||
}
|
||||
if (append) {
|
||||
out();
|
||||
out(interpolate ? interp(append, interpolate) : append);
|
||||
}
|
||||
return unlines(output);
|
||||
};
|
||||
};
|
||||
function pad(str, num){
|
||||
var len, padAmount;
|
||||
len = str.length;
|
||||
padAmount = num - len;
|
||||
return str + "" + repeatString$(' ', padAmount > 0 ? padAmount : 0);
|
||||
}
|
||||
function sentencize(str){
|
||||
var first, rest, period;
|
||||
first = str.charAt(0).toUpperCase();
|
||||
rest = str.slice(1);
|
||||
period = /[\.!\?]$/.test(str) ? '' : '.';
|
||||
return first + "" + rest + period;
|
||||
}
|
||||
function interp(string, object){
|
||||
return string.replace(/{{([a-zA-Z$_][a-zA-Z$_0-9]*)}}/g, function(arg$, key){
|
||||
var ref$;
|
||||
return (ref$ = object[key]) != null
|
||||
? ref$
|
||||
: "{{" + key + "}}";
|
||||
});
|
||||
}
|
||||
module.exports = {
|
||||
generateHelp: generateHelp,
|
||||
generateHelpForOption: generateHelpForOption
|
||||
};
|
||||
function repeatString$(str, n){
|
||||
for (var r = ''; n > 0; (n >>= 1) && (str += str)) if (n & 1) r += str;
|
||||
return r;
|
||||
}
|
||||
}).call(this);
|
||||
465
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/index.js
generated
vendored
Normal file
465
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/index.js
generated
vendored
Normal file
@ -0,0 +1,465 @@
|
||||
// Generated by LiveScript 1.5.0
|
||||
(function(){
|
||||
var VERSION, ref$, id, map, compact, any, groupBy, partition, chars, isItNaN, keys, Obj, camelize, deepIs, closestString, nameToRaw, dasherize, naturalJoin, generateHelp, generateHelpForOption, parsedTypeCheck, parseType, parseLevn, camelizeKeys, parseString, main, toString$ = {}.toString, slice$ = [].slice;
|
||||
VERSION = '0.8.2';
|
||||
ref$ = require('prelude-ls'), id = ref$.id, map = ref$.map, compact = ref$.compact, any = ref$.any, groupBy = ref$.groupBy, partition = ref$.partition, chars = ref$.chars, isItNaN = ref$.isItNaN, keys = ref$.keys, Obj = ref$.Obj, camelize = ref$.camelize;
|
||||
deepIs = require('deep-is');
|
||||
ref$ = require('./util'), closestString = ref$.closestString, nameToRaw = ref$.nameToRaw, dasherize = ref$.dasherize, naturalJoin = ref$.naturalJoin;
|
||||
ref$ = require('./help'), generateHelp = ref$.generateHelp, generateHelpForOption = ref$.generateHelpForOption;
|
||||
ref$ = require('type-check'), parsedTypeCheck = ref$.parsedTypeCheck, parseType = ref$.parseType;
|
||||
parseLevn = require('levn').parsedTypeParse;
|
||||
camelizeKeys = function(obj){
|
||||
var key, value, resultObj$ = {};
|
||||
for (key in obj) {
|
||||
value = obj[key];
|
||||
resultObj$[camelize(key)] = value;
|
||||
}
|
||||
return resultObj$;
|
||||
};
|
||||
parseString = function(string){
|
||||
var assignOpt, regex, replaceRegex, result, this$ = this;
|
||||
assignOpt = '--?[a-zA-Z][-a-z-A-Z0-9]*=';
|
||||
regex = RegExp('(?:' + assignOpt + ')?(?:\'(?:\\\\\'|[^\'])+\'|"(?:\\\\"|[^"])+")|[^\'"\\s]+', 'g');
|
||||
replaceRegex = RegExp('^(' + assignOpt + ')?[\'"]([\\s\\S]*)[\'"]$');
|
||||
result = map(function(it){
|
||||
return it.replace(replaceRegex, '$1$2');
|
||||
}, string.match(regex) || []);
|
||||
return result;
|
||||
};
|
||||
main = function(libOptions){
|
||||
var opts, defaults, required, traverse, getOption, parse;
|
||||
opts = {};
|
||||
defaults = {};
|
||||
required = [];
|
||||
if (toString$.call(libOptions.stdout).slice(8, -1) === 'Undefined') {
|
||||
libOptions.stdout = process.stdout;
|
||||
}
|
||||
libOptions.positionalAnywhere == null && (libOptions.positionalAnywhere = true);
|
||||
libOptions.typeAliases == null && (libOptions.typeAliases = {});
|
||||
libOptions.defaults == null && (libOptions.defaults = {});
|
||||
if (libOptions.concatRepeatedArrays != null) {
|
||||
libOptions.defaults.concatRepeatedArrays = libOptions.concatRepeatedArrays;
|
||||
}
|
||||
if (libOptions.mergeRepeatedObjects != null) {
|
||||
libOptions.defaults.mergeRepeatedObjects = libOptions.mergeRepeatedObjects;
|
||||
}
|
||||
traverse = function(options){
|
||||
var i$, len$, option, name, k, ref$, v, type, that, e, parsedPossibilities, parsedType, j$, len1$, possibility, rawDependsType, dependsOpts, dependsType, cra, alias, shortNames, longNames, this$ = this;
|
||||
if (toString$.call(options).slice(8, -1) !== 'Array') {
|
||||
throw new Error('No options defined.');
|
||||
}
|
||||
for (i$ = 0, len$ = options.length; i$ < len$; ++i$) {
|
||||
option = options[i$];
|
||||
if (option.heading == null) {
|
||||
name = option.option;
|
||||
if (opts[name] != null) {
|
||||
throw new Error("Option '" + name + "' already defined.");
|
||||
}
|
||||
for (k in ref$ = libOptions.defaults) {
|
||||
v = ref$[k];
|
||||
option[k] == null && (option[k] = v);
|
||||
}
|
||||
if (option.type === 'Boolean') {
|
||||
option.boolean == null && (option.boolean = true);
|
||||
}
|
||||
if (option.parsedType == null) {
|
||||
if (!option.type) {
|
||||
throw new Error("No type defined for option '" + name + "'.");
|
||||
}
|
||||
try {
|
||||
type = (that = libOptions.typeAliases[option.type]) != null
|
||||
? that
|
||||
: option.type;
|
||||
option.parsedType = parseType(type);
|
||||
} catch (e$) {
|
||||
e = e$;
|
||||
throw new Error("Option '" + name + "': Error parsing type '" + option.type + "': " + e.message);
|
||||
}
|
||||
}
|
||||
if (option['default']) {
|
||||
try {
|
||||
defaults[name] = parseLevn(option.parsedType, option['default']);
|
||||
} catch (e$) {
|
||||
e = e$;
|
||||
throw new Error("Option '" + name + "': Error parsing default value '" + option['default'] + "' for type '" + option.type + "': " + e.message);
|
||||
}
|
||||
}
|
||||
if (option['enum'] && !option.parsedPossiblities) {
|
||||
parsedPossibilities = [];
|
||||
parsedType = option.parsedType;
|
||||
for (j$ = 0, len1$ = (ref$ = option['enum']).length; j$ < len1$; ++j$) {
|
||||
possibility = ref$[j$];
|
||||
try {
|
||||
parsedPossibilities.push(parseLevn(parsedType, possibility));
|
||||
} catch (e$) {
|
||||
e = e$;
|
||||
throw new Error("Option '" + name + "': Error parsing enum value '" + possibility + "' for type '" + option.type + "': " + e.message);
|
||||
}
|
||||
}
|
||||
option.parsedPossibilities = parsedPossibilities;
|
||||
}
|
||||
if (that = option.dependsOn) {
|
||||
if (that.length) {
|
||||
ref$ = [].concat(option.dependsOn), rawDependsType = ref$[0], dependsOpts = slice$.call(ref$, 1);
|
||||
dependsType = rawDependsType.toLowerCase();
|
||||
if (dependsOpts.length) {
|
||||
if (dependsType === 'and' || dependsType === 'or') {
|
||||
option.dependsOn = [dependsType].concat(slice$.call(dependsOpts));
|
||||
} else {
|
||||
throw new Error("Option '" + name + "': If you have more than one dependency, you must specify either 'and' or 'or'");
|
||||
}
|
||||
} else {
|
||||
if ((ref$ = dependsType.toLowerCase()) === 'and' || ref$ === 'or') {
|
||||
option.dependsOn = null;
|
||||
} else {
|
||||
option.dependsOn = ['and', rawDependsType];
|
||||
}
|
||||
}
|
||||
} else {
|
||||
option.dependsOn = null;
|
||||
}
|
||||
}
|
||||
if (option.required) {
|
||||
required.push(name);
|
||||
}
|
||||
opts[name] = option;
|
||||
if (option.concatRepeatedArrays != null) {
|
||||
cra = option.concatRepeatedArrays;
|
||||
if ('Boolean' === toString$.call(cra).slice(8, -1)) {
|
||||
option.concatRepeatedArrays = [cra, {}];
|
||||
} else if (cra.length === 1) {
|
||||
option.concatRepeatedArrays = [cra[0], {}];
|
||||
} else if (cra.length !== 2) {
|
||||
throw new Error("Invalid setting for concatRepeatedArrays");
|
||||
}
|
||||
}
|
||||
if (option.alias || option.aliases) {
|
||||
if (name === 'NUM') {
|
||||
throw new Error("-NUM option can't have aliases.");
|
||||
}
|
||||
if (option.alias) {
|
||||
option.aliases == null && (option.aliases = [].concat(option.alias));
|
||||
}
|
||||
for (j$ = 0, len1$ = (ref$ = option.aliases).length; j$ < len1$; ++j$) {
|
||||
alias = ref$[j$];
|
||||
if (opts[alias] != null) {
|
||||
throw new Error("Option '" + alias + "' already defined.");
|
||||
}
|
||||
opts[alias] = option;
|
||||
}
|
||||
ref$ = partition(fn$, option.aliases), shortNames = ref$[0], longNames = ref$[1];
|
||||
option.shortNames == null && (option.shortNames = shortNames);
|
||||
option.longNames == null && (option.longNames = longNames);
|
||||
}
|
||||
if ((!option.aliases || option.shortNames.length === 0) && option.type === 'Boolean' && option['default'] === 'true') {
|
||||
option.negateName = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
function fn$(it){
|
||||
return it.length === 1;
|
||||
}
|
||||
};
|
||||
traverse(libOptions.options);
|
||||
getOption = function(name){
|
||||
var opt, possiblyMeant;
|
||||
opt = opts[name];
|
||||
if (opt == null) {
|
||||
possiblyMeant = closestString(keys(opts), name);
|
||||
throw new Error("Invalid option '" + nameToRaw(name) + "'" + (possiblyMeant ? " - perhaps you meant '" + nameToRaw(possiblyMeant) + "'?" : '.'));
|
||||
}
|
||||
return opt;
|
||||
};
|
||||
parse = function(input, arg$){
|
||||
var slice, obj, positional, restPositional, overrideRequired, prop, setValue, setDefaults, checkRequired, mutuallyExclusiveError, checkMutuallyExclusive, checkDependency, checkDependencies, checkProp, args, key, value, option, ref$, i$, len$, arg, that, result, short, argName, usingAssign, val, flags, len, j$, len1$, i, flag, opt, name, valPrime, negated, noedName;
|
||||
slice = (arg$ != null
|
||||
? arg$
|
||||
: {}).slice;
|
||||
obj = {};
|
||||
positional = [];
|
||||
restPositional = false;
|
||||
overrideRequired = false;
|
||||
prop = null;
|
||||
setValue = function(name, value){
|
||||
var opt, val, cra, e, currentType;
|
||||
opt = getOption(name);
|
||||
if (opt.boolean) {
|
||||
val = value;
|
||||
} else {
|
||||
try {
|
||||
cra = opt.concatRepeatedArrays;
|
||||
if (cra != null && cra[0] && cra[1].oneValuePerFlag && opt.parsedType.length === 1 && opt.parsedType[0].structure === 'array') {
|
||||
val = [parseLevn(opt.parsedType[0].of, value)];
|
||||
} else {
|
||||
val = parseLevn(opt.parsedType, value);
|
||||
}
|
||||
} catch (e$) {
|
||||
e = e$;
|
||||
throw new Error("Invalid value for option '" + name + "' - expected type " + opt.type + ", received value: " + value + ".");
|
||||
}
|
||||
if (opt['enum'] && !any(function(it){
|
||||
return deepIs(it, val);
|
||||
}, opt.parsedPossibilities)) {
|
||||
throw new Error("Option " + name + ": '" + val + "' not one of " + naturalJoin(opt['enum']) + ".");
|
||||
}
|
||||
}
|
||||
currentType = toString$.call(obj[name]).slice(8, -1);
|
||||
if (obj[name] != null) {
|
||||
if (opt.concatRepeatedArrays != null && opt.concatRepeatedArrays[0] && currentType === 'Array') {
|
||||
obj[name] = obj[name].concat(val);
|
||||
} else if (opt.mergeRepeatedObjects && currentType === 'Object') {
|
||||
import$(obj[name], val);
|
||||
} else {
|
||||
obj[name] = val;
|
||||
}
|
||||
} else {
|
||||
obj[name] = val;
|
||||
}
|
||||
if (opt.restPositional) {
|
||||
restPositional = true;
|
||||
}
|
||||
if (opt.overrideRequired) {
|
||||
overrideRequired = true;
|
||||
}
|
||||
};
|
||||
setDefaults = function(){
|
||||
var name, ref$, value;
|
||||
for (name in ref$ = defaults) {
|
||||
value = ref$[name];
|
||||
if (obj[name] == null) {
|
||||
obj[name] = value;
|
||||
}
|
||||
}
|
||||
};
|
||||
checkRequired = function(){
|
||||
var i$, ref$, len$, name;
|
||||
if (overrideRequired) {
|
||||
return;
|
||||
}
|
||||
for (i$ = 0, len$ = (ref$ = required).length; i$ < len$; ++i$) {
|
||||
name = ref$[i$];
|
||||
if (!obj[name]) {
|
||||
throw new Error("Option " + nameToRaw(name) + " is required.");
|
||||
}
|
||||
}
|
||||
};
|
||||
mutuallyExclusiveError = function(first, second){
|
||||
throw new Error("The options " + nameToRaw(first) + " and " + nameToRaw(second) + " are mutually exclusive - you cannot use them at the same time.");
|
||||
};
|
||||
checkMutuallyExclusive = function(){
|
||||
var rules, i$, len$, rule, present, j$, len1$, element, k$, len2$, opt;
|
||||
rules = libOptions.mutuallyExclusive;
|
||||
if (!rules) {
|
||||
return;
|
||||
}
|
||||
for (i$ = 0, len$ = rules.length; i$ < len$; ++i$) {
|
||||
rule = rules[i$];
|
||||
present = null;
|
||||
for (j$ = 0, len1$ = rule.length; j$ < len1$; ++j$) {
|
||||
element = rule[j$];
|
||||
if (toString$.call(element).slice(8, -1) === 'Array') {
|
||||
for (k$ = 0, len2$ = element.length; k$ < len2$; ++k$) {
|
||||
opt = element[k$];
|
||||
if (opt in obj) {
|
||||
if (present != null) {
|
||||
mutuallyExclusiveError(present, opt);
|
||||
} else {
|
||||
present = opt;
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} else {
|
||||
if (element in obj) {
|
||||
if (present != null) {
|
||||
mutuallyExclusiveError(present, element);
|
||||
} else {
|
||||
present = element;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
};
|
||||
checkDependency = function(option){
|
||||
var dependsOn, type, targetOptionNames, i$, len$, targetOptionName, targetOption;
|
||||
dependsOn = option.dependsOn;
|
||||
if (!dependsOn || option.dependenciesMet) {
|
||||
return true;
|
||||
}
|
||||
type = dependsOn[0], targetOptionNames = slice$.call(dependsOn, 1);
|
||||
for (i$ = 0, len$ = targetOptionNames.length; i$ < len$; ++i$) {
|
||||
targetOptionName = targetOptionNames[i$];
|
||||
targetOption = obj[targetOptionName];
|
||||
if (targetOption && checkDependency(targetOption)) {
|
||||
if (type === 'or') {
|
||||
return true;
|
||||
}
|
||||
} else if (type === 'and') {
|
||||
throw new Error("The option '" + option.option + "' did not have its dependencies met.");
|
||||
}
|
||||
}
|
||||
if (type === 'and') {
|
||||
return true;
|
||||
} else {
|
||||
throw new Error("The option '" + option.option + "' did not meet any of its dependencies.");
|
||||
}
|
||||
};
|
||||
checkDependencies = function(){
|
||||
var name;
|
||||
for (name in obj) {
|
||||
checkDependency(opts[name]);
|
||||
}
|
||||
};
|
||||
checkProp = function(){
|
||||
if (prop) {
|
||||
throw new Error("Value for '" + prop + "' of type '" + getOption(prop).type + "' required.");
|
||||
}
|
||||
};
|
||||
switch (toString$.call(input).slice(8, -1)) {
|
||||
case 'String':
|
||||
args = parseString(input.slice(slice != null ? slice : 0));
|
||||
break;
|
||||
case 'Array':
|
||||
args = input.slice(slice != null ? slice : 2);
|
||||
break;
|
||||
case 'Object':
|
||||
obj = {};
|
||||
for (key in input) {
|
||||
value = input[key];
|
||||
if (key !== '_') {
|
||||
option = getOption(dasherize(key));
|
||||
if (parsedTypeCheck(option.parsedType, value)) {
|
||||
obj[option.option] = value;
|
||||
} else {
|
||||
throw new Error("Option '" + option.option + "': Invalid type for '" + value + "' - expected type '" + option.type + "'.");
|
||||
}
|
||||
}
|
||||
}
|
||||
checkMutuallyExclusive();
|
||||
checkDependencies();
|
||||
setDefaults();
|
||||
checkRequired();
|
||||
return ref$ = camelizeKeys(obj), ref$._ = input._ || [], ref$;
|
||||
default:
|
||||
throw new Error("Invalid argument to 'parse': " + input + ".");
|
||||
}
|
||||
for (i$ = 0, len$ = args.length; i$ < len$; ++i$) {
|
||||
arg = args[i$];
|
||||
if (arg === '--') {
|
||||
restPositional = true;
|
||||
} else if (restPositional) {
|
||||
positional.push(arg);
|
||||
} else {
|
||||
if (that = arg.match(/^(--?)([a-zA-Z][-a-zA-Z0-9]*)(=)?(.*)?$/)) {
|
||||
result = that;
|
||||
checkProp();
|
||||
short = result[1].length === 1;
|
||||
argName = result[2];
|
||||
usingAssign = result[3] != null;
|
||||
val = result[4];
|
||||
if (usingAssign && val == null) {
|
||||
throw new Error("No value for '" + argName + "' specified.");
|
||||
}
|
||||
if (short) {
|
||||
flags = chars(argName);
|
||||
len = flags.length;
|
||||
for (j$ = 0, len1$ = flags.length; j$ < len1$; ++j$) {
|
||||
i = j$;
|
||||
flag = flags[j$];
|
||||
opt = getOption(flag);
|
||||
name = opt.option;
|
||||
if (restPositional) {
|
||||
positional.push(flag);
|
||||
} else if (i === len - 1) {
|
||||
if (usingAssign) {
|
||||
valPrime = opt.boolean ? parseLevn([{
|
||||
type: 'Boolean'
|
||||
}], val) : val;
|
||||
setValue(name, valPrime);
|
||||
} else if (opt.boolean) {
|
||||
setValue(name, true);
|
||||
} else {
|
||||
prop = name;
|
||||
}
|
||||
} else if (opt.boolean) {
|
||||
setValue(name, true);
|
||||
} else {
|
||||
throw new Error("Can't set argument '" + flag + "' when not last flag in a group of short flags.");
|
||||
}
|
||||
}
|
||||
} else {
|
||||
negated = false;
|
||||
if (that = argName.match(/^no-(.+)$/)) {
|
||||
negated = true;
|
||||
noedName = that[1];
|
||||
opt = getOption(noedName);
|
||||
} else {
|
||||
opt = getOption(argName);
|
||||
}
|
||||
name = opt.option;
|
||||
if (opt.boolean) {
|
||||
valPrime = usingAssign ? parseLevn([{
|
||||
type: 'Boolean'
|
||||
}], val) : true;
|
||||
if (negated) {
|
||||
setValue(name, !valPrime);
|
||||
} else {
|
||||
setValue(name, valPrime);
|
||||
}
|
||||
} else {
|
||||
if (negated) {
|
||||
throw new Error("Only use 'no-' prefix for Boolean options, not with '" + noedName + "'.");
|
||||
}
|
||||
if (usingAssign) {
|
||||
setValue(name, val);
|
||||
} else {
|
||||
prop = name;
|
||||
}
|
||||
}
|
||||
}
|
||||
} else if (that = arg.match(/^-([0-9]+(?:\.[0-9]+)?)$/)) {
|
||||
opt = opts.NUM;
|
||||
if (!opt) {
|
||||
throw new Error('No -NUM option defined.');
|
||||
}
|
||||
setValue(opt.option, that[1]);
|
||||
} else {
|
||||
if (prop) {
|
||||
setValue(prop, arg);
|
||||
prop = null;
|
||||
} else {
|
||||
positional.push(arg);
|
||||
if (!libOptions.positionalAnywhere) {
|
||||
restPositional = true;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
checkProp();
|
||||
checkMutuallyExclusive();
|
||||
checkDependencies();
|
||||
setDefaults();
|
||||
checkRequired();
|
||||
return ref$ = camelizeKeys(obj), ref$._ = positional, ref$;
|
||||
};
|
||||
return {
|
||||
parse: parse,
|
||||
parseArgv: function(it){
|
||||
return parse(it, {
|
||||
slice: 2
|
||||
});
|
||||
},
|
||||
generateHelp: generateHelp(libOptions),
|
||||
generateHelpForOption: generateHelpForOption(getOption, libOptions)
|
||||
};
|
||||
};
|
||||
main.VERSION = VERSION;
|
||||
module.exports = main;
|
||||
function import$(obj, src){
|
||||
var own = {}.hasOwnProperty;
|
||||
for (var key in src) if (own.call(src, key)) obj[key] = src[key];
|
||||
return obj;
|
||||
}
|
||||
}).call(this);
|
||||
54
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/util.js
generated
vendored
Normal file
54
static/js/ketcher2/node_modules/eslint/node_modules/optionator/lib/util.js
generated
vendored
Normal file
@ -0,0 +1,54 @@
|
||||
// Generated by LiveScript 1.5.0
|
||||
(function(){
|
||||
var prelude, map, sortBy, fl, closestString, nameToRaw, dasherize, naturalJoin;
|
||||
prelude = require('prelude-ls'), map = prelude.map, sortBy = prelude.sortBy;
|
||||
fl = require('fast-levenshtein');
|
||||
closestString = function(possibilities, input){
|
||||
var distances, ref$, string, distance, this$ = this;
|
||||
if (!possibilities.length) {
|
||||
return;
|
||||
}
|
||||
distances = map(function(it){
|
||||
var ref$, longer, shorter;
|
||||
ref$ = input.length > it.length
|
||||
? [input, it]
|
||||
: [it, input], longer = ref$[0], shorter = ref$[1];
|
||||
return {
|
||||
string: it,
|
||||
distance: fl.get(longer, shorter)
|
||||
};
|
||||
})(
|
||||
possibilities);
|
||||
ref$ = sortBy(function(it){
|
||||
return it.distance;
|
||||
}, distances)[0], string = ref$.string, distance = ref$.distance;
|
||||
return string;
|
||||
};
|
||||
nameToRaw = function(name){
|
||||
if (name.length === 1 || name === 'NUM') {
|
||||
return "-" + name;
|
||||
} else {
|
||||
return "--" + name;
|
||||
}
|
||||
};
|
||||
dasherize = function(string){
|
||||
if (/^[A-Z]/.test(string)) {
|
||||
return string;
|
||||
} else {
|
||||
return prelude.dasherize(string);
|
||||
}
|
||||
};
|
||||
naturalJoin = function(array){
|
||||
if (array.length < 3) {
|
||||
return array.join(' or ');
|
||||
} else {
|
||||
return array.slice(0, -1).join(', ') + ", or " + array[array.length - 1];
|
||||
}
|
||||
};
|
||||
module.exports = {
|
||||
closestString: closestString,
|
||||
nameToRaw: nameToRaw,
|
||||
dasherize: dasherize,
|
||||
naturalJoin: naturalJoin
|
||||
};
|
||||
}).call(this);
|
||||
74
static/js/ketcher2/node_modules/eslint/node_modules/optionator/package.json
generated
vendored
Normal file
74
static/js/ketcher2/node_modules/eslint/node_modules/optionator/package.json
generated
vendored
Normal file
@ -0,0 +1,74 @@
|
||||
{
|
||||
"_from": "optionator@^0.8.2",
|
||||
"_id": "optionator@0.8.2",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-NkxeQJ0/TWMB1sC0wFu6UBgK62Q=",
|
||||
"_location": "/eslint/optionator",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "optionator@^0.8.2",
|
||||
"name": "optionator",
|
||||
"escapedName": "optionator",
|
||||
"rawSpec": "^0.8.2",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^0.8.2"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/optionator/-/optionator-0.8.2.tgz",
|
||||
"_shasum": "364c5e409d3f4d6301d6c0b4c05bba50180aeb64",
|
||||
"_spec": "optionator@^0.8.2",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"author": {
|
||||
"name": "George Zahariev",
|
||||
"email": "z@georgezahariev.com"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/gkz/optionator/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"dependencies": {
|
||||
"deep-is": "~0.1.3",
|
||||
"fast-levenshtein": "~2.0.4",
|
||||
"levn": "~0.3.0",
|
||||
"prelude-ls": "~1.1.2",
|
||||
"type-check": "~0.3.2",
|
||||
"wordwrap": "~1.0.0"
|
||||
},
|
||||
"deprecated": false,
|
||||
"description": "option parsing and help generation",
|
||||
"devDependencies": {
|
||||
"istanbul": "~0.4.1",
|
||||
"livescript": "~1.5.0",
|
||||
"mocha": "~3.0.2"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">= 0.8.0"
|
||||
},
|
||||
"files": [
|
||||
"lib",
|
||||
"README.md",
|
||||
"LICENSE"
|
||||
],
|
||||
"homepage": "https://github.com/gkz/optionator",
|
||||
"keywords": [
|
||||
"options",
|
||||
"flags",
|
||||
"option parsing",
|
||||
"cli"
|
||||
],
|
||||
"license": "MIT",
|
||||
"main": "./lib/",
|
||||
"name": "optionator",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/gkz/optionator.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "make test"
|
||||
},
|
||||
"version": "0.8.2"
|
||||
}
|
||||
14
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/index.js
generated
vendored
Normal file
14
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/index.js
generated
vendored
Normal file
@ -0,0 +1,14 @@
|
||||
'use strict';
|
||||
module.exports = x => {
|
||||
if (typeof x !== 'string') {
|
||||
throw new TypeError('Expected a string, got ' + typeof x);
|
||||
}
|
||||
|
||||
// Catches EFBBBF (UTF-8 BOM) because the buffer-to-string
|
||||
// conversion translates it to FEFF (UTF-16 BOM)
|
||||
if (x.charCodeAt(0) === 0xFEFF) {
|
||||
return x.slice(1);
|
||||
}
|
||||
|
||||
return x;
|
||||
};
|
||||
21
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/license
generated
vendored
Normal file
21
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/license
generated
vendored
Normal file
@ -0,0 +1,21 @@
|
||||
The MIT License (MIT)
|
||||
|
||||
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.
|
||||
72
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/package.json
generated
vendored
Normal file
72
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/package.json
generated
vendored
Normal file
@ -0,0 +1,72 @@
|
||||
{
|
||||
"_from": "strip-bom@^3.0.0",
|
||||
"_id": "strip-bom@3.0.0",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=",
|
||||
"_location": "/eslint/strip-bom",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "strip-bom@^3.0.0",
|
||||
"name": "strip-bom",
|
||||
"escapedName": "strip-bom",
|
||||
"rawSpec": "^3.0.0",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^3.0.0"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz",
|
||||
"_shasum": "2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3",
|
||||
"_spec": "strip-bom@^3.0.0",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/sindresorhus/strip-bom/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"deprecated": false,
|
||||
"description": "Strip UTF-8 byte order mark (BOM) from a string",
|
||||
"devDependencies": {
|
||||
"ava": "*",
|
||||
"xo": "*"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=4"
|
||||
},
|
||||
"files": [
|
||||
"index.js"
|
||||
],
|
||||
"homepage": "https://github.com/sindresorhus/strip-bom#readme",
|
||||
"keywords": [
|
||||
"strip",
|
||||
"bom",
|
||||
"byte",
|
||||
"order",
|
||||
"mark",
|
||||
"unicode",
|
||||
"utf8",
|
||||
"utf-8",
|
||||
"remove",
|
||||
"delete",
|
||||
"trim",
|
||||
"text",
|
||||
"string"
|
||||
],
|
||||
"license": "MIT",
|
||||
"name": "strip-bom",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/sindresorhus/strip-bom.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "xo && ava"
|
||||
},
|
||||
"version": "3.0.0"
|
||||
}
|
||||
36
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/readme.md
generated
vendored
Normal file
36
static/js/ketcher2/node_modules/eslint/node_modules/strip-bom/readme.md
generated
vendored
Normal file
@ -0,0 +1,36 @@
|
||||
# strip-bom [](https://travis-ci.org/sindresorhus/strip-bom)
|
||||
|
||||
> Strip UTF-8 [byte order mark](http://en.wikipedia.org/wiki/Byte_order_mark#UTF-8) (BOM) from a string
|
||||
|
||||
From Wikipedia:
|
||||
|
||||
> The Unicode Standard permits the BOM in UTF-8, but does not require nor recommend its use. Byte order has no meaning in UTF-8.
|
||||
|
||||
|
||||
## Install
|
||||
|
||||
```
|
||||
$ npm install --save strip-bom
|
||||
```
|
||||
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
const stripBom = require('strip-bom');
|
||||
|
||||
stripBom('\uFEFFunicorn');
|
||||
//=> 'unicorn'
|
||||
```
|
||||
|
||||
|
||||
## Related
|
||||
|
||||
- [strip-bom-cli](https://github.com/sindresorhus/strip-bom-cli) - CLI for this module
|
||||
- [strip-bom-buf](https://github.com/sindresorhus/strip-bom-buf) - Buffer version of this module
|
||||
- [strip-bom-stream](https://github.com/sindresorhus/strip-bom-stream) - Stream version of this module
|
||||
|
||||
|
||||
## License
|
||||
|
||||
MIT © [Sindre Sorhus](https://sindresorhus.com)
|
||||
2
static/js/ketcher2/node_modules/eslint/node_modules/user-home/index.js
generated
vendored
Normal file
2
static/js/ketcher2/node_modules/eslint/node_modules/user-home/index.js
generated
vendored
Normal file
@ -0,0 +1,2 @@
|
||||
'use strict';
|
||||
module.exports = require('os-homedir')();
|
||||
21
static/js/ketcher2/node_modules/eslint/node_modules/user-home/license
generated
vendored
Normal file
21
static/js/ketcher2/node_modules/eslint/node_modules/user-home/license
generated
vendored
Normal file
@ -0,0 +1,21 @@
|
||||
The MIT License (MIT)
|
||||
|
||||
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.
|
||||
75
static/js/ketcher2/node_modules/eslint/node_modules/user-home/package.json
generated
vendored
Normal file
75
static/js/ketcher2/node_modules/eslint/node_modules/user-home/package.json
generated
vendored
Normal file
@ -0,0 +1,75 @@
|
||||
{
|
||||
"_from": "user-home@^2.0.0",
|
||||
"_id": "user-home@2.0.0",
|
||||
"_inBundle": false,
|
||||
"_integrity": "sha1-nHC/2Babwdy/SGBODwS4tJzenp8=",
|
||||
"_location": "/eslint/user-home",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"type": "range",
|
||||
"registry": true,
|
||||
"raw": "user-home@^2.0.0",
|
||||
"name": "user-home",
|
||||
"escapedName": "user-home",
|
||||
"rawSpec": "^2.0.0",
|
||||
"saveSpec": null,
|
||||
"fetchSpec": "^2.0.0"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/eslint"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/user-home/-/user-home-2.0.0.tgz",
|
||||
"_shasum": "9c70bfd8169bc1dcbf48604e0f04b8b49cde9e9f",
|
||||
"_spec": "user-home@^2.0.0",
|
||||
"_where": "/home/manfred/enviPath/ketcher2/ketcher/node_modules/eslint",
|
||||
"author": {
|
||||
"name": "Sindre Sorhus",
|
||||
"email": "sindresorhus@gmail.com",
|
||||
"url": "sindresorhus.com"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/sindresorhus/user-home/issues"
|
||||
},
|
||||
"bundleDependencies": false,
|
||||
"dependencies": {
|
||||
"os-homedir": "^1.0.0"
|
||||
},
|
||||
"deprecated": false,
|
||||
"description": "Get the path to the user home directory",
|
||||
"devDependencies": {
|
||||
"ava": "0.0.4",
|
||||
"path-exists": "^1.0.0"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=0.10.0"
|
||||
},
|
||||
"files": [
|
||||
"index.js"
|
||||
],
|
||||
"homepage": "https://github.com/sindresorhus/user-home#readme",
|
||||
"keywords": [
|
||||
"user",
|
||||
"home",
|
||||
"homedir",
|
||||
"os-homedir",
|
||||
"dir",
|
||||
"directory",
|
||||
"folder",
|
||||
"path",
|
||||
"env",
|
||||
"vars",
|
||||
"environment",
|
||||
"variables",
|
||||
"userprofile"
|
||||
],
|
||||
"license": "MIT",
|
||||
"name": "user-home",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/sindresorhus/user-home.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "node test.js"
|
||||
},
|
||||
"version": "2.0.0"
|
||||
}
|
||||
33
static/js/ketcher2/node_modules/eslint/node_modules/user-home/readme.md
generated
vendored
Normal file
33
static/js/ketcher2/node_modules/eslint/node_modules/user-home/readme.md
generated
vendored
Normal file
@ -0,0 +1,33 @@
|
||||
# user-home [](https://travis-ci.org/sindresorhus/user-home)
|
||||
|
||||
> Get the path to the user home directory
|
||||
|
||||
|
||||
## Install
|
||||
|
||||
```
|
||||
$ npm install --save user-home
|
||||
```
|
||||
|
||||
|
||||
## Usage
|
||||
|
||||
```js
|
||||
var userHome = require('user-home');
|
||||
|
||||
console.log(userHome);
|
||||
//=> '/Users/sindresorhus'
|
||||
```
|
||||
|
||||
Returns `null` in the unlikely scenario that the home directory can't be found.
|
||||
|
||||
|
||||
## Related
|
||||
|
||||
- [user-home-cli](https://github.com/sindresorhus/user-home-cli) - CLI for this module
|
||||
- [home-or-tmp](https://github.com/sindresorhus/home-or-tmp) - Get the user home directory with fallback to the system temp directory
|
||||
|
||||
|
||||
## License
|
||||
|
||||
MIT © [Sindre Sorhus](http://sindresorhus.com)
|
||||
Reference in New Issue
Block a user