code
stringlengths 24
2.07M
| docstring
stringlengths 25
85.3k
| func_name
stringlengths 1
92
| language
stringclasses 1
value | repo
stringlengths 5
64
| path
stringlengths 4
172
| url
stringlengths 44
218
| license
stringclasses 7
values |
---|---|---|---|---|---|---|---|
warnUnused = function (name, tkn, type, unused_opt) {
var line = tkn.line;
var chr = tkn.character;
if (unused_opt === undefined) {
unused_opt = state.option.unused;
}
if (unused_opt === true) {
unused_opt = "last-param";
}
var warnable_types = {
"vars": ["var"],
"last-param": ["var", "param"],
"strict": ["var", "param", "last-param"]
};
if (unused_opt) {
if (warnable_types[unused_opt] && warnable_types[unused_opt].indexOf(type) !== -1) {
warningAt("W098", line, chr, name);
}
}
unuseds.push({
name: name,
line: line,
character: chr
});
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
warnUnused
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
checkUnused = function (func, key) {
var type = func[key];
var tkn = func["(tokens)"][key];
if (key.charAt(0) === "(")
return;
if (type !== "unused" && type !== "unction" && type !== "const")
return;
// Params are checked separately from other variables.
if (func["(params)"] && func["(params)"].indexOf(key) !== -1)
return;
// Variable is in global scope and defined as exported.
if (func["(global)"] && _.has(exported, key))
return;
// Is this constant unused?
if (type === "const" && !getprop(func, key, "unused"))
return;
warnUnused(key, tkn, "var");
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
checkUnused
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function asyncTrigger() {
var _checks = [];
return {
push: function (fn) {
_checks.push(fn);
},
check: function () {
for (var check = 0; check < _checks.length; ++check) {
_checks[check]();
}
_checks.splice(0, _checks.length);
}
};
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
asyncTrigger
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function Lexer(source) {
var lines = source;
if (typeof lines === "string") {
lines = lines
.replace(/\r\n/g, "\n")
.replace(/\r/g, "\n")
.split("\n");
}
// If the first line is a shebang (#!), make it a blank and move on.
// Shebangs are used by Node scripts.
if (lines[0] && lines[0].substr(0, 2) === "#!") {
if (lines[0].indexOf("node") !== -1) {
state.option.node = true;
}
lines[0] = "";
}
this.emitter = new events.EventEmitter();
this.source = source;
this.setLines(lines);
this.prereg = true;
this.line = 0;
this.char = 1;
this.from = 1;
this.input = "";
this.inComment = false;
for (var i = 0; i < state.option.indent; i += 1) {
state.tab += " ";
}
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
Lexer
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function commentToken(label, body, opt) {
var special = ["jshint", "jslint", "members", "member", "globals", "global", "exported"];
var isSpecial = false;
var value = label + body;
var commentType = "plain";
opt = opt || {};
if (opt.isMultiline) {
value += "*/";
}
special.forEach(function (str) {
if (isSpecial) {
return;
}
// Don't recognize any special comments other than jshint for single-line
// comments. This introduced many problems with legit comments.
if (label === "//" && str !== "jshint") {
return;
}
if (body.substr(0, str.length) === str) {
isSpecial = true;
label = label + str;
body = body.substr(str.length);
}
if (!isSpecial && body.charAt(0) === " " && body.substr(1, str.length) === str) {
isSpecial = true;
label = label + " " + str;
body = body.substr(str.length + 1);
}
if (!isSpecial) {
return;
}
switch (str) {
case "member":
commentType = "members";
break;
case "global":
commentType = "globals";
break;
default:
commentType = str;
}
});
return {
type: Token.Comment,
commentType: commentType,
value: value,
body: body,
isSpecial: isSpecial,
isMultiline: opt.isMultiline || false,
isMalformed: opt.isMalformed || false
};
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
commentToken
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isNonAsciiIdentifierStart(code) {
return nonAsciiIdentifierStartTable.indexOf(code) > -1;
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isNonAsciiIdentifierStart
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isNonAsciiIdentifierPart(code) {
return isNonAsciiIdentifierStart(code) || nonAsciiIdentifierPartTable.indexOf(code) > -1;
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isNonAsciiIdentifierPart
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isHexDigit(str) {
return (/^[0-9a-fA-F]$/).test(str);
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isHexDigit
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isDecimalDigit(str) {
return (/^[0-9]$/).test(str);
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isDecimalDigit
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isOctalDigit(str) {
return (/^[0-7]$/).test(str);
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isOctalDigit
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isHexDigit(str) {
return (/^[0-9a-fA-F]$/).test(str);
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isHexDigit
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isIdentifierStart(ch) {
return (ch === "$") || (ch === "_") || (ch === "\\") ||
(ch >= "a" && ch <= "z") || (ch >= "A" && ch <= "Z");
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isIdentifierStart
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
startsWith = function () {
return _.some(arguments, function (prefix) {
return inputTrimmed.indexOf(prefix) === 0;
});
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
startsWith
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
endsWith = function () {
return _.some(arguments, function (suffix) {
return inputTrimmed.indexOf(suffix, inputTrimmed.length - suffix.length) !== -1;
});
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
endsWith
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function isReserved(token, isProperty) {
if (!token.reserved) {
return false;
}
var meta = token.meta;
if (meta && meta.isFutureReservedWord && state.option.inES5()) {
// ES3 FutureReservedWord in an ES5 environment.
if (!meta.es5) {
return false;
}
// Some ES5 FutureReservedWord identifiers are active only
// within a strict mode environment.
if (meta.strictOnly) {
if (!state.option.strict && !state.directive["use strict"]) {
return false;
}
}
if (isProperty) {
return false;
}
}
return true;
}
|
Inherit the prototype methods from one constructor into another.
The Function.prototype.inherits from lang.js rewritten as a standalone
function (not on Function.prototype). NOTE: If this file is to be loaded
during bootstrapping this function needs to be rewritten using some native
functions as prototype setup using normal JavaScript does not work as
expected during bootstrapping (see mirror.js in r114903).
@param {function} ctor Constructor function which needs to inherit the
prototype.
@param {function} superCtor Constructor function to inherit prototype from.
|
isReserved
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/codemirror/codemirror-compressed.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/codemirror/codemirror-compressed.js
|
MIT
|
function markFunction( fn ) {
fn[ expando ] = true;
return fn;
}
|
Mark a function for special use by Sizzle
@param {Function} fn The function to mark
|
markFunction
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function assert( fn ) {
var div = document.createElement("div");
try {
return !!fn( div );
} catch (e) {
return false;
} finally {
// Remove from its parent by default
if ( div.parentNode ) {
div.parentNode.removeChild( div );
}
// release memory in IE
div = null;
}
}
|
Support testing using an element
@param {Function} fn Passed the created div and expects a boolean result
|
assert
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function addHandle( attrs, handler ) {
var arr = attrs.split("|"),
i = attrs.length;
while ( i-- ) {
Expr.attrHandle[ arr[i] ] = handler;
}
}
|
Adds the same handler for all of the specified attrs
@param {String} attrs Pipe-separated list of attributes
@param {Function} handler The method that will be applied
|
addHandle
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function siblingCheck( a, b ) {
var cur = b && a,
diff = cur && a.nodeType === 1 && b.nodeType === 1 &&
( ~b.sourceIndex || MAX_NEGATIVE ) -
( ~a.sourceIndex || MAX_NEGATIVE );
// Use IE sourceIndex if available on both nodes
if ( diff ) {
return diff;
}
// Check if b follows a
if ( cur ) {
while ( (cur = cur.nextSibling) ) {
if ( cur === b ) {
return -1;
}
}
}
return a ? 1 : -1;
}
|
Checks document order of two siblings
@param {Element} a
@param {Element} b
@returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b
|
siblingCheck
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createInputPseudo( type ) {
return function( elem ) {
var name = elem.nodeName.toLowerCase();
return name === "input" && elem.type === type;
};
}
|
Returns a function to use in pseudos for input types
@param {String} type
|
createInputPseudo
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createButtonPseudo( type ) {
return function( elem ) {
var name = elem.nodeName.toLowerCase();
return (name === "input" || name === "button") && elem.type === type;
};
}
|
Returns a function to use in pseudos for buttons
@param {String} type
|
createButtonPseudo
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createPositionalPseudo( fn ) {
return markFunction(function( argument ) {
argument = +argument;
return markFunction(function( seed, matches ) {
var j,
matchIndexes = fn( [], seed.length, argument ),
i = matchIndexes.length;
// Match elements found at the specified indexes
while ( i-- ) {
if ( seed[ (j = matchIndexes[i]) ] ) {
seed[j] = !(matches[j] = seed[j]);
}
}
});
});
}
|
Returns a function to use in pseudos for positionals
@param {Function} fn
|
createPositionalPseudo
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function tokenize( selector, parseOnly ) {
var matched, match, tokens, type,
soFar, groups, preFilters,
cached = tokenCache[ selector + " " ];
if ( cached ) {
return parseOnly ? 0 : cached.slice( 0 );
}
soFar = selector;
groups = [];
preFilters = Expr.preFilter;
while ( soFar ) {
// Comma and first run
if ( !matched || (match = rcomma.exec( soFar )) ) {
if ( match ) {
// Don't consume trailing commas as valid
soFar = soFar.slice( match[0].length ) || soFar;
}
groups.push( tokens = [] );
}
matched = false;
// Combinators
if ( (match = rcombinators.exec( soFar )) ) {
matched = match.shift();
tokens.push({
value: matched,
// Cast descendant combinators to space
type: match[0].replace( rtrim, " " )
});
soFar = soFar.slice( matched.length );
}
// Filters
for ( type in Expr.filter ) {
if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] ||
(match = preFilters[ type ]( match ))) ) {
matched = match.shift();
tokens.push({
value: matched,
type: type,
matches: match
});
soFar = soFar.slice( matched.length );
}
}
if ( !matched ) {
break;
}
}
// Return the length of the invalid excess
// if we're just parsing
// Otherwise, throw an error or return tokens
return parseOnly ?
soFar.length :
soFar ?
Sizzle.error( selector ) :
// Cache the tokens
tokenCache( selector, groups ).slice( 0 );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
tokenize
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function toSelector( tokens ) {
var i = 0,
len = tokens.length,
selector = "";
for ( ; i < len; i++ ) {
selector += tokens[i].value;
}
return selector;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
toSelector
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function addCombinator( matcher, combinator, base ) {
var dir = combinator.dir,
checkNonElements = base && dir === "parentNode",
doneName = done++;
return combinator.first ?
// Check against closest ancestor/preceding element
function( elem, context, xml ) {
while ( (elem = elem[ dir ]) ) {
if ( elem.nodeType === 1 || checkNonElements ) {
return matcher( elem, context, xml );
}
}
} :
// Check against all ancestor/preceding elements
function( elem, context, xml ) {
var data, cache, outerCache,
dirkey = dirruns + " " + doneName;
// We can't set arbitrary data on XML nodes, so they don't benefit from dir caching
if ( xml ) {
while ( (elem = elem[ dir ]) ) {
if ( elem.nodeType === 1 || checkNonElements ) {
if ( matcher( elem, context, xml ) ) {
return true;
}
}
}
} else {
while ( (elem = elem[ dir ]) ) {
if ( elem.nodeType === 1 || checkNonElements ) {
outerCache = elem[ expando ] || (elem[ expando ] = {});
if ( (cache = outerCache[ dir ]) && cache[0] === dirkey ) {
if ( (data = cache[1]) === true || data === cachedruns ) {
return data === true;
}
} else {
cache = outerCache[ dir ] = [ dirkey ];
cache[1] = matcher( elem, context, xml ) || cachedruns;
if ( cache[1] === true ) {
return true;
}
}
}
}
}
};
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
addCombinator
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function elementMatcher( matchers ) {
return matchers.length > 1 ?
function( elem, context, xml ) {
var i = matchers.length;
while ( i-- ) {
if ( !matchers[i]( elem, context, xml ) ) {
return false;
}
}
return true;
} :
matchers[0];
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
elementMatcher
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function condense( unmatched, map, filter, context, xml ) {
var elem,
newUnmatched = [],
i = 0,
len = unmatched.length,
mapped = map != null;
for ( ; i < len; i++ ) {
if ( (elem = unmatched[i]) ) {
if ( !filter || filter( elem, context, xml ) ) {
newUnmatched.push( elem );
if ( mapped ) {
map.push( i );
}
}
}
}
return newUnmatched;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
condense
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) {
if ( postFilter && !postFilter[ expando ] ) {
postFilter = setMatcher( postFilter );
}
if ( postFinder && !postFinder[ expando ] ) {
postFinder = setMatcher( postFinder, postSelector );
}
return markFunction(function( seed, results, context, xml ) {
var temp, i, elem,
preMap = [],
postMap = [],
preexisting = results.length,
// Get initial elements from seed or context
elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ),
// Prefilter to get matcher input, preserving a map for seed-results synchronization
matcherIn = preFilter && ( seed || !selector ) ?
condense( elems, preMap, preFilter, context, xml ) :
elems,
matcherOut = matcher ?
// If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results,
postFinder || ( seed ? preFilter : preexisting || postFilter ) ?
// ...intermediate processing is necessary
[] :
// ...otherwise use results directly
results :
matcherIn;
// Find primary matches
if ( matcher ) {
matcher( matcherIn, matcherOut, context, xml );
}
// Apply postFilter
if ( postFilter ) {
temp = condense( matcherOut, postMap );
postFilter( temp, [], context, xml );
// Un-match failing elements by moving them back to matcherIn
i = temp.length;
while ( i-- ) {
if ( (elem = temp[i]) ) {
matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem);
}
}
}
if ( seed ) {
if ( postFinder || preFilter ) {
if ( postFinder ) {
// Get the final matcherOut by condensing this intermediate into postFinder contexts
temp = [];
i = matcherOut.length;
while ( i-- ) {
if ( (elem = matcherOut[i]) ) {
// Restore matcherIn since elem is not yet a final match
temp.push( (matcherIn[i] = elem) );
}
}
postFinder( null, (matcherOut = []), temp, xml );
}
// Move matched elements from seed to results to keep them synchronized
i = matcherOut.length;
while ( i-- ) {
if ( (elem = matcherOut[i]) &&
(temp = postFinder ? indexOf.call( seed, elem ) : preMap[i]) > -1 ) {
seed[temp] = !(results[temp] = elem);
}
}
}
// Add elements to results, through postFinder if defined
} else {
matcherOut = condense(
matcherOut === results ?
matcherOut.splice( preexisting, matcherOut.length ) :
matcherOut
);
if ( postFinder ) {
postFinder( null, results, matcherOut, xml );
} else {
push.apply( results, matcherOut );
}
}
});
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
setMatcher
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function matcherFromTokens( tokens ) {
var checkContext, matcher, j,
len = tokens.length,
leadingRelative = Expr.relative[ tokens[0].type ],
implicitRelative = leadingRelative || Expr.relative[" "],
i = leadingRelative ? 1 : 0,
// The foundational matcher ensures that elements are reachable from top-level context(s)
matchContext = addCombinator( function( elem ) {
return elem === checkContext;
}, implicitRelative, true ),
matchAnyContext = addCombinator( function( elem ) {
return indexOf.call( checkContext, elem ) > -1;
}, implicitRelative, true ),
matchers = [ function( elem, context, xml ) {
return ( !leadingRelative && ( xml || context !== outermostContext ) ) || (
(checkContext = context).nodeType ?
matchContext( elem, context, xml ) :
matchAnyContext( elem, context, xml ) );
} ];
for ( ; i < len; i++ ) {
if ( (matcher = Expr.relative[ tokens[i].type ]) ) {
matchers = [ addCombinator(elementMatcher( matchers ), matcher) ];
} else {
matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches );
// Return special upon seeing a positional matcher
if ( matcher[ expando ] ) {
// Find the next relative operator (if any) for proper handling
j = ++i;
for ( ; j < len; j++ ) {
if ( Expr.relative[ tokens[j].type ] ) {
break;
}
}
return setMatcher(
i > 1 && elementMatcher( matchers ),
i > 1 && toSelector(
// If the preceding token was a descendant combinator, insert an implicit any-element `*`
tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" })
).replace( rtrim, "$1" ),
matcher,
i < j && matcherFromTokens( tokens.slice( i, j ) ),
j < len && matcherFromTokens( (tokens = tokens.slice( j )) ),
j < len && toSelector( tokens )
);
}
matchers.push( matcher );
}
}
return elementMatcher( matchers );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
matcherFromTokens
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function matcherFromGroupMatchers( elementMatchers, setMatchers ) {
// A counter to specify which element is currently being matched
var matcherCachedRuns = 0,
bySet = setMatchers.length > 0,
byElement = elementMatchers.length > 0,
superMatcher = function( seed, context, xml, results, expandContext ) {
var elem, j, matcher,
setMatched = [],
matchedCount = 0,
i = "0",
unmatched = seed && [],
outermost = expandContext != null,
contextBackup = outermostContext,
// We must always have either seed elements or context
elems = seed || byElement && Expr.find["TAG"]( "*", expandContext && context.parentNode || context ),
// Use integer dirruns iff this is the outermost matcher
dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1);
if ( outermost ) {
outermostContext = context !== document && context;
cachedruns = matcherCachedRuns;
}
// Add elements passing elementMatchers directly to results
// Keep `i` a string if there are no elements so `matchedCount` will be "00" below
for ( ; (elem = elems[i]) != null; i++ ) {
if ( byElement && elem ) {
j = 0;
while ( (matcher = elementMatchers[j++]) ) {
if ( matcher( elem, context, xml ) ) {
results.push( elem );
break;
}
}
if ( outermost ) {
dirruns = dirrunsUnique;
cachedruns = ++matcherCachedRuns;
}
}
// Track unmatched elements for set filters
if ( bySet ) {
// They will have gone through all possible matchers
if ( (elem = !matcher && elem) ) {
matchedCount--;
}
// Lengthen the array for every element, matched or not
if ( seed ) {
unmatched.push( elem );
}
}
}
// Apply set filters to unmatched elements
matchedCount += i;
if ( bySet && i !== matchedCount ) {
j = 0;
while ( (matcher = setMatchers[j++]) ) {
matcher( unmatched, setMatched, context, xml );
}
if ( seed ) {
// Reintegrate element matches to eliminate the need for sorting
if ( matchedCount > 0 ) {
while ( i-- ) {
if ( !(unmatched[i] || setMatched[i]) ) {
setMatched[i] = pop.call( results );
}
}
}
// Discard index placeholder values to get only actual matches
setMatched = condense( setMatched );
}
// Add matches to results
push.apply( results, setMatched );
// Seedless set matches succeeding multiple successful matchers stipulate sorting
if ( outermost && !seed && setMatched.length > 0 &&
( matchedCount + setMatchers.length ) > 1 ) {
Sizzle.uniqueSort( results );
}
}
// Override manipulation of globals by nested matchers
if ( outermost ) {
dirruns = dirrunsUnique;
outermostContext = contextBackup;
}
return unmatched;
};
return bySet ?
markFunction( superMatcher ) :
superMatcher;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
matcherFromGroupMatchers
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
superMatcher = function( seed, context, xml, results, expandContext ) {
var elem, j, matcher,
setMatched = [],
matchedCount = 0,
i = "0",
unmatched = seed && [],
outermost = expandContext != null,
contextBackup = outermostContext,
// We must always have either seed elements or context
elems = seed || byElement && Expr.find["TAG"]( "*", expandContext && context.parentNode || context ),
// Use integer dirruns iff this is the outermost matcher
dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1);
if ( outermost ) {
outermostContext = context !== document && context;
cachedruns = matcherCachedRuns;
}
// Add elements passing elementMatchers directly to results
// Keep `i` a string if there are no elements so `matchedCount` will be "00" below
for ( ; (elem = elems[i]) != null; i++ ) {
if ( byElement && elem ) {
j = 0;
while ( (matcher = elementMatchers[j++]) ) {
if ( matcher( elem, context, xml ) ) {
results.push( elem );
break;
}
}
if ( outermost ) {
dirruns = dirrunsUnique;
cachedruns = ++matcherCachedRuns;
}
}
// Track unmatched elements for set filters
if ( bySet ) {
// They will have gone through all possible matchers
if ( (elem = !matcher && elem) ) {
matchedCount--;
}
// Lengthen the array for every element, matched or not
if ( seed ) {
unmatched.push( elem );
}
}
}
// Apply set filters to unmatched elements
matchedCount += i;
if ( bySet && i !== matchedCount ) {
j = 0;
while ( (matcher = setMatchers[j++]) ) {
matcher( unmatched, setMatched, context, xml );
}
if ( seed ) {
// Reintegrate element matches to eliminate the need for sorting
if ( matchedCount > 0 ) {
while ( i-- ) {
if ( !(unmatched[i] || setMatched[i]) ) {
setMatched[i] = pop.call( results );
}
}
}
// Discard index placeholder values to get only actual matches
setMatched = condense( setMatched );
}
// Add matches to results
push.apply( results, setMatched );
// Seedless set matches succeeding multiple successful matchers stipulate sorting
if ( outermost && !seed && setMatched.length > 0 &&
( matchedCount + setMatchers.length ) > 1 ) {
Sizzle.uniqueSort( results );
}
}
// Override manipulation of globals by nested matchers
if ( outermost ) {
dirruns = dirrunsUnique;
outermostContext = contextBackup;
}
return unmatched;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
superMatcher
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function multipleContexts( selector, contexts, results ) {
var i = 0,
len = contexts.length;
for ( ; i < len; i++ ) {
Sizzle( selector, contexts[i], results );
}
return results;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
multipleContexts
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function select( selector, context, results, seed ) {
var i, tokens, token, type, find,
match = tokenize( selector );
if ( !seed ) {
// Try to minimize operations if there is only one group
if ( match.length === 1 ) {
// Take a shortcut and set the context if the root selector is an ID
tokens = match[0] = match[0].slice( 0 );
if ( tokens.length > 2 && (token = tokens[0]).type === "ID" &&
support.getById && context.nodeType === 9 && documentIsHTML &&
Expr.relative[ tokens[1].type ] ) {
context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0];
if ( !context ) {
return results;
}
selector = selector.slice( tokens.shift().value.length );
}
// Fetch a seed set for right-to-left matching
i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length;
while ( i-- ) {
token = tokens[i];
// Abort if we hit a combinator
if ( Expr.relative[ (type = token.type) ] ) {
break;
}
if ( (find = Expr.find[ type ]) ) {
// Search, expanding context for leading sibling combinators
if ( (seed = find(
token.matches[0].replace( runescape, funescape ),
rsibling.test( tokens[0].type ) && context.parentNode || context
)) ) {
// If seed is empty or no tokens remain, we can return early
tokens.splice( i, 1 );
selector = seed.length && toSelector( tokens );
if ( !selector ) {
push.apply( results, seed );
return results;
}
break;
}
}
}
}
}
// Compile and execute a filtering function
// Provide `match` to avoid retokenization if we modified the selector above
compile( selector, match )(
seed,
context,
!documentIsHTML,
results,
rsibling.test( selector )
);
return results;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
select
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createOptions( options ) {
var object = optionsCache[ options ] = {};
jQuery.each( options.match( core_rnotwhite ) || [], function( _, flag ) {
object[ flag ] = true;
});
return object;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createOptions
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
fire = function( data ) {
memory = options.memory && data;
fired = true;
firingIndex = firingStart || 0;
firingStart = 0;
firingLength = list.length;
firing = true;
for ( ; list && firingIndex < firingLength; firingIndex++ ) {
if ( list[ firingIndex ].apply( data[ 0 ], data[ 1 ] ) === false && options.stopOnFalse ) {
memory = false; // To prevent further calls using add
break;
}
}
firing = false;
if ( list ) {
if ( stack ) {
if ( stack.length ) {
fire( stack.shift() );
}
} else if ( memory ) {
list = [];
} else {
self.disable();
}
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
fire
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
updateFunc = function( i, contexts, values ) {
return function( value ) {
contexts[ i ] = this;
values[ i ] = arguments.length > 1 ? core_slice.call( arguments ) : value;
if( values === progressValues ) {
deferred.notifyWith( contexts, values );
} else if ( !( --remaining ) ) {
deferred.resolveWith( contexts, values );
}
};
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
updateFunc
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function internalData( elem, name, data, pvt /* Internal Use Only */ ){
if ( !jQuery.acceptData( elem ) ) {
return;
}
var ret, thisCache,
internalKey = jQuery.expando,
// We have to handle DOM nodes and JS objects differently because IE6-7
// can't GC object references properly across the DOM-JS boundary
isNode = elem.nodeType,
// Only DOM nodes need the global jQuery cache; JS object data is
// attached directly to the object so GC can occur automatically
cache = isNode ? jQuery.cache : elem,
// Only defining an ID for JS objects if its cache already exists allows
// the code to shortcut on the same path as a DOM node with no cache
id = isNode ? elem[ internalKey ] : elem[ internalKey ] && internalKey;
// Avoid doing any more work than we need to when trying to get data on an
// object that has no data at all
if ( (!id || !cache[id] || (!pvt && !cache[id].data)) && data === undefined && typeof name === "string" ) {
return;
}
if ( !id ) {
// Only DOM nodes need a new unique ID for each element since their data
// ends up in the global cache
if ( isNode ) {
id = elem[ internalKey ] = core_deletedIds.pop() || jQuery.guid++;
} else {
id = internalKey;
}
}
if ( !cache[ id ] ) {
// Avoid exposing jQuery metadata on plain JS objects when the object
// is serialized using JSON.stringify
cache[ id ] = isNode ? {} : { toJSON: jQuery.noop };
}
// An object can be passed to jQuery.data instead of a key/value pair; this gets
// shallow copied over onto the existing cache
if ( typeof name === "object" || typeof name === "function" ) {
if ( pvt ) {
cache[ id ] = jQuery.extend( cache[ id ], name );
} else {
cache[ id ].data = jQuery.extend( cache[ id ].data, name );
}
}
thisCache = cache[ id ];
// jQuery data() is stored in a separate object inside the object's internal data
// cache in order to avoid key collisions between internal data and user-defined
// data.
if ( !pvt ) {
if ( !thisCache.data ) {
thisCache.data = {};
}
thisCache = thisCache.data;
}
if ( data !== undefined ) {
thisCache[ jQuery.camelCase( name ) ] = data;
}
// Check for both converted-to-camel and non-converted data property names
// If a data property was specified
if ( typeof name === "string" ) {
// First Try to find as-is property data
ret = thisCache[ name ];
// Test for null|undefined property data
if ( ret == null ) {
// Try to find the camelCased property
ret = thisCache[ jQuery.camelCase( name ) ];
}
} else {
ret = thisCache;
}
return ret;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
internalData
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function internalRemoveData( elem, name, pvt ) {
if ( !jQuery.acceptData( elem ) ) {
return;
}
var thisCache, i,
isNode = elem.nodeType,
// See jQuery.data for more information
cache = isNode ? jQuery.cache : elem,
id = isNode ? elem[ jQuery.expando ] : jQuery.expando;
// If there is already no cache entry for this object, there is no
// purpose in continuing
if ( !cache[ id ] ) {
return;
}
if ( name ) {
thisCache = pvt ? cache[ id ] : cache[ id ].data;
if ( thisCache ) {
// Support array or space separated string names for data keys
if ( !jQuery.isArray( name ) ) {
// try the string as a key before any manipulation
if ( name in thisCache ) {
name = [ name ];
} else {
// split the camel cased version by spaces unless a key with the spaces exists
name = jQuery.camelCase( name );
if ( name in thisCache ) {
name = [ name ];
} else {
name = name.split(" ");
}
}
} else {
// If "name" is an array of keys...
// When data is initially created, via ("key", "val") signature,
// keys will be converted to camelCase.
// Since there is no way to tell _how_ a key was added, remove
// both plain key and camelCase key. #12786
// This will only penalize the array argument path.
name = name.concat( jQuery.map( name, jQuery.camelCase ) );
}
i = name.length;
while ( i-- ) {
delete thisCache[ name[i] ];
}
// If there is no data left in the cache, we want to continue
// and let the cache object itself get destroyed
if ( pvt ? !isEmptyDataObject(thisCache) : !jQuery.isEmptyObject(thisCache) ) {
return;
}
}
}
// See jQuery.data for more information
if ( !pvt ) {
delete cache[ id ].data;
// Don't destroy the parent cache unless the internal data object
// had been the only thing left in it
if ( !isEmptyDataObject( cache[ id ] ) ) {
return;
}
}
// Destroy the cache
if ( isNode ) {
jQuery.cleanData( [ elem ], true );
// Use delete when supported for expandos or `cache` is not a window per isWindow (#10080)
/* jshint eqeqeq: false */
} else if ( jQuery.support.deleteExpando || cache != cache.window ) {
/* jshint eqeqeq: true */
delete cache[ id ];
// When all else fails, null
} else {
cache[ id ] = null;
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
internalRemoveData
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function dataAttr( elem, key, data ) {
// If nothing was found internally, try to fetch any
// data from the HTML5 data-* attribute
if ( data === undefined && elem.nodeType === 1 ) {
var name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase();
data = elem.getAttribute( name );
if ( typeof data === "string" ) {
try {
data = data === "true" ? true :
data === "false" ? false :
data === "null" ? null :
// Only convert to a number if it doesn't change the string
+data + "" === data ? +data :
rbrace.test( data ) ? jQuery.parseJSON( data ) :
data;
} catch( e ) {}
// Make sure we set the data so it isn't changed later
jQuery.data( elem, key, data );
} else {
data = undefined;
}
}
return data;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
dataAttr
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function isEmptyDataObject( obj ) {
var name;
for ( name in obj ) {
// if the public data object is empty, the private is still empty
if ( name === "data" && jQuery.isEmptyObject( obj[name] ) ) {
continue;
}
if ( name !== "toJSON" ) {
return false;
}
}
return true;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
isEmptyDataObject
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
next = function() {
jQuery.dequeue( elem, type );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
next
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
resolve = function() {
if ( !( --count ) ) {
defer.resolveWith( elements, [ elements ] );
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
resolve
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function returnTrue() {
return true;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
returnTrue
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function returnFalse() {
return false;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
returnFalse
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function safeActiveElement() {
try {
return document.activeElement;
} catch ( err ) { }
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
safeActiveElement
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
handler = function( event ) {
jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
handler
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function sibling( cur, dir ) {
do {
cur = cur[ dir ];
} while ( cur && cur.nodeType !== 1 );
return cur;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
sibling
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function winnow( elements, qualifier, not ) {
if ( jQuery.isFunction( qualifier ) ) {
return jQuery.grep( elements, function( elem, i ) {
/* jshint -W018 */
return !!qualifier.call( elem, i, elem ) !== not;
});
}
if ( qualifier.nodeType ) {
return jQuery.grep( elements, function( elem ) {
return ( elem === qualifier ) !== not;
});
}
if ( typeof qualifier === "string" ) {
if ( isSimple.test( qualifier ) ) {
return jQuery.filter( qualifier, elements, not );
}
qualifier = jQuery.filter( qualifier, elements );
}
return jQuery.grep( elements, function( elem ) {
return ( jQuery.inArray( elem, qualifier ) >= 0 ) !== not;
});
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
winnow
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createSafeFragment( document ) {
var list = nodeNames.split( "|" ),
safeFrag = document.createDocumentFragment();
if ( safeFrag.createElement ) {
while ( list.length ) {
safeFrag.createElement(
list.pop()
);
}
}
return safeFrag;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createSafeFragment
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function manipulationTarget( elem, content ) {
return jQuery.nodeName( elem, "table" ) &&
jQuery.nodeName( content.nodeType === 1 ? content : content.firstChild, "tr" ) ?
elem.getElementsByTagName("tbody")[0] ||
elem.appendChild( elem.ownerDocument.createElement("tbody") ) :
elem;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
manipulationTarget
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function disableScript( elem ) {
elem.type = (jQuery.find.attr( elem, "type" ) !== null) + "/" + elem.type;
return elem;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
disableScript
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function restoreScript( elem ) {
var match = rscriptTypeMasked.exec( elem.type );
if ( match ) {
elem.type = match[1];
} else {
elem.removeAttribute("type");
}
return elem;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
restoreScript
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function setGlobalEval( elems, refElements ) {
var elem,
i = 0;
for ( ; (elem = elems[i]) != null; i++ ) {
jQuery._data( elem, "globalEval", !refElements || jQuery._data( refElements[i], "globalEval" ) );
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
setGlobalEval
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function cloneCopyEvent( src, dest ) {
if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) {
return;
}
var type, i, l,
oldData = jQuery._data( src ),
curData = jQuery._data( dest, oldData ),
events = oldData.events;
if ( events ) {
delete curData.handle;
curData.events = {};
for ( type in events ) {
for ( i = 0, l = events[ type ].length; i < l; i++ ) {
jQuery.event.add( dest, type, events[ type ][ i ] );
}
}
}
// make the cloned public data object a copy from the original
if ( curData.data ) {
curData.data = jQuery.extend( {}, curData.data );
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
cloneCopyEvent
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function fixCloneNodeIssues( src, dest ) {
var nodeName, e, data;
// We do not need to do anything for non-Elements
if ( dest.nodeType !== 1 ) {
return;
}
nodeName = dest.nodeName.toLowerCase();
// IE6-8 copies events bound via attachEvent when using cloneNode.
if ( !jQuery.support.noCloneEvent && dest[ jQuery.expando ] ) {
data = jQuery._data( dest );
for ( e in data.events ) {
jQuery.removeEvent( dest, e, data.handle );
}
// Event data gets referenced instead of copied if the expando gets copied too
dest.removeAttribute( jQuery.expando );
}
// IE blanks contents when cloning scripts, and tries to evaluate newly-set text
if ( nodeName === "script" && dest.text !== src.text ) {
disableScript( dest ).text = src.text;
restoreScript( dest );
// IE6-10 improperly clones children of object elements using classid.
// IE10 throws NoModificationAllowedError if parent is null, #12132.
} else if ( nodeName === "object" ) {
if ( dest.parentNode ) {
dest.outerHTML = src.outerHTML;
}
// This path appears unavoidable for IE9. When cloning an object
// element in IE9, the outerHTML strategy above is not sufficient.
// If the src has innerHTML and the destination does not,
// copy the src.innerHTML into the dest.innerHTML. #10324
if ( jQuery.support.html5Clone && ( src.innerHTML && !jQuery.trim(dest.innerHTML) ) ) {
dest.innerHTML = src.innerHTML;
}
} else if ( nodeName === "input" && manipulation_rcheckableType.test( src.type ) ) {
// IE6-8 fails to persist the checked state of a cloned checkbox
// or radio button. Worse, IE6-7 fail to give the cloned element
// a checked appearance if the defaultChecked value isn't also set
dest.defaultChecked = dest.checked = src.checked;
// IE6-7 get confused and end up setting the value of a cloned
// checkbox/radio button to an empty string instead of "on"
if ( dest.value !== src.value ) {
dest.value = src.value;
}
// IE6-8 fails to return the selected option to the default selected
// state when cloning options
} else if ( nodeName === "option" ) {
dest.defaultSelected = dest.selected = src.defaultSelected;
// IE6-8 fails to set the defaultValue to the correct value when
// cloning other types of input fields
} else if ( nodeName === "input" || nodeName === "textarea" ) {
dest.defaultValue = src.defaultValue;
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
fixCloneNodeIssues
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function getAll( context, tag ) {
var elems, elem,
i = 0,
found = typeof context.getElementsByTagName !== core_strundefined ? context.getElementsByTagName( tag || "*" ) :
typeof context.querySelectorAll !== core_strundefined ? context.querySelectorAll( tag || "*" ) :
undefined;
if ( !found ) {
for ( found = [], elems = context.childNodes || context; (elem = elems[i]) != null; i++ ) {
if ( !tag || jQuery.nodeName( elem, tag ) ) {
found.push( elem );
} else {
jQuery.merge( found, getAll( elem, tag ) );
}
}
}
return tag === undefined || tag && jQuery.nodeName( context, tag ) ?
jQuery.merge( [ context ], found ) :
found;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
getAll
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function fixDefaultChecked( elem ) {
if ( manipulation_rcheckableType.test( elem.type ) ) {
elem.defaultChecked = elem.checked;
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
fixDefaultChecked
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function vendorPropName( style, name ) {
// shortcut for names that are not vendor prefixed
if ( name in style ) {
return name;
}
// check for vendor prefixed names
var capName = name.charAt(0).toUpperCase() + name.slice(1),
origName = name,
i = cssPrefixes.length;
while ( i-- ) {
name = cssPrefixes[ i ] + capName;
if ( name in style ) {
return name;
}
}
return origName;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
vendorPropName
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function isHidden( elem, el ) {
// isHidden might be called from jQuery#filter function;
// in that case, element will be second argument
elem = el || elem;
return jQuery.css( elem, "display" ) === "none" || !jQuery.contains( elem.ownerDocument, elem );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
isHidden
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function showHide( elements, show ) {
var display, elem, hidden,
values = [],
index = 0,
length = elements.length;
for ( ; index < length; index++ ) {
elem = elements[ index ];
if ( !elem.style ) {
continue;
}
values[ index ] = jQuery._data( elem, "olddisplay" );
display = elem.style.display;
if ( show ) {
// Reset the inline display of this element to learn if it is
// being hidden by cascaded rules or not
if ( !values[ index ] && display === "none" ) {
elem.style.display = "";
}
// Set elements which have been overridden with display: none
// in a stylesheet to whatever the default browser style is
// for such an element
if ( elem.style.display === "" && isHidden( elem ) ) {
values[ index ] = jQuery._data( elem, "olddisplay", css_defaultDisplay(elem.nodeName) );
}
} else {
if ( !values[ index ] ) {
hidden = isHidden( elem );
if ( display && display !== "none" || !hidden ) {
jQuery._data( elem, "olddisplay", hidden ? display : jQuery.css( elem, "display" ) );
}
}
}
}
// Set the display of most of the elements in a second loop
// to avoid the constant reflow
for ( index = 0; index < length; index++ ) {
elem = elements[ index ];
if ( !elem.style ) {
continue;
}
if ( !show || elem.style.display === "none" || elem.style.display === "" ) {
elem.style.display = show ? values[ index ] || "" : "none";
}
}
return elements;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
showHide
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function setPositiveNumber( elem, value, subtract ) {
var matches = rnumsplit.exec( value );
return matches ?
// Guard against undefined "subtract", e.g., when used as in cssHooks
Math.max( 0, matches[ 1 ] - ( subtract || 0 ) ) + ( matches[ 2 ] || "px" ) :
value;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
setPositiveNumber
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function augmentWidthOrHeight( elem, name, extra, isBorderBox, styles ) {
var i = extra === ( isBorderBox ? "border" : "content" ) ?
// If we already have the right measurement, avoid augmentation
4 :
// Otherwise initialize for horizontal or vertical properties
name === "width" ? 1 : 0,
val = 0;
for ( ; i < 4; i += 2 ) {
// both box models exclude margin, so add it if we want it
if ( extra === "margin" ) {
val += jQuery.css( elem, extra + cssExpand[ i ], true, styles );
}
if ( isBorderBox ) {
// border-box includes padding, so remove it if we want content
if ( extra === "content" ) {
val -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
}
// at this point, extra isn't border nor margin, so remove border
if ( extra !== "margin" ) {
val -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
}
} else {
// at this point, extra isn't content, so add padding
val += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles );
// at this point, extra isn't content nor padding, so add border
if ( extra !== "padding" ) {
val += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles );
}
}
}
return val;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
augmentWidthOrHeight
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function getWidthOrHeight( elem, name, extra ) {
// Start with offset property, which is equivalent to the border-box value
var valueIsBorderBox = true,
val = name === "width" ? elem.offsetWidth : elem.offsetHeight,
styles = getStyles( elem ),
isBorderBox = jQuery.support.boxSizing && jQuery.css( elem, "boxSizing", false, styles ) === "border-box";
// some non-html elements return undefined for offsetWidth, so check for null/undefined
// svg - https://bugzilla.mozilla.org/show_bug.cgi?id=649285
// MathML - https://bugzilla.mozilla.org/show_bug.cgi?id=491668
if ( val <= 0 || val == null ) {
// Fall back to computed then uncomputed css if necessary
val = curCSS( elem, name, styles );
if ( val < 0 || val == null ) {
val = elem.style[ name ];
}
// Computed unit is not pixels. Stop here and return.
if ( rnumnonpx.test(val) ) {
return val;
}
// we need the check for style in case a browser which returns unreliable values
// for getComputedStyle silently falls back to the reliable elem.style
valueIsBorderBox = isBorderBox && ( jQuery.support.boxSizingReliable || val === elem.style[ name ] );
// Normalize "", auto, and prepare for extra
val = parseFloat( val ) || 0;
}
// use the active box-sizing model to add/subtract irrelevant styles
return ( val +
augmentWidthOrHeight(
elem,
name,
extra || ( isBorderBox ? "border" : "content" ),
valueIsBorderBox,
styles
)
) + "px";
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
getWidthOrHeight
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function css_defaultDisplay( nodeName ) {
var doc = document,
display = elemdisplay[ nodeName ];
if ( !display ) {
display = actualDisplay( nodeName, doc );
// If the simple way fails, read from inside an iframe
if ( display === "none" || !display ) {
// Use the already-created iframe if possible
iframe = ( iframe ||
jQuery("<iframe frameborder='0' width='0' height='0'/>")
.css( "cssText", "display:block !important" )
).appendTo( doc.documentElement );
// Always write a new HTML skeleton so Webkit and Firefox don't choke on reuse
doc = ( iframe[0].contentWindow || iframe[0].contentDocument ).document;
doc.write("<!doctype html><html><body>");
doc.close();
display = actualDisplay( nodeName, doc );
iframe.detach();
}
// Store the correct default display
elemdisplay[ nodeName ] = display;
}
return display;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
css_defaultDisplay
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function actualDisplay( name, doc ) {
var elem = jQuery( doc.createElement( name ) ).appendTo( doc.body ),
display = jQuery.css( elem[0], "display" );
elem.remove();
return display;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
actualDisplay
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
add = function( key, value ) {
// If value is a function, invoke it and return its value
value = jQuery.isFunction( value ) ? value() : ( value == null ? "" : value );
s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
add
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function buildParams( prefix, obj, traditional, add ) {
var name;
if ( jQuery.isArray( obj ) ) {
// Serialize array item.
jQuery.each( obj, function( i, v ) {
if ( traditional || rbracket.test( prefix ) ) {
// Treat each array item as a scalar.
add( prefix, v );
} else {
// Item is non-scalar (array or object), encode its numeric index.
buildParams( prefix + "[" + ( typeof v === "object" ? i : "" ) + "]", v, traditional, add );
}
});
} else if ( !traditional && jQuery.type( obj ) === "object" ) {
// Serialize object item.
for ( name in obj ) {
buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add );
}
} else {
// Serialize scalar item.
add( prefix, obj );
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
buildParams
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function addToPrefiltersOrTransports( structure ) {
// dataTypeExpression is optional and defaults to "*"
return function( dataTypeExpression, func ) {
if ( typeof dataTypeExpression !== "string" ) {
func = dataTypeExpression;
dataTypeExpression = "*";
}
var dataType,
i = 0,
dataTypes = dataTypeExpression.toLowerCase().match( core_rnotwhite ) || [];
if ( jQuery.isFunction( func ) ) {
// For each dataType in the dataTypeExpression
while ( (dataType = dataTypes[i++]) ) {
// Prepend if requested
if ( dataType[0] === "+" ) {
dataType = dataType.slice( 1 ) || "*";
(structure[ dataType ] = structure[ dataType ] || []).unshift( func );
// Otherwise append
} else {
(structure[ dataType ] = structure[ dataType ] || []).push( func );
}
}
}
};
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
addToPrefiltersOrTransports
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) {
var inspected = {},
seekingTransport = ( structure === transports );
function inspect( dataType ) {
var selected;
inspected[ dataType ] = true;
jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) {
var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR );
if( typeof dataTypeOrTransport === "string" && !seekingTransport && !inspected[ dataTypeOrTransport ] ) {
options.dataTypes.unshift( dataTypeOrTransport );
inspect( dataTypeOrTransport );
return false;
} else if ( seekingTransport ) {
return !( selected = dataTypeOrTransport );
}
});
return selected;
}
return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
inspectPrefiltersOrTransports
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function inspect( dataType ) {
var selected;
inspected[ dataType ] = true;
jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) {
var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR );
if( typeof dataTypeOrTransport === "string" && !seekingTransport && !inspected[ dataTypeOrTransport ] ) {
options.dataTypes.unshift( dataTypeOrTransport );
inspect( dataTypeOrTransport );
return false;
} else if ( seekingTransport ) {
return !( selected = dataTypeOrTransport );
}
});
return selected;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
inspect
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function ajaxExtend( target, src ) {
var deep, key,
flatOptions = jQuery.ajaxSettings.flatOptions || {};
for ( key in src ) {
if ( src[ key ] !== undefined ) {
( flatOptions[ key ] ? target : ( deep || (deep = {}) ) )[ key ] = src[ key ];
}
}
if ( deep ) {
jQuery.extend( true, target, deep );
}
return target;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
ajaxExtend
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function done( status, nativeStatusText, responses, headers ) {
var isSuccess, success, error, response, modified,
statusText = nativeStatusText;
// Called once
if ( state === 2 ) {
return;
}
// State is "done" now
state = 2;
// Clear timeout if it exists
if ( timeoutTimer ) {
clearTimeout( timeoutTimer );
}
// Dereference transport for early garbage collection
// (no matter how long the jqXHR object will be used)
transport = undefined;
// Cache response headers
responseHeadersString = headers || "";
// Set readyState
jqXHR.readyState = status > 0 ? 4 : 0;
// Determine if successful
isSuccess = status >= 200 && status < 300 || status === 304;
// Get response data
if ( responses ) {
response = ajaxHandleResponses( s, jqXHR, responses );
}
// Convert no matter what (that way responseXXX fields are always set)
response = ajaxConvert( s, response, jqXHR, isSuccess );
// If successful, handle type chaining
if ( isSuccess ) {
// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
if ( s.ifModified ) {
modified = jqXHR.getResponseHeader("Last-Modified");
if ( modified ) {
jQuery.lastModified[ cacheURL ] = modified;
}
modified = jqXHR.getResponseHeader("etag");
if ( modified ) {
jQuery.etag[ cacheURL ] = modified;
}
}
// if no content
if ( status === 204 || s.type === "HEAD" ) {
statusText = "nocontent";
// if not modified
} else if ( status === 304 ) {
statusText = "notmodified";
// If we have data, let's convert it
} else {
statusText = response.state;
success = response.data;
error = response.error;
isSuccess = !error;
}
} else {
// We extract error from statusText
// then normalize statusText and status for non-aborts
error = statusText;
if ( status || !statusText ) {
statusText = "error";
if ( status < 0 ) {
status = 0;
}
}
}
// Set data for the fake xhr object
jqXHR.status = status;
jqXHR.statusText = ( nativeStatusText || statusText ) + "";
// Success/Error
if ( isSuccess ) {
deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] );
} else {
deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] );
}
// Status-dependent callbacks
jqXHR.statusCode( statusCode );
statusCode = undefined;
if ( fireGlobals ) {
globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError",
[ jqXHR, s, isSuccess ? success : error ] );
}
// Complete
completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] );
if ( fireGlobals ) {
globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] );
// Handle the global AJAX counter
if ( !( --jQuery.active ) ) {
jQuery.event.trigger("ajaxStop");
}
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
done
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function ajaxHandleResponses( s, jqXHR, responses ) {
var firstDataType, ct, finalDataType, type,
contents = s.contents,
dataTypes = s.dataTypes;
// Remove auto dataType and get content-type in the process
while( dataTypes[ 0 ] === "*" ) {
dataTypes.shift();
if ( ct === undefined ) {
ct = s.mimeType || jqXHR.getResponseHeader("Content-Type");
}
}
// Check if we're dealing with a known content-type
if ( ct ) {
for ( type in contents ) {
if ( contents[ type ] && contents[ type ].test( ct ) ) {
dataTypes.unshift( type );
break;
}
}
}
// Check to see if we have a response for the expected dataType
if ( dataTypes[ 0 ] in responses ) {
finalDataType = dataTypes[ 0 ];
} else {
// Try convertible dataTypes
for ( type in responses ) {
if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) {
finalDataType = type;
break;
}
if ( !firstDataType ) {
firstDataType = type;
}
}
// Or just use first one
finalDataType = finalDataType || firstDataType;
}
// If we found a dataType
// We add the dataType to the list if needed
// and return the corresponding response
if ( finalDataType ) {
if ( finalDataType !== dataTypes[ 0 ] ) {
dataTypes.unshift( finalDataType );
}
return responses[ finalDataType ];
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
ajaxHandleResponses
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function ajaxConvert( s, response, jqXHR, isSuccess ) {
var conv2, current, conv, tmp, prev,
converters = {},
// Work with a copy of dataTypes in case we need to modify it for conversion
dataTypes = s.dataTypes.slice();
// Create converters map with lowercased keys
if ( dataTypes[ 1 ] ) {
for ( conv in s.converters ) {
converters[ conv.toLowerCase() ] = s.converters[ conv ];
}
}
current = dataTypes.shift();
// Convert to each sequential dataType
while ( current ) {
if ( s.responseFields[ current ] ) {
jqXHR[ s.responseFields[ current ] ] = response;
}
// Apply the dataFilter if provided
if ( !prev && isSuccess && s.dataFilter ) {
response = s.dataFilter( response, s.dataType );
}
prev = current;
current = dataTypes.shift();
if ( current ) {
// There's only work to do if current dataType is non-auto
if ( current === "*" ) {
current = prev;
// Convert response if prev dataType is non-auto and differs from current
} else if ( prev !== "*" && prev !== current ) {
// Seek a direct converter
conv = converters[ prev + " " + current ] || converters[ "* " + current ];
// If none found, seek a pair
if ( !conv ) {
for ( conv2 in converters ) {
// If conv2 outputs current
tmp = conv2.split( " " );
if ( tmp[ 1 ] === current ) {
// If prev can be converted to accepted input
conv = converters[ prev + " " + tmp[ 0 ] ] ||
converters[ "* " + tmp[ 0 ] ];
if ( conv ) {
// Condense equivalence converters
if ( conv === true ) {
conv = converters[ conv2 ];
// Otherwise, insert the intermediate dataType
} else if ( converters[ conv2 ] !== true ) {
current = tmp[ 0 ];
dataTypes.unshift( tmp[ 1 ] );
}
break;
}
}
}
}
// Apply converter (if not an equivalence)
if ( conv !== true ) {
// Unless errors are allowed to bubble, catch and return them
if ( conv && s[ "throws" ] ) {
response = conv( response );
} else {
try {
response = conv( response );
} catch ( e ) {
return { state: "parsererror", error: conv ? e : "No conversion from " + prev + " to " + current };
}
}
}
}
}
}
return { state: "success", data: response };
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
ajaxConvert
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createStandardXHR() {
try {
return new window.XMLHttpRequest();
} catch( e ) {}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createStandardXHR
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createActiveXHR() {
try {
return new window.ActiveXObject("Microsoft.XMLHTTP");
} catch( e ) {}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createActiveXHR
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createFxNow() {
setTimeout(function() {
fxNow = undefined;
});
return ( fxNow = jQuery.now() );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createFxNow
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function createTween( value, prop, animation ) {
var tween,
collection = ( tweeners[ prop ] || [] ).concat( tweeners[ "*" ] ),
index = 0,
length = collection.length;
for ( ; index < length; index++ ) {
if ( (tween = collection[ index ].call( animation, prop, value )) ) {
// we're done with this property
return tween;
}
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
createTween
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function Animation( elem, properties, options ) {
var result,
stopped,
index = 0,
length = animationPrefilters.length,
deferred = jQuery.Deferred().always( function() {
// don't match elem in the :animated selector
delete tick.elem;
}),
tick = function() {
if ( stopped ) {
return false;
}
var currentTime = fxNow || createFxNow(),
remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ),
// archaic crash bug won't allow us to use 1 - ( 0.5 || 0 ) (#12497)
temp = remaining / animation.duration || 0,
percent = 1 - temp,
index = 0,
length = animation.tweens.length;
for ( ; index < length ; index++ ) {
animation.tweens[ index ].run( percent );
}
deferred.notifyWith( elem, [ animation, percent, remaining ]);
if ( percent < 1 && length ) {
return remaining;
} else {
deferred.resolveWith( elem, [ animation ] );
return false;
}
},
animation = deferred.promise({
elem: elem,
props: jQuery.extend( {}, properties ),
opts: jQuery.extend( true, { specialEasing: {} }, options ),
originalProperties: properties,
originalOptions: options,
startTime: fxNow || createFxNow(),
duration: options.duration,
tweens: [],
createTween: function( prop, end ) {
var tween = jQuery.Tween( elem, animation.opts, prop, end,
animation.opts.specialEasing[ prop ] || animation.opts.easing );
animation.tweens.push( tween );
return tween;
},
stop: function( gotoEnd ) {
var index = 0,
// if we are going to the end, we want to run all the tweens
// otherwise we skip this part
length = gotoEnd ? animation.tweens.length : 0;
if ( stopped ) {
return this;
}
stopped = true;
for ( ; index < length ; index++ ) {
animation.tweens[ index ].run( 1 );
}
// resolve when we played the last frame
// otherwise, reject
if ( gotoEnd ) {
deferred.resolveWith( elem, [ animation, gotoEnd ] );
} else {
deferred.rejectWith( elem, [ animation, gotoEnd ] );
}
return this;
}
}),
props = animation.props;
propFilter( props, animation.opts.specialEasing );
for ( ; index < length ; index++ ) {
result = animationPrefilters[ index ].call( animation, elem, props, animation.opts );
if ( result ) {
return result;
}
}
jQuery.map( props, createTween, animation );
if ( jQuery.isFunction( animation.opts.start ) ) {
animation.opts.start.call( elem, animation );
}
jQuery.fx.timer(
jQuery.extend( tick, {
elem: elem,
anim: animation,
queue: animation.opts.queue
})
);
// attach callbacks from options
return animation.progress( animation.opts.progress )
.done( animation.opts.done, animation.opts.complete )
.fail( animation.opts.fail )
.always( animation.opts.always );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
Animation
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
tick = function() {
if ( stopped ) {
return false;
}
var currentTime = fxNow || createFxNow(),
remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ),
// archaic crash bug won't allow us to use 1 - ( 0.5 || 0 ) (#12497)
temp = remaining / animation.duration || 0,
percent = 1 - temp,
index = 0,
length = animation.tweens.length;
for ( ; index < length ; index++ ) {
animation.tweens[ index ].run( percent );
}
deferred.notifyWith( elem, [ animation, percent, remaining ]);
if ( percent < 1 && length ) {
return remaining;
} else {
deferred.resolveWith( elem, [ animation ] );
return false;
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
tick
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function propFilter( props, specialEasing ) {
var index, name, easing, value, hooks;
// camelCase, specialEasing and expand cssHook pass
for ( index in props ) {
name = jQuery.camelCase( index );
easing = specialEasing[ name ];
value = props[ index ];
if ( jQuery.isArray( value ) ) {
easing = value[ 1 ];
value = props[ index ] = value[ 0 ];
}
if ( index !== name ) {
props[ name ] = value;
delete props[ index ];
}
hooks = jQuery.cssHooks[ name ];
if ( hooks && "expand" in hooks ) {
value = hooks.expand( value );
delete props[ name ];
// not quite $.extend, this wont overwrite keys already present.
// also - reusing 'index' from above because we have the correct "name"
for ( index in value ) {
if ( !( index in props ) ) {
props[ index ] = value[ index ];
specialEasing[ index ] = easing;
}
}
} else {
specialEasing[ name ] = easing;
}
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
propFilter
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function defaultPrefilter( elem, props, opts ) {
/* jshint validthis: true */
var prop, value, toggle, tween, hooks, oldfire,
anim = this,
orig = {},
style = elem.style,
hidden = elem.nodeType && isHidden( elem ),
dataShow = jQuery._data( elem, "fxshow" );
// handle queue: false promises
if ( !opts.queue ) {
hooks = jQuery._queueHooks( elem, "fx" );
if ( hooks.unqueued == null ) {
hooks.unqueued = 0;
oldfire = hooks.empty.fire;
hooks.empty.fire = function() {
if ( !hooks.unqueued ) {
oldfire();
}
};
}
hooks.unqueued++;
anim.always(function() {
// doing this makes sure that the complete handler will be called
// before this completes
anim.always(function() {
hooks.unqueued--;
if ( !jQuery.queue( elem, "fx" ).length ) {
hooks.empty.fire();
}
});
});
}
// height/width overflow pass
if ( elem.nodeType === 1 && ( "height" in props || "width" in props ) ) {
// Make sure that nothing sneaks out
// Record all 3 overflow attributes because IE does not
// change the overflow attribute when overflowX and
// overflowY are set to the same value
opts.overflow = [ style.overflow, style.overflowX, style.overflowY ];
// Set display property to inline-block for height/width
// animations on inline elements that are having width/height animated
if ( jQuery.css( elem, "display" ) === "inline" &&
jQuery.css( elem, "float" ) === "none" ) {
// inline-level elements accept inline-block;
// block-level elements need to be inline with layout
if ( !jQuery.support.inlineBlockNeedsLayout || css_defaultDisplay( elem.nodeName ) === "inline" ) {
style.display = "inline-block";
} else {
style.zoom = 1;
}
}
}
if ( opts.overflow ) {
style.overflow = "hidden";
if ( !jQuery.support.shrinkWrapBlocks ) {
anim.always(function() {
style.overflow = opts.overflow[ 0 ];
style.overflowX = opts.overflow[ 1 ];
style.overflowY = opts.overflow[ 2 ];
});
}
}
// show/hide pass
for ( prop in props ) {
value = props[ prop ];
if ( rfxtypes.exec( value ) ) {
delete props[ prop ];
toggle = toggle || value === "toggle";
if ( value === ( hidden ? "hide" : "show" ) ) {
continue;
}
orig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop );
}
}
if ( !jQuery.isEmptyObject( orig ) ) {
if ( dataShow ) {
if ( "hidden" in dataShow ) {
hidden = dataShow.hidden;
}
} else {
dataShow = jQuery._data( elem, "fxshow", {} );
}
// store state if its toggle - enables .stop().toggle() to "reverse"
if ( toggle ) {
dataShow.hidden = !hidden;
}
if ( hidden ) {
jQuery( elem ).show();
} else {
anim.done(function() {
jQuery( elem ).hide();
});
}
anim.done(function() {
var prop;
jQuery._removeData( elem, "fxshow" );
for ( prop in orig ) {
jQuery.style( elem, prop, orig[ prop ] );
}
});
for ( prop in orig ) {
tween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim );
if ( !( prop in dataShow ) ) {
dataShow[ prop ] = tween.start;
if ( hidden ) {
tween.end = tween.start;
tween.start = prop === "width" || prop === "height" ? 1 : 0;
}
}
}
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
defaultPrefilter
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function Tween( elem, options, prop, end, easing ) {
return new Tween.prototype.init( elem, options, prop, end, easing );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
Tween
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
doAnimation = function() {
// Operate on a copy of prop so per-property easing won't be lost
var anim = Animation( this, jQuery.extend( {}, prop ), optall );
// Empty animations, or finishing resolves immediately
if ( empty || jQuery._data( this, "finish" ) ) {
anim.stop( true );
}
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
doAnimation
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
stopQueue = function( hooks ) {
var stop = hooks.stop;
delete hooks.stop;
stop( gotoEnd );
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
stopQueue
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function genFx( type, includeWidth ) {
var which,
attrs = { height: type },
i = 0;
// if we include width, step value is 1 to do all cssExpand values,
// if we don't include width, step value is 2 to skip over Left and Right
includeWidth = includeWidth? 1 : 0;
for( ; i < 4 ; i += 2 - includeWidth ) {
which = cssExpand[ i ];
attrs[ "margin" + which ] = attrs[ "padding" + which ] = type;
}
if ( includeWidth ) {
attrs.opacity = attrs.width = type;
}
return attrs;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
genFx
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
function getWindow( elem ) {
return jQuery.isWindow( elem ) ?
elem :
elem.nodeType === 9 ?
elem.defaultView || elem.parentWindow :
false;
}
|
Utility function for retrieving the text value of an array of DOM nodes
@param {Array|Element} elem
|
getWindow
|
javascript
|
keystonejs/keystone-classic
|
admin/public/js/lib/jquery/jquery-1.10.2.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/public/js/lib/jquery/jquery-1.10.2.js
|
MIT
|
applyDeps = function (fn, _this, _map) {
var args = _.map(deps, function (key) {
return _map[key];
});
return fn.apply(_this, args);
}
|
Custom toCSV Method present
Detect dependencies and call it. If the last dependency is `callback`, call it asynchronously.
Support dependencies are:
- req (current express request object)
- user (currently authenticated user)
- row (default row data, as generated without custom toCSV())
- callback (invokes async mode, must be provided last)
|
applyDeps
|
javascript
|
keystonejs/keystone-classic
|
admin/server/api/download.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/server/api/download.js
|
MIT
|
function buildFieldTypesStream (fieldTypes) {
var src = '';
var types = Object.keys(fieldTypes);
['Column', 'Field', 'Filter'].forEach(function (i) {
src += 'exports.' + i + 's = {\n';
types.forEach(function (type) {
if (typeof fieldTypes[type] !== 'string') return;
src += type + ': require("../../fields/types/' + type + '/' + fieldTypes[type] + i + '"),\n';
});
// Append ID and Unrecognised column types
if (i === 'Column') {
src += 'id: require("../../fields/components/columns/IdColumn"),\n';
src += '__unrecognised__: require("../../fields/components/columns/InvalidColumn"),\n';
}
src += '};\n';
});
return str(src);
}
|
Returns an Express Router with bindings for the Admin UI static resources,
i.e files, less and browserified scripts.
Should be included before other middleware (e.g. session management,
logging, etc) for reduced overhead.
|
buildFieldTypesStream
|
javascript
|
keystonejs/keystone-classic
|
admin/server/app/createStaticRouter.js
|
https://github.com/keystonejs/keystone-classic/blob/master/admin/server/app/createStaticRouter.js
|
MIT
|
function Field (list, path, options) {
// Set field properties and options
this.list = list;
this._path = new Path(path);
this.path = path;
this.type = this.constructor.name;
this.options = _.defaults({}, options, this.defaults);
this.label = options.label || utils.keyToLabel(this.path);
this.typeDescription = options.typeDescription || this.typeDescription || this.type;
this.list.automap(this);
// Warn on required fields that aren't initial
if (this.options.required
&& this.options.initial === undefined
&& this.options.default === undefined
&& !this.options.value
&& !this.list.get('nocreate')
&& this.path !== this.list.mappings.name
) {
console.error('\nError: Invalid Configuration\n\n'
+ 'Field (' + list.key + '.' + path + ') is required but not initial, and has no default or generated value.\n'
+ 'Please provide a default, remove the required setting, or set initial: false to override this error.\n');
process.exit(1);
}
// if dependsOn and required, set required to a function for validation
if (this.options.dependsOn && this.options.required === true) {
var opts = this.options;
this.options.required = function () {
// `this` refers to the validating document
debug('validate dependsOn required', evalDependsOn(opts.dependsOn, this.toObject()));
return evalDependsOn(opts.dependsOn, this.toObject());
};
}
// Add the field to the schema
this.addToSchema(this.list.schema);
// Add pre-save handler to the list if this field watches others
if (this.options.watch) {
this.list.schema.pre('save', this.getPreSaveWatcher());
}
// Convert notes from markdown to html
var note = null;
Object.defineProperty(this, 'note', {
get: function () {
return (note === null) ? (note = (this.options.note) ? marked(this.options.note) : '') : note;
},
});
}
|
Field Constructor
=================
Extended by fieldType Classes, should not be used directly.
@api public
|
Field
|
javascript
|
keystonejs/keystone-classic
|
fields/types/Type.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/Type.js
|
MIT
|
function azurefile (list, path, options) {
throw new Error('The AzureFile field type has been removed. Please use File instead.'
+ '\n\nSee https://github.com/keystonejs/keystone/wiki/File-Fields-Upgrade-Guide\n');
/*
grappling.mixin(this).allowHooks('pre:upload');
this._underscoreMethods = ['format', 'uploadFile'];
this._fixedSize = 'full';
// TODO: implement filtering, usage disabled for now
options.nofilter = true;
// TODO: implement initial form, usage disabled for now
if (options.initial) {
throw new Error('Invalid Configuration\n\nAzureFile fields (' + list.key + '.' + path + ') do not currently support being used as initial fields.\n');
}
var self = this;
options.filenameFormatter = options.filenameFormatter || function (item, filename) { return filename; };
options.containerFormatter = options.containerFormatter || function (item, filename) { return self.azurefileconfig.container; };// eslint-disable-line no-unused-vars
azurefile.super_.call(this, list, path, options);
// validate azurefile config (has to happen after super_.call)
if (!this.azurefileconfig) {
throw new Error('Invalid Configuration\n\n'
+ 'AzureFile fields (' + list.key + '.' + path + ') require the "azurefile config" option to be set.\n\n'
+ 'See http://v4.keystonejs.com/docs/configuration/#services-azure for more information.\n');
}
// TODO; this is really bad, we shouldn't be overwriting global env!
process.env.AZURE_STORAGE_ACCOUNT = this.azurefileconfig.account;
process.env.AZURE_STORAGE_ACCESS_KEY = this.azurefileconfig.key;
this.azurefileconfig.container = this.azurefileconfig.container || 'keystone';
// Could be more pre- hooks, just upload for now
if (options.pre && options.pre.upload) {
this.pre('upload', options.pre.upload);
}
*/
}
|
AzureFile FieldType Constructor
@extends Field
@api public
|
azurefile
|
javascript
|
keystonejs/keystone-classic
|
fields/types/azurefile/AzureFileType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/azurefile/AzureFileType.js
|
MIT
|
exists = function (item) {
return (item.get(paths.url) ? true : false);
}
|
Registers the field on the List's Mongoose Schema.
|
exists
|
javascript
|
keystonejs/keystone-classic
|
fields/types/azurefile/AzureFileType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/azurefile/AzureFileType.js
|
MIT
|
reset = function (item) {
item.set(field.path, {
filename: '',
path: '',
size: 0,
filetype: '',
url: '',
});
}
|
Registers the field on the List's Mongoose Schema.
|
reset
|
javascript
|
keystonejs/keystone-classic
|
fields/types/azurefile/AzureFileType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/azurefile/AzureFileType.js
|
MIT
|
doUpload = function () {
var blobService = azure.createBlobService();
var container = field.options.containerFormatter(item, file.name);
blobService.createContainerIfNotExists(container, { publicAccessLevel: 'blob' }, function (err) {
if (err) return callback(err);
blobService.createBlockBlobFromLocalFile(container, field.options.filenameFormatter(item, file.name), file.path, function (err, blob, res) {
if (err) return callback(err);
var fileData = {
filename: blob.blob,
size: file.size,
filetype: filetype,
etag: blob.etag,
container: container,
url: 'http://' + field.azurefileconfig.account + '.blob.core.windows.net/' + container + '/' + blob.blob,
};
if (update) {
item.set(field.path, fileData);
}
callback(null, fileData);
});
});
}
|
Uploads the file for this field
|
doUpload
|
javascript
|
keystonejs/keystone-classic
|
fields/types/azurefile/AzureFileType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/azurefile/AzureFileType.js
|
MIT
|
function boolean (list, path, options) {
this._nativeType = Boolean;
this._properties = ['indent'];
this._fixedSize = 'full';
this.indent = (options.indent) ? true : false;
boolean.super_.call(this, list, path, options);
}
|
Boolean FieldType Constructor
@extends Field
@api public
|
boolean
|
javascript
|
keystonejs/keystone-classic
|
fields/types/boolean/BooleanType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/boolean/BooleanType.js
|
MIT
|
function cloudinaryimage (list, path, options) {
this._underscoreMethods = ['format'];
this._fixedSize = 'full';
this._properties = ['select', 'selectPrefix', 'autoCleanup'];
if (options.filenameAsPublicID) {
// Produces the same result as the legacy filenameAsPublicID option
options.generateFilename = nameFunctions.originalFilename;
options.whenExists = 'overwrite';
}
options = assign({}, DEFAULT_OPTIONS, options);
options.generateFilename = ensureCallback(options.generateFilename);
cloudinaryimage.super_.call(this, list, path, options);
// validate cloudinary config
if (!keystone.get('cloudinary config')) {
throw new Error(
'Invalid Configuration\n\n'
+ 'CloudinaryImage fields (' + list.key + '.' + this.path + ') require the "cloudinary config" option to be set.\n\n'
+ 'See http://v4.keystonejs.com/docs/configuration/#services-cloudinary for more information.\n'
);
}
}
|
CloudinaryImage FieldType Constructor
@extends Field
@api public
|
cloudinaryimage
|
javascript
|
keystonejs/keystone-classic
|
fields/types/cloudinaryimage/CloudinaryImageType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/cloudinaryimage/CloudinaryImageType.js
|
MIT
|
exists = function (item) {
return (item.get(paths.public_id) ? true : false);
}
|
Registers the field on the List's Mongoose Schema.
|
exists
|
javascript
|
keystonejs/keystone-classic
|
fields/types/cloudinaryimage/CloudinaryImageType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/cloudinaryimage/CloudinaryImageType.js
|
MIT
|
src = function (item, options) {
if (!exists(item)) {
return '';
}
options = (typeof options === 'object') ? options : {};
if (!('fetch_format' in options) && keystone.get('cloudinary webp') !== false) {
options.fetch_format = 'auto';
}
if (!('progressive' in options) && keystone.get('cloudinary progressive') !== false) {
options.progressive = true;
}
if (!('secure' in options) && keystone.get('cloudinary secure')) {
options.secure = true;
}
options.version = item.get(paths.version);
options.format = options.format || item.get(paths.format);
return cloudinary.url(item.get(paths.public_id), options);
}
|
Registers the field on the List's Mongoose Schema.
|
src
|
javascript
|
keystonejs/keystone-classic
|
fields/types/cloudinaryimage/CloudinaryImageType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/cloudinaryimage/CloudinaryImageType.js
|
MIT
|
reset = function (item) {
item.set(field.path, getEmptyValue());
}
|
Registers the field on the List's Mongoose Schema.
|
reset
|
javascript
|
keystonejs/keystone-classic
|
fields/types/cloudinaryimage/CloudinaryImageType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/cloudinaryimage/CloudinaryImageType.js
|
MIT
|
addSize = function (options, width, height, other) {
if (width) options.width = width;
if (height) options.height = height;
if (typeof other === 'object') {
assign(options, other);
}
return options;
}
|
Registers the field on the List's Mongoose Schema.
|
addSize
|
javascript
|
keystonejs/keystone-classic
|
fields/types/cloudinaryimage/CloudinaryImageType.js
|
https://github.com/keystonejs/keystone-classic/blob/master/fields/types/cloudinaryimage/CloudinaryImageType.js
|
MIT
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.