_id
stringlengths 2
6
| title
stringlengths 0
58
| partition
stringclasses 3
values | text
stringlengths 52
373k
| language
stringclasses 1
value | meta_information
dict |
|---|---|---|---|---|---|
q7400
|
train
|
function () {
var self = this, bar = self.get('bar'), child = null;
util.each(bar.get('children'), function (c) {
if (c.get('selected')) {
child = c;
return false;
}
return undefined;
});
return child;
}
|
javascript
|
{
"resource": ""
}
|
|
q7401
|
train
|
function (tab) {
var self = this, bar = self.get('bar'), body = self.get('body');
bar.set('selectedTab', tab);
body.set('selectedPanelIndex', util.indexOf(tab, bar.get('children')));
return this;
}
|
javascript
|
{
"resource": ""
}
|
|
q7402
|
train
|
function (panel) {
var self = this, bar = self.get('bar'), body = self.get('body'), selectedPanelIndex = util.indexOf(panel, body.get('children'));
body.set('selectedPanelIndex', selectedPanelIndex);
bar.set('selectedTab', self.getTabAt(selectedPanelIndex));
return this;
}
|
javascript
|
{
"resource": ""
}
|
|
q7403
|
train
|
function (type, create) {
var self = this, customEvent, customEventObservables = self.getCustomEvents();
customEvent = customEventObservables && customEventObservables[type];
if (!customEvent && create) {
customEvent = customEventObservables[type] = new CustomEventObservable({
currentTarget: self,
type: type
});
}
return customEvent;
}
|
javascript
|
{
"resource": ""
}
|
|
q7404
|
train
|
function (type, cfg) {
var customEventObservable, self = this;
splitAndRun(type, function (t) {
customEventObservable = self.getCustomEventObservable(t, true);
util.mix(customEventObservable, cfg);
});
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7405
|
train
|
function (anotherTarget) {
var self = this, targets = self.getTargets();
if (!util.inArray(anotherTarget, targets)) {
targets.push(anotherTarget);
}
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7406
|
train
|
function (anotherTarget) {
var self = this, targets = self.getTargets(), index = util.indexOf(anotherTarget, targets);
if (index !== -1) {
targets.splice(index, 1);
}
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7407
|
train
|
function (type, fn, context) {
var self = this;
Utils.batchForType(function (type, fn, context) {
var cfg = Utils.normalizeParam(type, fn, context), customEvent;
type = cfg.type;
customEvent = self.getCustomEventObservable(type, true);
if (customEvent) {
customEvent.on(cfg);
}
}, 0, type, fn, context);
return self; // chain
}
|
javascript
|
{
"resource": ""
}
|
|
q7408
|
train
|
function (type, fn, context) {
var self = this;
Utils.batchForType(function (type, fn, context) {
var cfg = Utils.normalizeParam(type, fn, context), customEvents, customEvent;
type = cfg.type;
if (type) {
customEvent = self.getCustomEventObservable(type, true);
if (customEvent) {
customEvent.detach(cfg);
}
} else {
customEvents = self.getCustomEvents();
util.each(customEvents, function (customEvent) {
customEvent.detach(cfg);
});
}
}, 0, type, fn, context);
return self; // chain
}
|
javascript
|
{
"resource": ""
}
|
|
q7409
|
CustomEventObservable
|
train
|
function CustomEventObservable() {
var self = this;
CustomEventObservable.superclass.constructor.apply(self, arguments);
self.defaultFn = null;
self.defaultTargetOnly = false; /**
* whether this event can bubble.
* Defaults to: true
* @cfg {Boolean} bubbles
*/
/**
* whether this event can bubble.
* Defaults to: true
* @cfg {Boolean} bubbles
*/
self.bubbles = true; /**
* event target which binds current custom event
* @cfg {KISSY.Event.CustomEvent.Target} currentTarget
*/
}
|
javascript
|
{
"resource": ""
}
|
q7410
|
train
|
function (eventData) {
eventData = eventData || {};
var self = this, bubbles = self.bubbles, currentTarget = self.currentTarget, parents, parentsLen, type = self.type, defaultFn = self.defaultFn, i, customEventObject = eventData, gRet, ret;
eventData.type = type;
if (!customEventObject.isEventObject) {
customEventObject = new CustomEventObject(customEventObject);
}
customEventObject.target = customEventObject.target || currentTarget;
customEventObject.currentTarget = currentTarget;
ret = self.notify(customEventObject);
if (gRet !== false && ret !== undefined) {
gRet = ret;
} // gRet === false prevent
// gRet === false prevent
if (bubbles && !customEventObject.isPropagationStopped()) {
parents = currentTarget.getTargets();
parentsLen = parents && parents.length || 0;
for (i = 0; i < parentsLen && !customEventObject.isPropagationStopped(); i++) {
ret = parents[i].fire(type, customEventObject); // false 优先返回
// false 优先返回
if (gRet !== false && ret !== undefined) {
gRet = ret;
}
}
} // bubble first
// parent defaultFn first
// child defaultFn last
// bubble first
// parent defaultFn first
// child defaultFn last
if (defaultFn && !customEventObject.isDefaultPrevented()) {
var target = customEventObject.target, lowestCustomEventObservable = target.getCustomEventObservable(customEventObject.type);
if (!self.defaultTargetOnly && // defaults to false
(!lowestCustomEventObservable || !lowestCustomEventObservable.defaultTargetOnly) || currentTarget === target) {
// default value as final value if possible
gRet = defaultFn.call(currentTarget, customEventObject);
}
}
return gRet;
}
|
javascript
|
{
"resource": ""
}
|
|
q7411
|
train
|
function (event) {
// duplicate,in case detach itself in one observer
var observers = [].concat(this.observers), ret, gRet, len = observers.length, i;
for (i = 0; i < len && !event.isImmediatePropagationStopped(); i++) {
ret = observers[i].notify(event, this);
if (gRet !== false && ret !== undefined) {
gRet = ret;
}
}
return gRet;
}
|
javascript
|
{
"resource": ""
}
|
|
q7412
|
train
|
function (cfg) {
var groupsRe, self = this, fn = cfg.fn, context = cfg.context, currentTarget = self.currentTarget, observers = self.observers, groups = cfg.groups;
if (!observers.length) {
return;
}
if (groups) {
groupsRe = Utils.getGroupsRe(groups);
}
var i, j, t, observer, observerContext, len = observers.length; // 移除 fn
// 移除 fn
if (fn || groupsRe) {
context = context || currentTarget;
for (i = 0, j = 0, t = []; i < len; ++i) {
observer = observers[i];
observerContext = observer.context || currentTarget;
if (context !== observerContext || // 指定了函数,函数不相等,保留
fn && fn !== observer.fn || // 指定了删除的某些组,而该 observer 不属于这些组,保留,否则删除
groupsRe && !observer.groups.match(groupsRe)) {
t[j++] = observer;
}
}
self.observers = t;
} else {
// 全部删除
self.reset();
} // does not need to clear memory if customEvent has no observer
// customEvent has defaultFn .....!
// self.checkMemory();
}
|
javascript
|
{
"resource": ""
}
|
|
q7413
|
Reference
|
train
|
function Reference(value, parameters) {
abstractions.Element.call(this, utilities.types.REFERENCE, parameters);
try {
if (value.constructor.name !== 'URL') value = new URL(value.replace(/\$tag:#/, '$tag:%23'));
} catch (exception) {
throw new utilities.Exception({
$module: '/bali/elements/Reference',
$procedure: '$Reference',
$exception: '$invalidParameter',
$parameter: '"' + value + '"',
$text: '"An invalid reference value was passed to the constructor."'
}, exception);
}
// since this element is immutable the value must be read-only
this.getValue = function() { return value; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7414
|
Complex
|
train
|
function Complex(real, imaginary, parameters) {
abstractions.Element.call(this, utilities.types.NUMBER, parameters);
// normalize the values
if (real === undefined || real === null || real === -0) {
real = 0;
}
real = utilities.precision.lockOnExtreme(real);
if (imaginary === undefined || imaginary === null || imaginary === -0) {
imaginary = 0;
}
if (imaginary.getTypeId && imaginary.getTypeId() === utilities.types.ANGLE) {
// convert polar to rectangular
var magnitude = real;
var phase = imaginary;
if (magnitude < 0) {
// normalize the magnitude
magnitude = -magnitude;
phase = Angle.inverse(phase);
}
real = magnitude * Angle.cosine(phase);
imaginary = magnitude * Angle.sine(phase);
}
imaginary = utilities.precision.lockOnExtreme(imaginary);
if (real.toString() === 'NaN' || imaginary.toString() === 'NaN') {
real = NaN;
imaginary = NaN;
} else if (real === Infinity || real === -Infinity || imaginary === Infinity || imaginary === -Infinity) {
real = Infinity;
imaginary = Infinity;
}
this.getReal = function() { return real; };
this.getImaginary = function() { return imaginary; };
this.getMagnitude = function() {
// need to preserve full precision on this except for the sum part
var magnitude = Math.sqrt(utilities.precision.sum(Math.pow(real, 2), Math.pow(imaginary, 2)));
magnitude = utilities.precision.lockOnExtreme(magnitude);
return magnitude;
};
this.getPhase = function() {
if (this.isInfinite()) return new Angle(0);
if (this.isUndefined()) return undefined;
const phase = Angle.arctangent(imaginary, real);
return phase;
};
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7415
|
Sorter
|
train
|
function Sorter(comparator) {
// the comparator is a private attribute so methods that use it are defined in the constructor
comparator = comparator || new Comparator();
this.sortCollection = function(collection) {
if (collection && collection.getSize() > 1) {
var array = collection.toArray();
array = sortArray(comparator, array);
collection.deleteAll();
collection.addItems(array);
}
};
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7416
|
Set
|
train
|
function Set(parameters, comparator) {
parameters = parameters || new composites.Parameters(new Catalog());
if (!parameters.getParameter('$type')) parameters.setParameter('$type', '/bali/collections/Set/v1');
abstractions.Collection.call(this, utilities.types.SET, parameters);
// the comparator and tree are private attributes so methods that use
// them are defined in the constructor
comparator = comparator || new utilities.Comparator();
const tree = new RandomizedTree(comparator);
this.acceptVisitor = function(visitor) {
visitor.visitSet(this);
};
this.toArray = function() {
const array = [];
const iterator = new TreeIterator(tree);
while (iterator.hasNext()) array.push(iterator.getNext());
return array;
};
this.getComparator = function() {
return comparator;
};
this.getSize = function() {
return tree.size;
};
this.getIterator = function() {
return new TreeIterator(tree);
};
this.getIndex = function(item) {
item = this.convert(item);
return tree.index(item) + 1; // convert to ordinal based indexing
};
this.getItem = function(index) {
index = this.normalizeIndex(index) - 1; // convert to javascript zero based indexing
return tree.node(index).value;
};
this.addItem = function(item) {
item = this.convert(item);
return tree.insert(item);
};
this.removeItem = function(item) {
item = this.convert(item);
return tree.remove(item);
};
this.removeItems = function(items) {
var count = 0;
const iterator = items.getIterator();
while (iterator.hasNext()) {
const item = iterator.getNext();
if (this.removeItem(item)) {
count++;
}
}
return count;
};
this.deleteAll = function() {
tree.clear();
};
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7417
|
uri
|
train
|
function uri() {
var uri = App.pkg.settings.api || "";
_.each(arguments, function(item) {
uri += item + '/';
});
return uri.substring(0, uri.length - 1);
}
|
javascript
|
{
"resource": ""
}
|
q7418
|
setLanguage
|
train
|
function setLanguage(language) {
window[App.pkg.settings.storage_engine || 'localStorage'][App.pkg._id + '-language'] = language;
var xhr = null;
var activexmodes = ["Msxml2.XMLHTTP", "Microsoft.XMLHTTP"];
if(window.ActiveXObject) {
for(var i = 0; i < activexmodes.length; i++) {
try {
xhr = new ActiveXObject(activexmodes[i]);
} catch(e) {}
}
} else {
xhr = new XMLHttpRequest();
}
xhr.open('GET', 'languages/' + language + '.json', false);
xhr.send(null);
if(xhr.status == 200 || xhr.status == 201) {
var response = JSON.parse(xhr.responseText);
Globalize.culture(language);
Globalize.addCultureInfo(language, {
messages: response,
});
}
}
|
javascript
|
{
"resource": ""
}
|
q7419
|
namespace
|
train
|
function namespace() {
var args = Array.prototype.slice.call(arguments);
var setComponents = function(context, first, rest) {
if(!context[first]) {
context[first] = {
models: {},
collections: {},
views: {},
};
}
if(rest.length) {
setComponents(context[first], _.first(rest), _.rest(rest));
}
};
setComponents(window, _.first(args), _.rest(args));
}
|
javascript
|
{
"resource": ""
}
|
q7420
|
Lexer
|
train
|
function Lexer(text, cfg) {
var self = this;
self.page = new Page(text);
self.cursor = new Cursor();
self.nodeFactory = this;
this.cfg = cfg || {};
}
|
javascript
|
{
"resource": ""
}
|
q7421
|
train
|
function (quoteSmart) {
var self = this, start, ch, ret, cursor = self.cursor, page = self.page;
start = cursor.position;
ch = page.getChar(cursor);
switch (ch) {
case -1:
ret = null;
break;
case '<':
ch = page.getChar(cursor);
if (ch === -1) {
ret = self.makeString(start, cursor.position);
} else if (ch === '/' || Utils.isLetter(ch)) {
page.ungetChar(cursor);
ret = self.parseTag(start);
} else if ('!' === ch || '?' === ch) {
ch = page.getChar(cursor);
if (ch === -1) {
ret = self.makeString(start, cursor.position);
} else {
if ('>' === ch) {
ret = self.makeComment(start, cursor.position);
} else {
page.ungetChar(cursor); // remark/tag need this char
// remark/tag need this char
if ('-' === ch) {
ret = self.parseComment(start, quoteSmart);
} else {
// <!DOCTYPE html>
// <?xml:namespace>
page.ungetChar(cursor); // tag needs prior one too
// tag needs prior one too
ret = self.parseTag(start);
}
}
}
} else {
page.ungetChar(cursor); // see bug #1547354 <<tag> parsed as text
// see bug #1547354 <<tag> parsed as text
ret = self.parseString(start, quoteSmart);
}
break;
default:
page.ungetChar(cursor); // string needs to see leading fore slash
// string needs to see leading fore slash
ret = self.parseString(start, quoteSmart);
break;
}
return ret;
}
|
javascript
|
{
"resource": ""
}
|
|
q7422
|
train
|
function (start, quoteSmart) {
var done = 0, ch, page = this.page, cursor = this.cursor, quote = 0;
while (!done) {
ch = page.getChar(cursor);
if (NEGATIVE_1 === ch) {
done = 1;
} else if (quoteSmart && 0 === quote && ('"' === ch || '\'' === ch)) {
quote = ch; // enter quoted state
} else // enter quoted state
if (quoteSmart && 0 !== quote && '\\' === ch) {
// handle escaped closing quote
ch = page.getChar(cursor); // try to consume escape
// try to consume escape
if (NEGATIVE_1 !== ch && '\\' !== ch && // escaped backslash
ch !== quote)
// escaped quote character
{
// ( reflects ['] or ['] whichever opened the quotation)
page.ungetChar(cursor); // unconsume char if char not an escape
}
} else // unconsume char if char not an escape
if (quoteSmart && ch === quote) {
quote = 0; // exit quoted state
} else // exit quoted state
if (quoteSmart && 0 === quote && ch === '/') {
// handle multiline and double slash comments (with a quote)
// in script like:
// I can't handle single quotations.
ch = page.getChar(cursor);
if (NEGATIVE_1 === ch) {
done = 1;
} else if ('/' === ch) {
do {
ch = page.getChar(cursor);
} while (NEGATIVE_1 !== ch && '\n' !== ch);
} else if ('*' === ch) {
do {
do {
ch = page.getChar(cursor);
} while (NEGATIVE_1 !== ch && '*' !== ch);
ch = page.getChar(cursor);
if (ch === '*') {
page.ungetChar(cursor);
}
} while (NEGATIVE_1 !== ch && '/' !== ch);
} else {
page.ungetChar(cursor);
}
} else if (0 === quote && '<' === ch) {
ch = page.getChar(cursor);
if (NEGATIVE_1 === ch) {
done = 1;
} else if ('/' === ch || Utils.isLetter(ch) || '!' === ch || // <?xml:namespace
'?' === ch) {
done = 1;
page.ungetChar(cursor);
page.ungetChar(cursor);
} else {
// it's not a tag, so keep going, but check for quotes
page.ungetChar(cursor);
}
}
}
return this.makeString(start, cursor.position);
}
|
javascript
|
{
"resource": ""
}
|
|
q7423
|
train
|
function (quoteSmart, tagName) {
var start, state, done, quote, ch, end, comment, mCursor = this.cursor, mPage = this.page;
start = mCursor.position;
state = 0;
done = false;
quote = '';
comment = false;
while (!done) {
ch = mPage.getChar(mCursor);
switch (state) {
case 0:
// prior to ETAGO
switch (ch) {
case -1:
done = true;
break;
case '\'':
if (quoteSmart && !comment) {
if ('' === quote) {
quote = '\''; // enter quoted state
} else // enter quoted state
if ('\'' === quote) {
quote = ''; // exit quoted state
}
}
// exit quoted state
break;
case '"':
if (quoteSmart && !comment) {
if ('' === quote) {
quote = '"'; // enter quoted state
} else // enter quoted state
if ('"' === quote) {
quote = ''; // exit quoted state
}
}
// exit quoted state
break;
case '\\':
if (quoteSmart) {
if ('' !== quote) {
ch = mPage.getChar(mCursor); // try to consume escaped character
// try to consume escaped character
if (NEGATIVE_1 === ch) {
done = true;
} else if (ch !== '\\' && ch !== quote) {
// unconsume char if character was not an escapable char.
mPage.ungetChar(mCursor);
}
}
}
break;
case '/':
if (quoteSmart) {
if ('' === quote) {
// handle multiline and double slash comments (with a quote)
ch = mPage.getChar(mCursor);
if (NEGATIVE_1 === ch) {
done = true;
} else if ('/' === ch) {
comment = true;
} else if ('*' === ch) {
do {
do {
ch = mPage.getChar(mCursor);
} while (NEGATIVE_1 !== ch && '*' !== ch);
ch = mPage.getChar(mCursor);
if (ch === '*') {
mPage.ungetChar(mCursor);
}
} while (NEGATIVE_1 !== ch && '/' !== ch);
} else {
mPage.ungetChar(mCursor);
}
}
}
break;
case '\n':
comment = false;
break;
case '<':
if (quoteSmart) {
if ('' === quote) {
state = 1;
}
} else {
state = 1;
}
break;
default:
break;
}
break;
case 1:
// <
switch (ch) {
case -1:
done = true;
break;
case '/':
// tagName = 'textarea'
// <textarea><div></div></textarea>
/*
8.1.2.6 Restrictions on the contents of raw text and RCDATA elements
The text in raw text and RCDATA elements must not contain any occurrences
of the string '</' (U+003C LESS-THAN SIGN, U+002F SOLIDUS)
followed by characters that case-insensitively match the tag name of the element
followed by one of U+0009 CHARACTER TABULATION (tab),
U+000A LINE FEED (LF), U+000C FORM FEED (FF), U+000D CARRIAGE RETURN (CR),
U+0020 SPACE, U+003E GREATER-THAN SIGN (>), or U+002F SOLIDUS (/).
*/
if (!tagName || mPage.getText(mCursor.position, mCursor.position + tagName.length) === tagName && !mPage.getText(mCursor.position + tagName.length, mCursor.position + tagName.length + 1).match(/\w/)) {
state = 2;
} else {
state = 0;
}
break;
case '!':
ch = mPage.getChar(mCursor);
if (NEGATIVE_1 === ch) {
done = true;
} else if ('-' === ch) {
ch = mPage.getChar(mCursor);
if (NEGATIVE_1 === ch) {
done = true;
} else if ('-' === ch) {
state = 3;
} else {
state = 0;
}
} else {
state = 0;
}
break;
default:
state = 0;
break;
}
break;
case 2:
// </
comment = false;
if (NEGATIVE_1 === ch) {
done = true;
} else if (Utils.isLetter(ch)) {
// 严格 parser 遇到 </x lexer 立即结束
// 浏览器实现更复杂点,可能 lexer 和 parser 混合了
done = true; // back up to the start of ETAGO
// back up to the start of ETAGO
mPage.ungetChar(mCursor);
mPage.ungetChar(mCursor);
mPage.ungetChar(mCursor);
} else {
state = 0;
}
break;
case 3:
// <!
comment = false;
if (NEGATIVE_1 === ch) {
done = true;
} else if ('-' === ch) {
ch = mPage.getChar(mCursor);
if (NEGATIVE_1 === ch) {
done = true;
} else if ('-' === ch) {
ch = mPage.getChar(mCursor);
if (NEGATIVE_1 === ch) {
done = true;
} else if ('>' === ch) {
// <!----> <!-->
state = 0;
} else {
// retreat twice , still begin to check -->
mPage.ungetChar(mCursor);
mPage.ungetChar(mCursor);
}
} else {
// retreat once , still begin to check
mPage.ungetChar(mCursor);
}
} // eat comment
// eat comment
break;
default:
throw new Error('unexpected ' + state);
}
}
end = mCursor.position;
return this.makeCData(start, end);
}
|
javascript
|
{
"resource": ""
}
|
|
q7424
|
train
|
function (attributes, bookmarks) {
var page = this.page;
attributes.push(new Attribute(page.getText(bookmarks[1], bookmarks[2]), '=', page.getText(bookmarks[3], bookmarks[4])));
}
|
javascript
|
{
"resource": ""
}
|
|
q7425
|
train
|
function (cursor) {
var cs = this.lineCursors;
for (var i = 0; i < cs.length; i++) {
if (cs[i].position > cursor.position) {
return i - 1;
}
}
return i;
}
|
javascript
|
{
"resource": ""
}
|
|
q7426
|
Node
|
train
|
function Node(page, startPosition, endPosition) {
this.parentNode = null;
this.page = page;
this.startPosition = startPosition;
this.endPosition = endPosition;
this.nodeName = null;
this.previousSibling = null;
this.nextSibling = null;
}
|
javascript
|
{
"resource": ""
}
|
q7427
|
Tag
|
train
|
function Tag(page, startPosition, endPosition, attributes) {
var self = this;
self.childNodes = [];
self.firstChild = null;
self.lastChild = null;
self.attributes = attributes || [];
self.nodeType = 1;
if (typeof page === 'string') {
createTag.apply(null, [self].concat(util.makeArray(arguments)));
} else {
Tag.superclass.constructor.apply(self, arguments);
attributes = self.attributes; // first attribute is actually nodeName
// first attribute is actually nodeName
if (attributes[0]) {
self.nodeName = attributes[0].name.toLowerCase(); // end tag (</div>) is a tag too in lexer , but not exist in parsed dom tree
// end tag (</div>) is a tag too in lexer , but not exist in parsed dom tree
self.tagName = self.nodeName.replace(/\//, '');
self._updateSelfClosed();
attributes.splice(0, 1);
}
var lastAttr = attributes[attributes.length - 1], lastSlash = !!(lastAttr && /\/$/.test(lastAttr.name));
if (lastSlash) {
attributes.length = attributes.length - 1;
} // self-closing flag
// self-closing flag
self.isSelfClosed = self.isSelfClosed || lastSlash; // whether has been closed by its end tag
// !TODO how to set closed position correctly
// whether has been closed by its end tag
// !TODO how to set closed position correctly
self.closed = self.isSelfClosed;
}
self.closedStartPosition = -1;
self.closedEndPosition = -1;
}
|
javascript
|
{
"resource": ""
}
|
q7428
|
train
|
function () {
var self = this;
if (!self.isChildrenFiltered) {
var writer = new (module.require('html-parser/writer/basic'))();
self._writeChildrenHTML(writer);
var parser = new (module.require('html-parser/parser'))(writer.getHtml()), children = parser.parse().childNodes;
self.empty();
util.each(children, function (c) {
self.appendChild(c);
});
self.isChildrenFiltered = 1;
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7429
|
train
|
function (writer, filter) {
var self = this, tmp, attrName, tagName = self.tagName; // special treat for doctype
// special treat for doctype
if (tagName === '!doctype') {
writer.append(this.toHtml() + '\n');
return;
}
self.__filter = filter;
self.isChildrenFiltered = 0; // process its open tag
// process its open tag
if (filter) {
// element filtered by its name directly
if (!(tagName = filter.onTagName(tagName))) {
return;
}
self.tagName = tagName;
tmp = filter.onTag(self);
if (tmp === false) {
return;
} // replaced
// replaced
if (tmp) {
self = tmp;
} // replaced by other type of node
// replaced by other type of node
if (self.nodeType !== 1) {
self.writeHtml(writer, filter);
return;
} // preserve children but delete itself
// preserve children but delete itself
if (!self.tagName) {
self._writeChildrenHTML(writer);
return;
}
}
writer.openTag(self); // process its attributes
// process its attributes
var attributes = self.attributes;
for (var i = 0; i < attributes.length; i++) {
var attr = attributes[i];
attrName = attr.name;
if (filter) {
// filtered directly by name
if (!(attrName = filter.onAttributeName(attrName, self))) {
continue;
}
attr.name = attrName; // filtered by value and node
// filtered by value and node
if (filter.onAttribute(attr, self) === false) {
continue;
}
}
writer.attribute(attr, self);
} // close its open tag
// close its open tag
writer.openTagClose(self);
if (!self.isSelfClosed) {
self._writeChildrenHTML(writer); // process its close tag
// process its close tag
writer.closeTag(self);
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7430
|
Parser
|
train
|
function Parser(html, opts) {
// fake root node
html = util.trim(html);
this.originalHTML = html; // only allow condition
// 1. start with <!doctype
// 2. start with <!html
// 3. start with <!body
// 4. not start with <head
// 5. not start with <meta
// only allow condition
// 1. start with <!doctype
// 2. start with <!html
// 3. start with <!body
// 4. not start with <head
// 5. not start with <meta
if (/^(<!doctype|<html|<body)/i.test(html)) {
html = '<document>' + html + '</document>';
} else {
html = '<body>' + html + '</body>';
}
this.lexer = new Lexer(html);
this.opts = opts || {};
}
|
javascript
|
{
"resource": ""
}
|
q7431
|
MinifyWriter
|
train
|
function MinifyWriter() {
var self = this;
MinifyWriter.superclass.constructor.apply(self, arguments);
self.inPre = 0;
}
|
javascript
|
{
"resource": ""
}
|
q7432
|
train
|
function (text) {
if (isConditionalComment(text)) {
text = cleanConditionalComment(text);
MinifyWriter.superclass.comment.call(this, text);
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7433
|
train
|
function (el) {
var self = this;
if (el.tagName === 'pre') {
self.inPre = 1;
}
MinifyWriter.superclass.openTag.apply(self, arguments);
}
|
javascript
|
{
"resource": ""
}
|
|
q7434
|
XTemplate
|
train
|
function XTemplate(tpl, config) {
var self = this;
config = self.config = config || {};
config.loader = config.loader || loader;
if (typeof tpl === 'string') {
tpl = Compiler.compile(tpl, config && config.name);
}
XTemplate.superclass.constructor.call(self, tpl, config);
}
|
javascript
|
{
"resource": ""
}
|
q7435
|
SiteWordAdsSettings
|
train
|
function SiteWordAdsSettings( sid, wpcom ) {
if ( ! ( this instanceof SiteWordAdsSettings ) ) {
return new SiteWordAdsSettings( sid, wpcom );
}
this._sid = sid;
this.wpcom = wpcom;
}
|
javascript
|
{
"resource": ""
}
|
q7436
|
Duplicator
|
train
|
function Duplicator() {
this.duplicateComponent = function(component) {
const visitor = new DuplicatingVisitor();
component.acceptVisitor(visitor);
return visitor.result;
};
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7437
|
Source
|
train
|
function Source(procedure, parameters) {
abstractions.Composite.call(this, utilities.types.SOURCE, parameters);
this.getProcedure = function() { return procedure; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7438
|
Moment
|
train
|
function Moment(value, parameters) {
abstractions.Element.call(this, utilities.types.MOMENT, parameters);
var format;
if (value === undefined || value === null) {
format = FORMATS[7];
value = moment.utc(); // the current moment
} else {
switch (typeof value) {
case 'number':
format = FORMATS[7];
value = moment.utc(value); // in milliseconds since EPOC
break;
case 'string':
FORMATS.find(function(candidate) {
const attempt = moment.utc(value, candidate, true); // true means strict mode
if (attempt.isValid()) {
format = candidate;
value = attempt;
return true;
}
return false;
});
}
}
if (value.constructor.name !== 'Moment') {
throw new utilities.Exception({
$module: '/bali/elements/Moment',
$procedure: '$Moment',
$exception: '$invalidParameter',
$parameter: value.toString(),
$text: '"An invalid moment value was passed to the constructor."'
});
}
// since this element is immutable the attributes must be read-only
this.getFormat = function() { return format; };
this.getValue = function() { return value; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7439
|
Tree
|
train
|
function Tree(type) {
abstractions.Composite.call(this, type);
if (!utilities.types.isProcedural(type)) {
throw new utilities.Exception({
$module: '/bali/composites/Tree',
$procedure: '$Tree',
$exception: '$invalidParameter',
$parameter: utilities.types.symbolForType(type),
$text: '"An invalid tree type was passed to the constructor."'
});
}
// the array is a private attribute so methods that use it are defined in the constructor
const array = [];
this.toArray = function() {
return array.slice(); // copy the array
};
this.getSize = function() {
return array.length;
};
this.addChild = function(child) {
array.push(child);
child.getParent = function() { return this; };
};
this.getChild = function(index) {
index = this.normalizeIndex(index) - 1; // JS uses zero based indexing
return array[index];
};
this.getParent = function() { }; // will be reset by parent when added as a child
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7440
|
SiteWordAds
|
train
|
function SiteWordAds( sid, wpcom ) {
if ( ! ( this instanceof SiteWordAds ) ) {
return new SiteWordAds( sid, wpcom );
}
this._sid = sid;
this.wpcom = wpcom;
}
|
javascript
|
{
"resource": ""
}
|
q7441
|
Name
|
train
|
function Name(value, parameters) {
abstractions.Element.call(this, utilities.types.NAME, parameters);
if (!Array.isArray(value) || value.length === 0) {
throw new utilities.Exception({
$module: '/bali/elements/Name',
$procedure: '$Name',
$exception: '$invalidParameter',
$parameter: value.toString(),
$text: '"An invalid name value was passed to the constructor."'
});
}
// since this element is immutable the value must be read-only
this.getValue = function() { return value; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7442
|
Symbol
|
train
|
function Symbol(value, parameters) {
abstractions.Element.call(this, utilities.types.SYMBOL, parameters);
if (!value || !/^[a-zA-Z][0-9a-zA-Z]*$/g.test(value)) {
throw new utilities.Exception({
$module: '/bali/elements/Symbol',
$procedure: '$Symbol',
$exception: '$invalidParameter',
$parameter: value.toString(),
$text: '"An invalid symbol value was passed to the constructor."'
});
}
// since this element is immutable the value must be read-only
this.getValue = function() { return value; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7443
|
findMinIndexValue
|
train
|
function findMinIndexValue(pageNumber, searchFor) {
var lookupAttr = typeof searchFor === 'string' ? 'name' : 'token';
var minIndexValue = null
for (var i = 0; i < this.codePage[pageNumber].values.length; i++) {
let index = searchFor.indexOf(this.codePage[pageNumber].values[i][lookupAttr])
if ( index >= 0 &&
(!minIndexValue || (index < minIndexValue.index))){
minIndexValue = {index: index, value: this.codePage[pageNumber].values[i] }
}
}
return minIndexValue
}
|
javascript
|
{
"resource": ""
}
|
q7444
|
train
|
function(str, callback) {
try {
var result = xtpl._compile(str, source, 'utf8', 'utf8');
} catch (e) {
return callback(err);
}
callback(null, result);
}
|
javascript
|
{
"resource": ""
}
|
|
q7445
|
groupDate
|
train
|
function groupDate({creationDate: date}) {
const root = 'focus.notifications.groups';
if(_isYoungerThanA('day', date)) {
return `${root}.0_today`;
}
if(_isYoungerThanA('week', date)) {
return `${root}.1_lastWeek`;
}
if(_isYoungerThanA('month', date)) {
return `${root}.2_lastMonth`;
}
return `${root}.3_before`;
}
|
javascript
|
{
"resource": ""
}
|
q7446
|
train
|
function (url, data, callback) {
if (typeof data === 'function') {
callback = data;
data = undefined;
}
return get(url, data, callback, 'jsonp');
}
|
javascript
|
{
"resource": ""
}
|
|
q7447
|
train
|
function (url, form, data, callback, dataType) {
if (typeof data === 'function') {
dataType = /**
@type String
@ignore
*/
callback;
callback = data;
data = undefined;
}
return IO({
url: url,
type: 'post',
dataType: dataType,
form: form,
data: data,
success: callback
});
}
|
javascript
|
{
"resource": ""
}
|
|
q7448
|
elementsToArray
|
train
|
function elementsToArray(elements) {
var ret = [];
for (var i = 0; i < elements.length; i++) {
ret.push(elements[i]);
}
return ret;
}
|
javascript
|
{
"resource": ""
}
|
q7449
|
IO
|
train
|
function IO(c) {
var self = this;
if (!(self instanceof IO)) {
return new IO(c);
} // Promise.call(self);
// Promise.call(self);
IO.superclass.constructor.call(self);
Promise.Defer(self);
self.userConfig = c;
c = setUpConfig(c);
util.mix(self, {
// 结构化数据,如 json
responseData: null,
/**
* config of current IO instance.
* @member KISSY.IO
* @property config
* @type Object
*/
config: c || {},
timeoutTimer: null,
/**
* String typed data returned from server
* @type String
*/
responseText: null,
/**
* xml typed data returned from server
* @type String
*/
responseXML: null,
responseHeadersString: '',
responseHeaders: null,
requestHeaders: {},
/**
* readyState of current request
* 0: initialized
* 1: send
* 4: completed
* @type Number
*/
readyState: 0,
state: 0,
/**
* HTTP statusText of current request
* @type String
*/
statusText: null,
/**
* HTTP Status Code of current request
* eg:
* 200: ok
* 404: Not Found
* 500: Server Error
* @type String
*/
status: 0,
transport: null
});
var TransportConstructor, transport; /**
* fired before generating request object
* @event start
* @member KISSY.IO
* @static
* @param {KISSY.Event.CustomEvent.Object} e
* @param {KISSY.IO} e.io current io
*/
/**
* fired before generating request object
* @event start
* @member KISSY.IO
* @static
* @param {KISSY.Event.CustomEvent.Object} e
* @param {KISSY.IO} e.io current io
*/
IO.fire('start', {
// 兼容
ajaxConfig: c,
io: self
});
TransportConstructor = transports[c.dataType[0]] || transports['*'];
transport = new TransportConstructor(self);
self.transport = transport;
if (c.contentType) {
self.setRequestHeader('Content-Type', c.contentType);
}
var dataType = c.dataType[0], i, timeout = c.timeout, context = c.context, headers = c.headers, accepts = c.accepts; // Set the Accepts header for the server, depending on the dataType
// Set the Accepts header for the server, depending on the dataType
self.setRequestHeader('Accept', dataType && accepts[dataType] ? accepts[dataType] + (dataType === '*' ? '' : ', */*; q=0.01') : accepts['*']); // Check for headers option
// Check for headers option
for (i in headers) {
self.setRequestHeader(i, headers[i]);
} // allow setup native listener
// such as xhr.upload.addEventListener('progress', function (ev) {})
// allow setup native listener
// such as xhr.upload.addEventListener('progress', function (ev) {})
if (c.beforeSend && c.beforeSend.call(context, self, c) === false) {
return self;
}
self.readyState = 1; /**
* fired before sending request
* @event send
* @member KISSY.IO
* @static
* @param {KISSY.Event.CustomEvent.Object} e
* @param {KISSY.IO} e.io current io
*/
/**
* fired before sending request
* @event send
* @member KISSY.IO
* @static
* @param {KISSY.Event.CustomEvent.Object} e
* @param {KISSY.IO} e.io current io
*/
IO.fire('send', {
// 兼容
ajaxConfig: c,
io: self
}); // Timeout
// Timeout
if (c.async && timeout > 0) {
self.timeoutTimer = setTimeout(function () {
self.abort('timeout');
}, timeout * 1000);
}
try {
// flag as sending
self.state = 1;
transport.send();
} catch (e) {
logger.log(e.stack || e, 'error');
if ('@DEBUG@') {
setTimeout(function () {
throw e;
}, 0);
} // Propagate exception as error if not done
// Propagate exception as error if not done
if (self.state < 2) {
self._ioReady(0 - 1, e.message || 'send error'); // Simply rethrow otherwise
}
}
// Simply rethrow otherwise
return self;
}
|
javascript
|
{
"resource": ""
}
|
q7450
|
_swf
|
train
|
function _swf(uri, _, uid) {
if (init) {
return;
}
init = true;
var o = '<object id="' + ID + '" type="application/x-shockwave-flash" data="' + uri + '" width="0" height="0">' + '<param name="movie" value="' + uri + '" />' + '<param name="FlashVars" value="yid=' + _ + '&uid=' + uid + '&host=KISSY.IO" />' + '<param name="allowScriptAccess" value="always" />' + '</object>', c = doc.createElement('div');
Dom.prepend(c, doc.body || doc.documentElement);
c.innerHTML = o;
}
|
javascript
|
{
"resource": ""
}
|
q7451
|
train
|
function () {
var self = this, io = self.io, c = io.config, xdr = c.xdr || {};
if (!xdr.src) {
if (typeof KISSY !== 'undefined' && KISSY.DEV_MODE) {
xdr.src = require.toUrl('../../assets/io.swf');
} else {
xdr.src = require.toUrl('./assets/io.swf');
}
} // 不提供则使用 cdn 默认的 flash
// 不提供则使用 cdn 默认的 flash
_swf(xdr.src, 1, 1); // 简便起见,用轮训
// 简便起见,用轮训
if (!flash) {
setTimeout(function () {
self.send();
}, 200);
return;
}
self._uid = util.guid();
maps[self._uid] = self; // ie67 send 出错?
// ie67 send 出错?
flash.send(io._getUrlForSend(), {
id: self._uid,
uid: self._uid,
method: c.type,
data: c.hasContent && c.data || {}
});
}
|
javascript
|
{
"resource": ""
}
|
|
q7452
|
train
|
function () {
var self = this, c = self.io.config, uri = c.uri, hostname = uri.hostname, iframe, iframeUri, iframeDesc = iframeMap[hostname];
var proxy = PROXY_PAGE;
if (c.xdr && c.xdr.subDomain && c.xdr.subDomain.proxy) {
proxy = c.xdr.subDomain.proxy;
}
if (iframeDesc && iframeDesc.ready) {
self.nativeXhr = XhrTransportBase.nativeXhr(0, iframeDesc.iframe.contentWindow);
if (self.nativeXhr) {
self.sendInternal();
} else {
LoggerManager.error('document.domain not set correctly!');
}
return;
}
if (!iframeDesc) {
iframeDesc = iframeMap[hostname] = {};
iframe = iframeDesc.iframe = doc.createElement('iframe');
Dom.css(iframe, {
position: 'absolute',
left: '-9999px',
top: '-9999px'
});
Dom.prepend(iframe, doc.body || doc.documentElement);
iframeUri = {};
iframeUri.protocol = uri.protocol;
iframeUri.host = uri.host;
iframeUri.pathname = proxy;
iframe.src = url.stringify(iframeUri);
} else {
iframe = iframeDesc.iframe;
}
Event.on(iframe, 'load', _onLoad, self);
}
|
javascript
|
{
"resource": ""
}
|
|
q7453
|
train
|
function (name) {
var match, responseHeaders, self = this; // ie8 will be lowercase for content-type
// ie8 will be lowercase for content-type
name = name.toLowerCase();
if (self.state === 2) {
if (!(responseHeaders = self.responseHeaders)) {
responseHeaders = self.responseHeaders = {};
while (match = HEADER_REG.exec(self.responseHeadersString)) {
responseHeaders[match[1].toLowerCase()] = match[2];
}
}
match = responseHeaders[name];
}
return match === undefined ? null : match;
}
|
javascript
|
{
"resource": ""
}
|
|
q7454
|
train
|
function (statusText) {
var self = this;
statusText = statusText || 'abort';
if (self.transport) {
self.transport.abort(statusText);
}
self._ioReady(0, statusText);
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7455
|
getCheckbox
|
train
|
function getCheckbox(checked) {
return checked ? utils.chalk.green(utils.figures.radioOn) : utils.figures.radioOff;
}
|
javascript
|
{
"resource": ""
}
|
q7456
|
train
|
function (params) {
console.log('ecInterface.paymentplan.getAll');
return this.request({
url: this._buildUri(this.uri, 'all'),
method: corbel.request.method.GET,
query: params ? corbel.utils.serializeParams(params) : null
});
}
|
javascript
|
{
"resource": ""
}
|
|
q7457
|
determineTargetDir
|
train
|
function determineTargetDir(source, target) {
return stat(source).
then(results => results.isDirectory() ? target : path.dirname(target));
}
|
javascript
|
{
"resource": ""
}
|
q7458
|
Benchmarked
|
train
|
function Benchmarked(options) {
if (!(this instanceof Benchmarked)) {
return new Benchmarked(options);
}
Emitter.call(this);
this.options = Object.assign({}, options);
this.results = [];
this.defaults(this);
}
|
javascript
|
{
"resource": ""
}
|
q7459
|
XTemplateRuntime
|
train
|
function XTemplateRuntime(tpl, option) {
var self = this;
self.tpl = tpl;
option = S.merge(defaultConfig, option);
option.subTpls = S.merge(option.subTpls, XTemplateRuntime.subTpls);
option.commands = S.merge(option.commands, XTemplateRuntime.commands);
this.option = option;
}
|
javascript
|
{
"resource": ""
}
|
q7460
|
initFeatureFlags
|
train
|
function initFeatureFlags(enabled) {
return function features(req, res, next) {
if (req.get('x-env') !== 'production') return next();
if (enabled && enabled !== req.cookies.features) res.cookie('features', enabled);
next();
};
}
|
javascript
|
{
"resource": ""
}
|
q7461
|
train
|
function () {
var self = this, attrs = self.getAttrs(), attr, m;
for (attr in attrs) {
m = ON_SET + ucfirst(attr);
if (self[m]) {
// 自动绑定事件到对应函数
self.on('after' + ucfirst(attr) + 'Change', onSetAttrChange);
}
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7462
|
train
|
function () {
var self = this, cs = [], i, c = self.constructor, attrs = self.getAttrs();
while (c) {
cs.push(c);
c = c.superclass && c.superclass.constructor;
}
cs.reverse(); // from super class to sub class
// from super class to sub class
for (i = 0; i < cs.length; i++) {
var ATTRS = cs[i].ATTRS || {};
for (var attributeName in ATTRS) {
if (attributeName in attrs) {
var attributeValue, onSetMethod;
var onSetMethodName = ON_SET + ucfirst(attributeName); // 存在方法,并且用户设置了初始值或者存在默认值,就同步状态
// 存在方法,并且用户设置了初始值或者存在默认值,就同步状态
if ((onSetMethod = self[onSetMethodName]) && // 用户如果设置了显式不同步,就不同步,
// 比如一些值从 html 中读取,不需要同步再次设置
attrs[attributeName].sync !== 0 && (attributeValue = self.get(attributeName)) !== undefined) {
onSetMethod.call(self, attributeValue);
}
}
}
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7463
|
train
|
function (plugin) {
var self = this;
if (typeof plugin === 'function') {
var Plugin = plugin;
plugin = new Plugin();
} // initialize plugin
//noinspection JSUnresolvedVariable
// initialize plugin
//noinspection JSUnresolvedVariable
if (plugin.pluginInitializer) {
// noinspection JSUnresolvedFunction
plugin.pluginInitializer(self);
}
self.get('plugins').push(plugin);
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7464
|
train
|
function (plugin) {
var plugins = [], self = this, isString = typeof plugin === 'string';
util.each(self.get('plugins'), function (p) {
var keep = 0, pluginId;
if (plugin) {
if (isString) {
// user defined takes priority
pluginId = p.get && p.get('pluginId') || p.pluginId;
if (pluginId !== plugin) {
plugins.push(p);
keep = 1;
}
} else {
if (p !== plugin) {
plugins.push(p);
keep = 1;
}
}
}
if (!keep) {
p.pluginDestructor(self);
}
});
self.setInternal('plugins', plugins);
return self;
}
|
javascript
|
{
"resource": ""
}
|
|
q7465
|
train
|
function (id) {
var plugin = null;
util.each(this.get('plugins'), function (p) {
// user defined takes priority
var pluginId = p.get && p.get('pluginId') || p.pluginId;
if (pluginId === id) {
plugin = p;
return false;
}
return undefined;
});
return plugin;
}
|
javascript
|
{
"resource": ""
}
|
|
q7466
|
onSetAttrChange
|
train
|
function onSetAttrChange(e) {
var self = this, method; // ignore bubbling
// ignore bubbling
if (e.target === self) {
method = self[ON_SET + e.type.slice(5).slice(0, -6)];
method.call(self, e.newVal, e);
}
}
|
javascript
|
{
"resource": ""
}
|
q7467
|
Component
|
train
|
function Component(type, parameters) {
this.getTypeId = function() { return type; };
this.getParameters = function() { return parameters; };
this.setParameters = function(newParameters) { parameters = newParameters; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
q7468
|
updateUsername
|
train
|
function updateUsername() {
var $username = $el.findByName('username');
if ((!usernameFocused) && (snippet.username === undefined)) {
var username = apos.slugify($firstName.val() + $lastName.val());
$.post(self._action + '/username-unique', { username: username }, function(data) {
$username.val(data.username);
});
}
$username.on('focus', function() {
usernameFocused = true;
});
}
|
javascript
|
{
"resource": ""
}
|
q7469
|
getInnerType
|
train
|
function getInnerType(str){
var index = str.indexOf('(');
return index > 0 ? str.substring(index + 1, str.length - 1) : str;
}
|
javascript
|
{
"resource": ""
}
|
q7470
|
getCompositeTypes
|
train
|
function getCompositeTypes(str){
var type = getInnerType(str);
if (type === str) {
return getType(str);
}
var types = type.split(','),
i = 0, ret = [], typeLength = types.length;
for(; i < typeLength; i += 1){
ret.push( parseTypeString(types[i]) );
}
return ret;
}
|
javascript
|
{
"resource": ""
}
|
q7471
|
parseTypeString
|
train
|
function parseTypeString(type){
if (type.indexOf('CompositeType') > -1){
return getCompositeTypes(type);
} else if(type.indexOf('ReversedType') > -1){
return getType(getInnerType(type));
}
else if(type.indexOf('org.apache.cassandra.db.marshal.SetType') > -1){
return getSetType(type);
}
else if(type.indexOf('org.apache.cassandra.db.marshal.ListType') > -1){
return getListType(type);
}
else if(type.indexOf('org.apache.cassandra.db.marshal.MapType') > -1){
return getMapType(type);
}
else if(type === null || type === undefined) {
return 'BytesType';
} else {
return getType(type);
}
}
|
javascript
|
{
"resource": ""
}
|
q7472
|
compositeSerializer
|
train
|
function compositeSerializer(serializers){
return function(vals, sliceStart){
var i = 0, buffers = [], totalLength = 0,
valLength = vals.length, val;
if(!Array.isArray(vals)){
vals = [vals];
valLength = vals.length;
}
for(; i < valLength; i += 1){
if (Array.isArray(vals[i])){
val = [serializers[i](vals[i][0]), vals[i][1]];
totalLength += val[0].length + 3;
} else {
val = serializers[i](vals[i]);
totalLength += val.length + 3;
}
buffers.push(val);
}
var buf = new Buffer(totalLength),
buffersLength = buffers.length,
writtenLength = 0, eoc, inclusive;
i = 0;
for(; i < buffersLength; i += 1){
val = buffers[i];
eoc = new Buffer('00', 'hex');
inclusive = true;
if (Array.isArray(val)){
inclusive = val[1];
val = val[0];
if(inclusive){
if (sliceStart){
eoc = new Buffer('ff', 'hex');
} else if (sliceStart === false){
eoc = new Buffer('01', 'hex');
}
} else {
if (sliceStart){
eoc = new Buffer('01', 'hex');
} else if (sliceStart === false){
eoc = new Buffer('ff', 'hex');
}
}
} else if (i === buffersLength - 1){
if (sliceStart){
eoc = new Buffer('ff', 'hex');
} else if (sliceStart === false){
eoc = new Buffer('01', 'hex');
}
}
buf.writeUInt16BE(val.length, writtenLength);
writtenLength += 2;
val.copy(buf, writtenLength, 0);
writtenLength += val.length;
eoc.copy(buf, writtenLength, 0);
writtenLength += 1;
}
return buf;
};
}
|
javascript
|
{
"resource": ""
}
|
q7473
|
compositeDeserializer
|
train
|
function compositeDeserializer(deserializers){
return function(str){
var buf = new Buffer(str, 'binary'),
pos = 0, len, vals = [], i = 0;
while( pos < buf.length){
len = buf.readUInt16BE(pos);
pos += 2;
vals.push(deserializers[i](buf.slice(pos, len + pos)));
i += 1;
pos += len + 1;
}
return vals;
};
}
|
javascript
|
{
"resource": ""
}
|
q7474
|
train
|
function(uri) {
const scheme = this.getScheme(uri);
if (PUBLIC === scheme || TEMPORARY === scheme) {
return '/' + this.resolvePath(uri);
}
return uri;
}
|
javascript
|
{
"resource": ""
}
|
|
q7475
|
train
|
function(styleName, path, format) {
const uri = this.getStylePath(styleName, path, format);
const scheme = this.getScheme(uri);
if (PUBLIC === scheme || TEMPORARY === scheme) {
return '/' + this.resolvePath(uri);
}
throw new Error('Scheme `' + scheme + '` not supported');
}
|
javascript
|
{
"resource": ""
}
|
|
q7476
|
train
|
function (sequenceFunc, callbacks) {
var lastSeq = null;
var activeObserveHandle = null;
// 'lastSeqArray' contains the previous value of the sequence
// we're observing. It is an array of objects with '_id' and
// 'item' fields. 'item' is the element in the array, or the
// document in the cursor.
//
// '_id' is whichever of the following is relevant, unless it has
// already appeared -- in which case it's randomly generated.
//
// * if 'item' is an object:
// * an '_id' field, if present
// * otherwise, the index in the array
//
// * if 'item' is a number or string, use that value
//
// XXX this can be generalized by allowing {{#each}} to accept a
// general 'key' argument which could be a function, a dotted
// field name, or the special @index value.
var lastSeqArray = []; // elements are objects of form {_id, item}
var computation = Tracker.autorun(function () {
var seq = sequenceFunc();
Tracker.nonreactive(function () {
var seqArray; // same structure as `lastSeqArray` above.
if (activeObserveHandle) {
// If we were previously observing a cursor, replace lastSeqArray with
// more up-to-date information. Then stop the old observe.
lastSeqArray = _.map(lastSeq.fetch(), function (doc) {
return {_id: doc._id, item: doc};
});
activeObserveHandle.stop();
activeObserveHandle = null;
}
if (!seq) {
seqArray = seqChangedToEmpty(lastSeqArray, callbacks);
} else if (seq instanceof Array) {
seqArray = seqChangedToArray(lastSeqArray, seq, callbacks);
} else if (isStoreCursor(seq)) {
var result /* [seqArray, activeObserveHandle] */ =
seqChangedToCursor(lastSeqArray, seq, callbacks);
seqArray = result[0];
activeObserveHandle = result[1];
} else {
throw badSequenceError();
}
diffArray(lastSeqArray, seqArray, callbacks);
lastSeq = seq;
lastSeqArray = seqArray;
});
});
return {
stop: function () {
computation.stop();
if (activeObserveHandle)
activeObserveHandle.stop();
}
};
}
|
javascript
|
{
"resource": ""
}
|
|
q7477
|
train
|
function (seq) {
if (!seq) {
return [];
} else if (seq instanceof Array) {
return seq;
} else if (isStoreCursor(seq)) {
return seq.fetch();
} else {
throw badSequenceError();
}
}
|
javascript
|
{
"resource": ""
}
|
|
q7478
|
NotificationCenterDev
|
train
|
function NotificationCenterDev({ iconName, onSingleClick, store, panelFooter, panelHeader }) {
return (
<Provider store={store}>
<div>
<NotificationCenter
iconName={iconName}
hasAddNotif={false}
onSingleClick={onSingleClick}
panelHeader={panelHeader}
panelFooter={panelFooter}
/>
<DevTools />
</div>
</Provider>
);
}
|
javascript
|
{
"resource": ""
}
|
q7479
|
NotificationCenterProd
|
train
|
function NotificationCenterProd({ iconName, onSingleClick, store, panelFooter, panelHeader }) {
return (
<Provider store={store}>
<NotificationCenter
iconName={iconName}
hasAddNotif={false}
onSingleClick={onSingleClick}
panelHeader={panelHeader}
panelFooter={panelFooter}
/>
</Provider>
);
}
|
javascript
|
{
"resource": ""
}
|
q7480
|
Subscriber
|
train
|
function Subscriber( pid, sid, wpcom ) {
if ( ! sid ) {
throw new Error( '`side id` is not correctly defined' );
}
if ( ! pid ) {
throw new Error( '`post id` is not correctly defined' );
}
if ( ! ( this instanceof Subscriber ) ) {
return new Subscriber( pid, sid, wpcom );
}
this.wpcom = wpcom;
this._pid = pid;
this._sid = sid;
}
|
javascript
|
{
"resource": ""
}
|
q7481
|
Route
|
train
|
function Route(path, resource, options) {
options = options || {};
this.path = path;
this.resource = resource;
this.regexp = pathRegexp(path,
this.keys = [],
options.sensitive,
options.strict);
}
|
javascript
|
{
"resource": ""
}
|
q7482
|
$createClient
|
train
|
function $createClient(options) {
/*
* Ensure we have default options.
*/
options = extend({}, {}, options);
const { url, transport } = options;
if (_clients[url]) {
return _clients[url];
}
const client = mqtt.connect(url, transport);
_clients[url] = client;
return client;
}
|
javascript
|
{
"resource": ""
}
|
q7483
|
browserifyBanner
|
train
|
function browserifyBanner (browserify, options) {
options = options || {};
if (typeof browserify === "string") {
// browserify-banner was loaded as a transform, not a plug-in.
// So return a stream that does nothing.
return through();
}
browserify.on("package", setPackageOption);
browserify.on("file", setFileOption);
browserify.on("bundle", wrapBundle);
browserify.on("reset", wrapBundle);
/**
* If the `pkg` option isn't set, then it defaults to the first package that's read
*
* @param {object} pkg - The parsed package.json file
*/
function setPackageOption (pkg) {
if (!options.pkg) {
options.pkg = pkg;
}
}
/**
* If the `file` option isn't set, then it defaults to "banner.txt" in the same directory
* as the first entry file. We'll crawl up the directory tree from there if necessary.
*
* @param {string} file - The full file path
*/
function setFileOption (file) {
if (!options.file) {
options.file = path.join(path.dirname(file), "banner.txt");
}
}
/**
* Adds transforms to the Browserify "wrap" pipeline
*/
function wrapBundle () {
let wrap = browserify.pipeline.get("wrap");
let bannerAlreadyAdded = false;
let banner;
wrap.push(through(addBannerToBundle));
if (browserify._options.debug) {
wrap.push(through(addBannerToSourcemap));
}
/**
* Injects the banner comment block into the Browserify bundle
*/
function addBannerToBundle (chunk, enc, next) {
if (!bannerAlreadyAdded) {
bannerAlreadyAdded = true;
try {
banner = getBanner(options);
this.push(new Buffer(banner));
}
catch (e) {
next(e);
}
}
this.push(chunk);
next();
}
/**
* Adjusts the sourcemap to account for the banner comment block
*/
function addBannerToSourcemap (chunk, enc, next) {
let pushed = false;
if (banner) {
// Get the sourcemap, once it exists
let conv = convertSourcemap.fromSource(chunk.toString("utf8"));
if (conv) {
// Offset the sourcemap by the number of lines in the banner
let offsetMap = offsetSourcemap(conv.toObject(), countLines(banner));
this.push(new Buffer("\n" + convertSourcemap.fromObject(offsetMap).toComment() + "\n"));
pushed = true;
}
}
if (!pushed) {
// This chunk doesn't contain anything for us to modify,
// so just pass it along as-is
this.push(chunk);
}
next();
}
}
}
|
javascript
|
{
"resource": ""
}
|
q7484
|
setFileOption
|
train
|
function setFileOption (file) {
if (!options.file) {
options.file = path.join(path.dirname(file), "banner.txt");
}
}
|
javascript
|
{
"resource": ""
}
|
q7485
|
wrapBundle
|
train
|
function wrapBundle () {
let wrap = browserify.pipeline.get("wrap");
let bannerAlreadyAdded = false;
let banner;
wrap.push(through(addBannerToBundle));
if (browserify._options.debug) {
wrap.push(through(addBannerToSourcemap));
}
/**
* Injects the banner comment block into the Browserify bundle
*/
function addBannerToBundle (chunk, enc, next) {
if (!bannerAlreadyAdded) {
bannerAlreadyAdded = true;
try {
banner = getBanner(options);
this.push(new Buffer(banner));
}
catch (e) {
next(e);
}
}
this.push(chunk);
next();
}
/**
* Adjusts the sourcemap to account for the banner comment block
*/
function addBannerToSourcemap (chunk, enc, next) {
let pushed = false;
if (banner) {
// Get the sourcemap, once it exists
let conv = convertSourcemap.fromSource(chunk.toString("utf8"));
if (conv) {
// Offset the sourcemap by the number of lines in the banner
let offsetMap = offsetSourcemap(conv.toObject(), countLines(banner));
this.push(new Buffer("\n" + convertSourcemap.fromObject(offsetMap).toComment() + "\n"));
pushed = true;
}
}
if (!pushed) {
// This chunk doesn't contain anything for us to modify,
// so just pass it along as-is
this.push(chunk);
}
next();
}
}
|
javascript
|
{
"resource": ""
}
|
q7486
|
addBannerToBundle
|
train
|
function addBannerToBundle (chunk, enc, next) {
if (!bannerAlreadyAdded) {
bannerAlreadyAdded = true;
try {
banner = getBanner(options);
this.push(new Buffer(banner));
}
catch (e) {
next(e);
}
}
this.push(chunk);
next();
}
|
javascript
|
{
"resource": ""
}
|
q7487
|
addBannerToSourcemap
|
train
|
function addBannerToSourcemap (chunk, enc, next) {
let pushed = false;
if (banner) {
// Get the sourcemap, once it exists
let conv = convertSourcemap.fromSource(chunk.toString("utf8"));
if (conv) {
// Offset the sourcemap by the number of lines in the banner
let offsetMap = offsetSourcemap(conv.toObject(), countLines(banner));
this.push(new Buffer("\n" + convertSourcemap.fromObject(offsetMap).toComment() + "\n"));
pushed = true;
}
}
if (!pushed) {
// This chunk doesn't contain anything for us to modify,
// so just pass it along as-is
this.push(chunk);
}
next();
}
|
javascript
|
{
"resource": ""
}
|
q7488
|
getBanner
|
train
|
function getBanner (options) {
if (!options.banner) {
if (typeof options.pkg === "string") {
// Read the package.json file
options.pkg = readJSON(options.pkg);
}
if (!options.template) {
// Read the banner template from a file
options.template = findFile(options.file);
}
if (options.template) {
// Compile the banner template
options.banner = _.template(options.template)({ moment, pkg: options.pkg, });
// Convert the banner to a comment block, if it's not already
if (!/^\s*(\/\/|\/\*)/.test(options.banner)) {
options.banner = "/*!\n * " + options.banner.trim().replace(/\n/g, "\n * ") + "\n */\n";
}
}
}
return options.banner;
}
|
javascript
|
{
"resource": ""
}
|
q7489
|
readJSON
|
train
|
function readJSON (filePath) {
let json = fs.readFileSync(filePath, "utf8");
try {
return JSON.parse(json);
}
catch (e) {
throw ono(e, `Error parsing ${filePath}`);
}
}
|
javascript
|
{
"resource": ""
}
|
q7490
|
findFile
|
train
|
function findFile (startingPath) {
try {
return fs.readFileSync(startingPath, "utf8");
}
catch (e) {
let fileName = path.basename(startingPath);
let startingDir = path.dirname(startingPath);
let parentDir = path.dirname(startingDir);
if (parentDir === startingDir) {
// We're recursed all the way to the root directory
throw e;
}
else {
try {
// Search for the file in the parent directories
return findFile(path.join(parentDir, fileName));
}
catch (e2) {
// The file wasn't found in any of the parent directories
throw ono(e,
`Unable to find a file named "${fileName}" in "${startingDir}" or any of its parent directories.`
);
}
}
}
}
|
javascript
|
{
"resource": ""
}
|
q7491
|
countLines
|
train
|
function countLines (str) {
if (str) {
let lines = str.match(/\n/g);
if (lines) {
return lines.length;
}
}
return 0;
}
|
javascript
|
{
"resource": ""
}
|
q7492
|
train
|
function () {
var hsl = this.getHSL();
return 'hsl(' + Math.round(hsl.h || 0) + ', ' + percentage(hsl.s) + ', ' + percentage(hsl.l) + ')';
}
|
javascript
|
{
"resource": ""
}
|
|
q7493
|
train
|
function () {
var self = this;
return '#' + padding2(Number(self.get('r')).toString(16)) + padding2(Number(self.get('g')).toString(16)) + padding2(Number(self.get('b')).toString(16));
}
|
javascript
|
{
"resource": ""
}
|
|
q7494
|
train
|
function (cfg) {
var self = this, current;
if (!('h' in cfg && 's' in cfg && 'v' in cfg)) {
current = self.getHSV();
util.each([
'h',
's',
'v'
], function (x) {
if (x in cfg) {
current[x] = cfg[x];
}
});
cfg = current;
}
self.set(hsv2rgb(cfg));
}
|
javascript
|
{
"resource": ""
}
|
|
q7495
|
train
|
function (cfg) {
var self = this, current;
if (!('h' in cfg && 's' in cfg && 'l' in cfg)) {
current = self.getHSL();
util.each([
'h',
's',
'l'
], function (x) {
if (x in cfg) {
current[x] = cfg[x];
}
});
cfg = current;
}
self.set(hsl2rgb(cfg));
}
|
javascript
|
{
"resource": ""
}
|
|
q7496
|
train
|
function (str) {
var values, r, g, b, a = 1;
if ((str.length === 4 || str.length === 7) && str.substr(0, 1) === '#') {
values = str.match(hexRe);
if (values) {
r = parseHex(values[1]);
g = parseHex(values[2]);
b = parseHex(values[3]);
if (str.length === 4) {
r = paddingHex(r);
g = paddingHex(g);
b = paddingHex(b);
}
}
} else {
values = str.match(rgbaRe);
if (values) {
r = parseInt(values[1], 10);
g = parseInt(values[2], 10);
b = parseInt(values[3], 10);
a = parseFloat(values[4]) || 1;
}
}
return typeof r === 'undefined' ? undefined : new Color({
r: r,
g: g,
b: b,
a: a
});
}
|
javascript
|
{
"resource": ""
}
|
|
q7497
|
train
|
function (cfg) {
var rgb = hsl2rgb(cfg);
rgb.a = cfg.a;
return new Color(rgb);
}
|
javascript
|
{
"resource": ""
}
|
|
q7498
|
train
|
function (cfg) {
var rgb = hsv2rgb(cfg);
rgb.a = cfg.a;
return new Color(rgb);
}
|
javascript
|
{
"resource": ""
}
|
|
q7499
|
Binary
|
train
|
function Binary(value, parameters) {
abstractions.Element.call(this, utilities.types.BINARY, parameters);
// analyze the value
value = value || Buffer.alloc(0); // the default value is an empty buffer
// since this element is immutable the value must be read-only
this.getValue = function() { return value; };
return this;
}
|
javascript
|
{
"resource": ""
}
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.