id
int32
0
58k
repo
stringlengths
5
67
path
stringlengths
4
116
func_name
stringlengths
0
58
original_string
stringlengths
52
373k
language
stringclasses
1 value
code
stringlengths
52
373k
code_tokens
list
docstring
stringlengths
4
11.8k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
86
226
31,300
imonology/scalra
core/conn.js
Connection
function Connection (type, sender, from) { // provide default 'from' values from = from || {}; // connection-specific UUID this.connID = UTIL.createUUID(); // a project-specific / supplied name (can be account or app name) this.name = ''; // sender function associated with this connection this.connector = sender; // store pointers on how to respond this.type = type; // where the connection comes from (default to nothing) this.host = from.host || ''; this.port = from.port || 0; // time when this connection is established this.time = new Date(); // append cookie, if available (this is useful if the event will be relayed to another server to execute, // cookie can then be preserved if (from.cookie) this.cookie = from.cookie; }
javascript
function Connection (type, sender, from) { // provide default 'from' values from = from || {}; // connection-specific UUID this.connID = UTIL.createUUID(); // a project-specific / supplied name (can be account or app name) this.name = ''; // sender function associated with this connection this.connector = sender; // store pointers on how to respond this.type = type; // where the connection comes from (default to nothing) this.host = from.host || ''; this.port = from.port || 0; // time when this connection is established this.time = new Date(); // append cookie, if available (this is useful if the event will be relayed to another server to execute, // cookie can then be preserved if (from.cookie) this.cookie = from.cookie; }
[ "function", "Connection", "(", "type", ",", "sender", ",", "from", ")", "{", "// provide default 'from' values", "from", "=", "from", "||", "{", "}", ";", "// connection-specific UUID", "this", ".", "connID", "=", "UTIL", ".", "createUUID", "(", ")", ";", "/...
definition for a connection object
[ "definition", "for", "a", "connection", "object" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/conn.js#L168-L196
31,301
imonology/scalra
core/queue.js
function () { // get a event from the front of queue var tmdata = queue.dequeue(); // whether to keep processing (default is no) busy = false; // check if data exists if (tmdata === undefined) { return; } // handle the event if handler is available if (handler === null) { console.log(SR.Tags.ERR + 'handler undefined, cannot process event' + ERREND); return; } switch (handler(tmdata)) { // if the event is not handled, re-queue it case false: queue.enqueue(tmdata); break; // return true, keep processing case true: break; /* // NOTE: we do not pause continuing execution, because it's possible for a event // to consider it finished, re-activate the queue (which it think it has paused), // but then the execution runs to the end of handler, and returning a undefine to pause icQueue // this will thus cause a event to indefinitely pause without any on-going progress. // // Currently if the event has returned, we assume it's been processed. // If not yet, then it's up to the handler to re-enqueue the event (by returning 'false') // note that it's possible that the previous event is still being processed // (for example, waiting for DB to return), while the next event starts processing // so the ordering may not be preserved. // The assumption we have is that events are relatively independent from each other // so such out-of-sequence processing may be "okay," as long as handler will properly re-queue the event // in case it needs to be processed again // */ // did not return anything, pause execution default: //console.log(SR.Tags.WARN + 'pause processing event, callee: ' + arguments.callee.name); return; break; } // keep processing busy = true; UTIL.asyncCall(processEvent); }
javascript
function () { // get a event from the front of queue var tmdata = queue.dequeue(); // whether to keep processing (default is no) busy = false; // check if data exists if (tmdata === undefined) { return; } // handle the event if handler is available if (handler === null) { console.log(SR.Tags.ERR + 'handler undefined, cannot process event' + ERREND); return; } switch (handler(tmdata)) { // if the event is not handled, re-queue it case false: queue.enqueue(tmdata); break; // return true, keep processing case true: break; /* // NOTE: we do not pause continuing execution, because it's possible for a event // to consider it finished, re-activate the queue (which it think it has paused), // but then the execution runs to the end of handler, and returning a undefine to pause icQueue // this will thus cause a event to indefinitely pause without any on-going progress. // // Currently if the event has returned, we assume it's been processed. // If not yet, then it's up to the handler to re-enqueue the event (by returning 'false') // note that it's possible that the previous event is still being processed // (for example, waiting for DB to return), while the next event starts processing // so the ordering may not be preserved. // The assumption we have is that events are relatively independent from each other // so such out-of-sequence processing may be "okay," as long as handler will properly re-queue the event // in case it needs to be processed again // */ // did not return anything, pause execution default: //console.log(SR.Tags.WARN + 'pause processing event, callee: ' + arguments.callee.name); return; break; } // keep processing busy = true; UTIL.asyncCall(processEvent); }
[ "function", "(", ")", "{", "// get a event from the front of queue", "var", "tmdata", "=", "queue", ".", "dequeue", "(", ")", ";", "// whether to keep processing (default is no)", "busy", "=", "false", ";", "// check if data exists", "if", "(", "tmdata", "===", "undef...
this is private method to process
[ "this", "is", "private", "method", "to", "process" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/queue.js#L74-L131
31,302
imonology/scalra
extension/sync.js
function (arr) { // extract collection name if (arr && typeof arr._name === 'string') { var size = arr.length - arr._index; if (size <= 0) return false; LOG.sys('try to store to array [' + arr._name + '], # of elements to store: ' + size, 'SR.Sync'); // TODO: wasteful of space? // NOTE: only new array entries will be stored to DB var elements = []; for (var i=arr._index; i < arr.length; i++) elements.push(arr[i]); // update index count (regardless of update success or not?) arr._index = arr.length; // TODO: find right way to store // store away // NOTE: $each is used here (try to hide it?) SR.DB.updateArray(SR.Settings.DB_NAME_SYNC, {name: arr._name}, {data: elements}, function (result) { LOG.sys('update array success: ' + result, 'SR.Sync'); }, function (result) { LOG.error('update array fail: ' + result, 'SR.Sync'); } ); return true; } else LOG.error('cannot store to DB, arr_name unavailable', 'SR.Sync'); return false; }
javascript
function (arr) { // extract collection name if (arr && typeof arr._name === 'string') { var size = arr.length - arr._index; if (size <= 0) return false; LOG.sys('try to store to array [' + arr._name + '], # of elements to store: ' + size, 'SR.Sync'); // TODO: wasteful of space? // NOTE: only new array entries will be stored to DB var elements = []; for (var i=arr._index; i < arr.length; i++) elements.push(arr[i]); // update index count (regardless of update success or not?) arr._index = arr.length; // TODO: find right way to store // store away // NOTE: $each is used here (try to hide it?) SR.DB.updateArray(SR.Settings.DB_NAME_SYNC, {name: arr._name}, {data: elements}, function (result) { LOG.sys('update array success: ' + result, 'SR.Sync'); }, function (result) { LOG.error('update array fail: ' + result, 'SR.Sync'); } ); return true; } else LOG.error('cannot store to DB, arr_name unavailable', 'SR.Sync'); return false; }
[ "function", "(", "arr", ")", "{", "// extract collection name", "if", "(", "arr", "&&", "typeof", "arr", ".", "_name", "===", "'string'", ")", "{", "var", "size", "=", "arr", ".", "length", "-", "arr", ".", "_index", ";", "if", "(", "size", "<=", "0"...
store a particular record to DB
[ "store", "a", "particular", "record", "to", "DB" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/extension/sync.js#L62-L100
31,303
imonology/scalra
extension/sync.js
function (arrays, config, onDone) { var names = []; // load array's content from DB, if any SR.DB.getArray(SR.Settings.DB_NAME_SYNC, function (result) { // NOTE: if array does not exist it'll return success with an empty array if (result === null || result.length === 0) { LOG.warn('no arrays found, cannot load', 'SR.Sync'); } else { var array_limit = (typeof config.limit === 'number' ? config.limit : 0); LOG.sys('arrays exist, try to load (limit: ' + array_limit + ')', 'SR.Sync'); for (var i=0; i < result.length; i++) { var record = result[i]; var arr = arrays[record.name] = []; // load data (clone is better?) var limit = (record.data.length > array_limit ? array_limit : record.data.length); var start = record.data.length - limit; for (var j=0; j < limit; j++) arr[j] = UTIL.clone(record.data[start+j]); // override array's default behavior arr.push = l_push; // store array's name arr._name = record.name; // store last stored index (next index to store) arr._index = j; LOG.sys('[' + record.name + '] DB record length: ' + record.data.length + ' start: ' + start + ' actual limit: ' + limit + ' _index: ' + arr._index, 'SR.Sync'); l_names[record.name] = arr; names.push(record.name); } } UTIL.safeCall(onDone, names); }, function (result) { UTIL.safeCall(onDone, names); }, {}); }
javascript
function (arrays, config, onDone) { var names = []; // load array's content from DB, if any SR.DB.getArray(SR.Settings.DB_NAME_SYNC, function (result) { // NOTE: if array does not exist it'll return success with an empty array if (result === null || result.length === 0) { LOG.warn('no arrays found, cannot load', 'SR.Sync'); } else { var array_limit = (typeof config.limit === 'number' ? config.limit : 0); LOG.sys('arrays exist, try to load (limit: ' + array_limit + ')', 'SR.Sync'); for (var i=0; i < result.length; i++) { var record = result[i]; var arr = arrays[record.name] = []; // load data (clone is better?) var limit = (record.data.length > array_limit ? array_limit : record.data.length); var start = record.data.length - limit; for (var j=0; j < limit; j++) arr[j] = UTIL.clone(record.data[start+j]); // override array's default behavior arr.push = l_push; // store array's name arr._name = record.name; // store last stored index (next index to store) arr._index = j; LOG.sys('[' + record.name + '] DB record length: ' + record.data.length + ' start: ' + start + ' actual limit: ' + limit + ' _index: ' + arr._index, 'SR.Sync'); l_names[record.name] = arr; names.push(record.name); } } UTIL.safeCall(onDone, names); }, function (result) { UTIL.safeCall(onDone, names); }, {}); }
[ "function", "(", "arrays", ",", "config", ",", "onDone", ")", "{", "var", "names", "=", "[", "]", ";", "// load array's content from DB, if any\t", "SR", ".", "DB", ".", "getArray", "(", "SR", ".", "Settings", ".", "DB_NAME_SYNC", ",", "function", "(", "re...
load data from DB to an in-memory array returns a list of the names of arrays loaded
[ "load", "data", "from", "DB", "to", "an", "in", "-", "memory", "array", "returns", "a", "list", "of", "the", "names", "of", "arrays", "loaded" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/extension/sync.js#L212-L264
31,304
imonology/scalra
core/API.js
function (args, result, func, extra) { return new SR.promise(function (resolve, reject) { UTIL.safeCall(func, args, result, function () { UTIL.safeCall(resolve); }, extra); }); }
javascript
function (args, result, func, extra) { return new SR.promise(function (resolve, reject) { UTIL.safeCall(func, args, result, function () { UTIL.safeCall(resolve); }, extra); }); }
[ "function", "(", "args", ",", "result", ",", "func", ",", "extra", ")", "{", "return", "new", "SR", ".", "promise", "(", "function", "(", "resolve", ",", "reject", ")", "{", "UTIL", ".", "safeCall", "(", "func", ",", "args", ",", "result", ",", "fu...
define post-event action
[ "define", "post", "-", "event", "action" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/API.js#L52-L58
31,305
imonology/scalra
core/API.js
function (args, onDone, extra) { // if args are not provided then we shift the parameters if (typeof args === 'function') { extra = onDone; onDone = args; args = {}; } // TODO: perform argument type check (currently there's none, so internal API calls won't do type checks) // TODO: move checker to here var onError = function(err) { LOG.error('onError '+ err, l_name); UTIL.safeCall(onDone, err); } function onExec() { // make actual call to user-defined function // NOTE: we also return values for direct function calls return UTIL.safeCall(l_list[name], args, function (err, result, unsupported_return) { if (err) { LOG.error('[' + name + '] error:', l_name); LOG.error(err, l_name); } if (unsupported_return) { var errmsg = 'onDone() in SR.API does not support more than one return variable, please return everything inside a result object'; LOG.error(errmsg, l_name); LOG.stack(); return UTIL.safeCall(onDone, errmsg); } // perform post-event actions, if any if (l_afterActions.hasOwnProperty(name) === false) { return UTIL.safeCall(onDone, err, result); } var posts = l_afterActions[name]; var promise = undefined; for (var i=0; i < posts.length; i++) { if (!promise) { promise = post_action(args, { err: err, result: result }, posts[i], extra); } else { promise = promise.then(post_action(args, { err: err, result: result }, posts[i], extra)); } } // last action promise.then(new SR.promise(function (resolve, reject) { //LOG.warn('everything is done... call original onDone...', l_name); UTIL.safeCall(onDone, err, result); resolve(); })); }, extra); } // perform pre-event actions, if any if (l_beforeActions.hasOwnProperty(name) === false) { return onExec(); } const pres = l_beforeActions[name].map((callback) => pre_action(args, callback, extra)); pres.reduce((p, callback) => p.then(() => callback), Promise.resolve()) .then(onExec) .catch((err) => { LOG.error(err); onDone(err); }); }
javascript
function (args, onDone, extra) { // if args are not provided then we shift the parameters if (typeof args === 'function') { extra = onDone; onDone = args; args = {}; } // TODO: perform argument type check (currently there's none, so internal API calls won't do type checks) // TODO: move checker to here var onError = function(err) { LOG.error('onError '+ err, l_name); UTIL.safeCall(onDone, err); } function onExec() { // make actual call to user-defined function // NOTE: we also return values for direct function calls return UTIL.safeCall(l_list[name], args, function (err, result, unsupported_return) { if (err) { LOG.error('[' + name + '] error:', l_name); LOG.error(err, l_name); } if (unsupported_return) { var errmsg = 'onDone() in SR.API does not support more than one return variable, please return everything inside a result object'; LOG.error(errmsg, l_name); LOG.stack(); return UTIL.safeCall(onDone, errmsg); } // perform post-event actions, if any if (l_afterActions.hasOwnProperty(name) === false) { return UTIL.safeCall(onDone, err, result); } var posts = l_afterActions[name]; var promise = undefined; for (var i=0; i < posts.length; i++) { if (!promise) { promise = post_action(args, { err: err, result: result }, posts[i], extra); } else { promise = promise.then(post_action(args, { err: err, result: result }, posts[i], extra)); } } // last action promise.then(new SR.promise(function (resolve, reject) { //LOG.warn('everything is done... call original onDone...', l_name); UTIL.safeCall(onDone, err, result); resolve(); })); }, extra); } // perform pre-event actions, if any if (l_beforeActions.hasOwnProperty(name) === false) { return onExec(); } const pres = l_beforeActions[name].map((callback) => pre_action(args, callback, extra)); pres.reduce((p, callback) => p.then(() => callback), Promise.resolve()) .then(onExec) .catch((err) => { LOG.error(err); onDone(err); }); }
[ "function", "(", "args", ",", "onDone", ",", "extra", ")", "{", "// if args are not provided then we shift the parameters", "if", "(", "typeof", "args", "===", "'function'", ")", "{", "extra", "=", "onDone", ";", "onDone", "=", "args", ";", "args", "=", "{", ...
define wrapper function
[ "define", "wrapper", "function" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/API.js#L81-L150
31,306
imonology/scalra
modules/account.js
function (account) { // check if DB is initialized if (typeof l_accounts === 'undefined') { LOG.error('DB module is not loaded, please enable DB module', l_name); return false; } if (l_accounts.hasOwnProperty(account) === false) { LOG.error('[' + account + '] not found', l_name); return false; } return true; }
javascript
function (account) { // check if DB is initialized if (typeof l_accounts === 'undefined') { LOG.error('DB module is not loaded, please enable DB module', l_name); return false; } if (l_accounts.hasOwnProperty(account) === false) { LOG.error('[' + account + '] not found', l_name); return false; } return true; }
[ "function", "(", "account", ")", "{", "// check if DB is initialized", "if", "(", "typeof", "l_accounts", "===", "'undefined'", ")", "{", "LOG", ".", "error", "(", "'DB module is not loaded, please enable DB module'", ",", "l_name", ")", ";", "return", "false", ";",...
helper functions check if an account is valid
[ "helper", "functions", "check", "if", "an", "account", "is", "valid" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/modules/account.js#L42-L55
31,307
imonology/scalra
modules/account.js
getUIDCallback
function getUIDCallback (err, uid) { if (err) { return onDone('UID_ERROR'); } var ip = (extra) ? extra.conn.host : "server"; // NOTE: by default a user is a normal user, user 'groups' can later be customized var reg = { uid: uid, account: args.account, password: l_encryptPass(args.password), email: args.email, // verify: {email_verify: false, phone_verify: false}, tokens: {reset: '', pass: {}}, enc_type: l_enc_type, control: {groups: args.groups || [], permissions: []}, data: args.data || {}, login: {IP: ip, count: 1} }; // special handling (by default 'admin' account is special and will be part of the 'admin' group by default if (!args.authWP && reg.account === 'admin') { reg.control.groups.push('admin'); } LOG.warn('creating new account [' + args.account + ']...', l_name); l_accounts.add(reg, function (err) { if (err) { return onDone('DB_ERROR', err); } // register success LOG.warn('account register success', l_name); onDone(null); }); }
javascript
function getUIDCallback (err, uid) { if (err) { return onDone('UID_ERROR'); } var ip = (extra) ? extra.conn.host : "server"; // NOTE: by default a user is a normal user, user 'groups' can later be customized var reg = { uid: uid, account: args.account, password: l_encryptPass(args.password), email: args.email, // verify: {email_verify: false, phone_verify: false}, tokens: {reset: '', pass: {}}, enc_type: l_enc_type, control: {groups: args.groups || [], permissions: []}, data: args.data || {}, login: {IP: ip, count: 1} }; // special handling (by default 'admin' account is special and will be part of the 'admin' group by default if (!args.authWP && reg.account === 'admin') { reg.control.groups.push('admin'); } LOG.warn('creating new account [' + args.account + ']...', l_name); l_accounts.add(reg, function (err) { if (err) { return onDone('DB_ERROR', err); } // register success LOG.warn('account register success', l_name); onDone(null); }); }
[ "function", "getUIDCallback", "(", "err", ",", "uid", ")", "{", "if", "(", "err", ")", "{", "return", "onDone", "(", "'UID_ERROR'", ")", ";", "}", "var", "ip", "=", "(", "extra", ")", "?", "extra", ".", "conn", ".", "host", ":", "\"server\"", ";", ...
generate unique user_id
[ "generate", "unique", "user_id" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/modules/account.js#L239-L272
31,308
imonology/scalra
core/app_connector.js
function (conn) { LOG.error('AppManager disconnected', 'SR.AppConnector'); if (SR.Settings.APPSERVER_AUTOSHUT === true) { // shutdown this frontier l_dispose(); SR.Settings.FRONTIER.dispose(); } else { LOG.warn('auto-shutdown is false, attempt to re-connect AppManager in ' + l_timeoutReconnect + ' ms...'); // keep app server alive and try to re-connect if lobby shuts down setTimeout(l_connect, l_timeoutReconnect); } }
javascript
function (conn) { LOG.error('AppManager disconnected', 'SR.AppConnector'); if (SR.Settings.APPSERVER_AUTOSHUT === true) { // shutdown this frontier l_dispose(); SR.Settings.FRONTIER.dispose(); } else { LOG.warn('auto-shutdown is false, attempt to re-connect AppManager in ' + l_timeoutReconnect + ' ms...'); // keep app server alive and try to re-connect if lobby shuts down setTimeout(l_connect, l_timeoutReconnect); } }
[ "function", "(", "conn", ")", "{", "LOG", ".", "error", "(", "'AppManager disconnected'", ",", "'SR.AppConnector'", ")", ";", "if", "(", "SR", ".", "Settings", ".", "APPSERVER_AUTOSHUT", "===", "true", ")", "{", "// shutdown this frontier", "l_dispose", "(", "...
custom handling for removing a connection
[ "custom", "handling", "for", "removing", "a", "connection" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/app_connector.js#L36-L52
31,309
imonology/scalra
core/app_connector.js
function () { LOG.warn('appinfo sent to lobby:'); LOG.warn(l_appinfo); // notify AppManager we're ready l_notifyLobby('SR_APP_READY', l_appinfo, 'SR_APP_READY_RES', function (event) { if (event.data.op === true) LOG.sys('SR_APP_READY returns ok', 'l_HandlerPool'); else LOG.error('SR_APP_READY returns fail', 'l_HandlerPool'); // call onDone if exists (but just once) if (l_onDone) { UTIL.safeCall(l_onDone); l_onDone = undefined; } } ); }
javascript
function () { LOG.warn('appinfo sent to lobby:'); LOG.warn(l_appinfo); // notify AppManager we're ready l_notifyLobby('SR_APP_READY', l_appinfo, 'SR_APP_READY_RES', function (event) { if (event.data.op === true) LOG.sys('SR_APP_READY returns ok', 'l_HandlerPool'); else LOG.error('SR_APP_READY returns fail', 'l_HandlerPool'); // call onDone if exists (but just once) if (l_onDone) { UTIL.safeCall(l_onDone); l_onDone = undefined; } } ); }
[ "function", "(", ")", "{", "LOG", ".", "warn", "(", "'appinfo sent to lobby:'", ")", ";", "LOG", ".", "warn", "(", "l_appinfo", ")", ";", "// notify AppManager we're ready", "l_notifyLobby", "(", "'SR_APP_READY'", ",", "l_appinfo", ",", "'SR_APP_READY_RES'", ",", ...
register myself as a app to app manager do it after connector init success
[ "register", "myself", "as", "a", "app", "to", "app", "manager", "do", "it", "after", "connector", "init", "success" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/app_connector.js#L102-L123
31,310
imonology/scalra
core/app_connector.js
function (ip_port, onDone) { if (l_appConnector === undefined) { LOG.warn('appConnector not init, cannot connect'); return; } // retrieve from previous connect attempt, also store for later connect attempt // TODO: will need to change when lobby port becomes not fixed ip_port = ip_port || l_ip_port; l_ip_port = ip_port; // store callback to be called later // TODO: better approach? l_onDone = onDone || l_onDone; l_appConnector.connect(ip_port, function (err, socket) { if (err) { LOG.error('connection to manager: ' + ip_port.IP + ':' + ip_port.port + ' fail, try again in ' + l_timeoutReconnect + ' ms'); // TODO: do not keep trying, but rather try to re-connect after being notified by monitor server setTimeout(l_connect, l_timeoutReconnect); } // connection is successful else { LOG.warn('connection to manager: ' + ip_port.IP + ':' + ip_port.port + ' established'); l_register(); } }); }
javascript
function (ip_port, onDone) { if (l_appConnector === undefined) { LOG.warn('appConnector not init, cannot connect'); return; } // retrieve from previous connect attempt, also store for later connect attempt // TODO: will need to change when lobby port becomes not fixed ip_port = ip_port || l_ip_port; l_ip_port = ip_port; // store callback to be called later // TODO: better approach? l_onDone = onDone || l_onDone; l_appConnector.connect(ip_port, function (err, socket) { if (err) { LOG.error('connection to manager: ' + ip_port.IP + ':' + ip_port.port + ' fail, try again in ' + l_timeoutReconnect + ' ms'); // TODO: do not keep trying, but rather try to re-connect after being notified by monitor server setTimeout(l_connect, l_timeoutReconnect); } // connection is successful else { LOG.warn('connection to manager: ' + ip_port.IP + ':' + ip_port.port + ' established'); l_register(); } }); }
[ "function", "(", "ip_port", ",", "onDone", ")", "{", "if", "(", "l_appConnector", "===", "undefined", ")", "{", "LOG", ".", "warn", "(", "'appConnector not init, cannot connect'", ")", ";", "return", ";", "}", "// retrieve from previous connect attempt, also store for...
attempt to connect to manager
[ "attempt", "to", "connect", "to", "manager" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/app_connector.js#L126-L155
31,311
imonology/scalra
demo/lobby/router.js
function (req) { var session = l_getSession(req); if (session.hasOwnProperty('_user')) { var login = session._user; login.admin = (session._user.account === 'admin'); return login; } LOG.warn('user not yet logined...'); return {control: {groups: [], permissions: []}}; }
javascript
function (req) { var session = l_getSession(req); if (session.hasOwnProperty('_user')) { var login = session._user; login.admin = (session._user.account === 'admin'); return login; } LOG.warn('user not yet logined...'); return {control: {groups: [], permissions: []}}; }
[ "function", "(", "req", ")", "{", "var", "session", "=", "l_getSession", "(", "req", ")", ";", "if", "(", "session", ".", "hasOwnProperty", "(", "'_user'", ")", ")", "{", "var", "login", "=", "session", ".", "_user", ";", "login", ".", "admin", "=", ...
pass in request object, returns session data if logined, otherwise returns null
[ "pass", "in", "request", "object", "returns", "session", "data", "if", "logined", "otherwise", "returns", "null" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/demo/lobby/router.js#L31-L41
31,312
gastonelhordoy/grunt-rpm
tasks/rpm.js
copyFilesToPack
function copyFilesToPack(grunt, buildPath, filesToPack) { return function(callback) { grunt.util.async.forEach(filesToPack, function(fileConfig, callback) { try { var filepathDest; if (detectDestType(grunt, fileConfig.dest) === 'directory') { var dest = (fileConfig.orig.expand) ? fileConfig.dest : path.join(fileConfig.dest, fileConfig.src); filepathDest = path.join(buildPath, dest); } else { filepathDest = path.join(buildPath, fileConfig.dest); } if (grunt.file.isDir(fileConfig.src)) { if (fileConfig.directory) { // Copy a whole folder to the destination directory. grunt.verbose.writeln('Copying folder "' + fileConfig.src + '" to "' + filepathDest + '"'); fs.copyRecursive(fileConfig.src, filepathDest, callback); } else { // Create a folder inside the destination directory. grunt.verbose.writeln('Creating folder "' + filepathDest + '"'); fs.mkdirs(filepathDest, callback); } } else { // Copy a file to the destination directory inside the tmp folder. if (fileConfig.link) { grunt.verbose.writeln('Copying symlink "' + fileConfig.src + '->' + fileConfig.link + '" to "' + filepathDest + '"'); //ensure the parent directory exists when making symlinks fs.mkdirs(getDirName(filepathDest), function(err) { if (err) throw err; _fs.symlink(fileConfig.link, filepathDest, 'file', callback); }); } else { grunt.verbose.writeln('Copying file "' + fileConfig.src + '" to "' + filepathDest + '"'); grunt.file.copy(fileConfig.src, filepathDest); fs.lstat(fileConfig.src, function(err, stat) { if (err) throw err; _fs.chmod(filepathDest, stat.mode, callback); }); } } } catch(e) { callback(e); } }, callback); }; }
javascript
function copyFilesToPack(grunt, buildPath, filesToPack) { return function(callback) { grunt.util.async.forEach(filesToPack, function(fileConfig, callback) { try { var filepathDest; if (detectDestType(grunt, fileConfig.dest) === 'directory') { var dest = (fileConfig.orig.expand) ? fileConfig.dest : path.join(fileConfig.dest, fileConfig.src); filepathDest = path.join(buildPath, dest); } else { filepathDest = path.join(buildPath, fileConfig.dest); } if (grunt.file.isDir(fileConfig.src)) { if (fileConfig.directory) { // Copy a whole folder to the destination directory. grunt.verbose.writeln('Copying folder "' + fileConfig.src + '" to "' + filepathDest + '"'); fs.copyRecursive(fileConfig.src, filepathDest, callback); } else { // Create a folder inside the destination directory. grunt.verbose.writeln('Creating folder "' + filepathDest + '"'); fs.mkdirs(filepathDest, callback); } } else { // Copy a file to the destination directory inside the tmp folder. if (fileConfig.link) { grunt.verbose.writeln('Copying symlink "' + fileConfig.src + '->' + fileConfig.link + '" to "' + filepathDest + '"'); //ensure the parent directory exists when making symlinks fs.mkdirs(getDirName(filepathDest), function(err) { if (err) throw err; _fs.symlink(fileConfig.link, filepathDest, 'file', callback); }); } else { grunt.verbose.writeln('Copying file "' + fileConfig.src + '" to "' + filepathDest + '"'); grunt.file.copy(fileConfig.src, filepathDest); fs.lstat(fileConfig.src, function(err, stat) { if (err) throw err; _fs.chmod(filepathDest, stat.mode, callback); }); } } } catch(e) { callback(e); } }, callback); }; }
[ "function", "copyFilesToPack", "(", "grunt", ",", "buildPath", ",", "filesToPack", ")", "{", "return", "function", "(", "callback", ")", "{", "grunt", ".", "util", ".", "async", ".", "forEach", "(", "filesToPack", ",", "function", "(", "fileConfig", ",", "...
Copy all the selected files to the tmp folder which wikll be the buildroot directory for rpmbuild
[ "Copy", "all", "the", "selected", "files", "to", "the", "tmp", "folder", "which", "wikll", "be", "the", "buildroot", "directory", "for", "rpmbuild" ]
8c6761959f912aab7234b68ea40893612d6b9b3d
https://github.com/gastonelhordoy/grunt-rpm/blob/8c6761959f912aab7234b68ea40893612d6b9b3d/tasks/rpm.js#L93-L141
31,313
gastonelhordoy/grunt-rpm
tasks/rpm.js
writeSpecFile
function writeSpecFile(grunt, options, filesToPack) { return function(callback) { try { var specPath = path.join(options.destination, specFolder); options.files = filesToPack; var pkg = grunt.file.readJSON('package.json'); grunt.util._.defaults(options, pkg); options.specFilepath = path.join(specPath, options.name + '.spec'); spec(options, callback); } catch(e) { callback(e); } }; }
javascript
function writeSpecFile(grunt, options, filesToPack) { return function(callback) { try { var specPath = path.join(options.destination, specFolder); options.files = filesToPack; var pkg = grunt.file.readJSON('package.json'); grunt.util._.defaults(options, pkg); options.specFilepath = path.join(specPath, options.name + '.spec'); spec(options, callback); } catch(e) { callback(e); } }; }
[ "function", "writeSpecFile", "(", "grunt", ",", "options", ",", "filesToPack", ")", "{", "return", "function", "(", "callback", ")", "{", "try", "{", "var", "specPath", "=", "path", ".", "join", "(", "options", ".", "destination", ",", "specFolder", ")", ...
Write the spec file that rpmbuild will read for the rpm details
[ "Write", "the", "spec", "file", "that", "rpmbuild", "will", "read", "for", "the", "rpm", "details" ]
8c6761959f912aab7234b68ea40893612d6b9b3d
https://github.com/gastonelhordoy/grunt-rpm/blob/8c6761959f912aab7234b68ea40893612d6b9b3d/tasks/rpm.js#L146-L160
31,314
imonology/scalra
modules/cloud_connector.js
function () { if (l_ip_port === undefined) { LOG.warn('not init (or already disposed), cannot connect to server'); return; } if (l_connector === undefined) l_connector = new SR.Connector(l_config); // establish connection LOG.warn('connecting to: ' + l_ip_port); l_connector.connect(l_ip_port, function (err, socket) { if (err) { // try-again later LOG.warn('attempt to re-connect in: ' + l_timeoutConnectRetry + 'ms'); setTimeout(l_connect, l_timeoutConnectRetry); return; } LOG.warn('connection to: ' + socket.host + ':' + socket.port + ' established'); l_connector.send('SR_REGISTER_SERVER', l_para, 'SR_REGISTER_SERVER_R', function (res) { console.log(res.data); }); }); }
javascript
function () { if (l_ip_port === undefined) { LOG.warn('not init (or already disposed), cannot connect to server'); return; } if (l_connector === undefined) l_connector = new SR.Connector(l_config); // establish connection LOG.warn('connecting to: ' + l_ip_port); l_connector.connect(l_ip_port, function (err, socket) { if (err) { // try-again later LOG.warn('attempt to re-connect in: ' + l_timeoutConnectRetry + 'ms'); setTimeout(l_connect, l_timeoutConnectRetry); return; } LOG.warn('connection to: ' + socket.host + ':' + socket.port + ' established'); l_connector.send('SR_REGISTER_SERVER', l_para, 'SR_REGISTER_SERVER_R', function (res) { console.log(res.data); }); }); }
[ "function", "(", ")", "{", "if", "(", "l_ip_port", "===", "undefined", ")", "{", "LOG", ".", "warn", "(", "'not init (or already disposed), cannot connect to server'", ")", ";", "return", ";", "}", "if", "(", "l_connector", "===", "undefined", ")", "l_connector"...
connect to cloud server
[ "connect", "to", "cloud", "server" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/modules/cloud_connector.js#L36-L62
31,315
imonology/scalra
monitor/REST_handle.js
function (res, res_obj) { // return response if exist, otherwise response might be returned // AFTER some callback is done handling (i.e., response will be returned within the handler) if (typeof res_obj === 'string') { LOG.sys('replying a string: ' + res_obj); res.writeHead(200, {'Content-Type': 'text/plain'}); res.end(res_obj); } else { LOG.sys('replying a JSON: ' + JSON.stringify(res_obj)); res.writeHead(200, {'Content-Type': 'application/json'}); res.end(JSON.stringify(res_obj)); } }
javascript
function (res, res_obj) { // return response if exist, otherwise response might be returned // AFTER some callback is done handling (i.e., response will be returned within the handler) if (typeof res_obj === 'string') { LOG.sys('replying a string: ' + res_obj); res.writeHead(200, {'Content-Type': 'text/plain'}); res.end(res_obj); } else { LOG.sys('replying a JSON: ' + JSON.stringify(res_obj)); res.writeHead(200, {'Content-Type': 'application/json'}); res.end(JSON.stringify(res_obj)); } }
[ "function", "(", "res", ",", "res_obj", ")", "{", "// return response if exist, otherwise response might be returned ", "// AFTER some callback is done handling (i.e., response will be returned within the handler)", "if", "(", "typeof", "res_obj", "===", "'string'", ")", "{", "LOG"...
helper code send back response to client
[ "helper", "code", "send", "back", "response", "to", "client" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/monitor/REST_handle.js#L31-L45
31,316
imonology/scalra
monitor/REST_handle.js
function (ports) { var port = ports[0]; var list = ''; for (var i=0; i < ports.length; i++) { list += (ports[i] + ', '); delete l_ports[ports[i]]; } LOG.warn('release ports: ' + list, 'SR.Monitor'); // remove all other ports associated with this port for (var i in l_ports) { if (l_ports[i] === port) { LOG.warn('release port: ' + i, 'SR.Monitor'); delete l_ports[i]; } } }
javascript
function (ports) { var port = ports[0]; var list = ''; for (var i=0; i < ports.length; i++) { list += (ports[i] + ', '); delete l_ports[ports[i]]; } LOG.warn('release ports: ' + list, 'SR.Monitor'); // remove all other ports associated with this port for (var i in l_ports) { if (l_ports[i] === port) { LOG.warn('release port: ' + i, 'SR.Monitor'); delete l_ports[i]; } } }
[ "function", "(", "ports", ")", "{", "var", "port", "=", "ports", "[", "0", "]", ";", "var", "list", "=", "''", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "ports", ".", "length", ";", "i", "++", ")", "{", "list", "+=", "(", "ports...
recycle an app port
[ "recycle", "an", "app", "port" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/monitor/REST_handle.js#L49-L68
31,317
imonology/scalra
monitor/REST_handle.js
function (port, parent_port) { // check if the port wasn't reported if (l_ports.hasOwnProperty(port) === false) { LOG.warn('recording used port [' + port + ']...', 'SR.Monitor'); l_ports[port] = parent_port || port; } }
javascript
function (port, parent_port) { // check if the port wasn't reported if (l_ports.hasOwnProperty(port) === false) { LOG.warn('recording used port [' + port + ']...', 'SR.Monitor'); l_ports[port] = parent_port || port; } }
[ "function", "(", "port", ",", "parent_port", ")", "{", "// check if the port wasn't reported", "if", "(", "l_ports", ".", "hasOwnProperty", "(", "port", ")", "===", "false", ")", "{", "LOG", ".", "warn", "(", "'recording used port ['", "+", "port", "+", "']......
record an existing port 'parent_port' indicats the which port, if released, will also release the current port
[ "record", "an", "existing", "port", "parent_port", "indicats", "the", "which", "port", "if", "released", "will", "also", "release", "the", "current", "port" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/monitor/REST_handle.js#L72-L80
31,318
imonology/scalra
monitor/REST_handle.js
function (size) { size = size || 1; LOG.warn('trying to assign ' + size + ' new ports...', 'SR.Monitor'); // find first available port var port = SR.Settings.PORT_APP_RANGE_START; var last_port = SR.Settings.PORT_APP_RANGE_END; // first port found var first_port = undefined; var results = []; while (port <= last_port) { if (l_ports.hasOwnProperty(port) === false || l_ports[port] === null) { // found a unique port if (!first_port) first_port = port; // mark the port as assigned l_ports[port] = first_port; results.push(port); LOG.warn('assigning port: ' + port, 'SR.Monitor'); if (--size === 0) break; } port++; } // no available ports found, or not enough ports found if (port > last_port) return 0; if (results.length > 1) return results; else return results[0]; }
javascript
function (size) { size = size || 1; LOG.warn('trying to assign ' + size + ' new ports...', 'SR.Monitor'); // find first available port var port = SR.Settings.PORT_APP_RANGE_START; var last_port = SR.Settings.PORT_APP_RANGE_END; // first port found var first_port = undefined; var results = []; while (port <= last_port) { if (l_ports.hasOwnProperty(port) === false || l_ports[port] === null) { // found a unique port if (!first_port) first_port = port; // mark the port as assigned l_ports[port] = first_port; results.push(port); LOG.warn('assigning port: ' + port, 'SR.Monitor'); if (--size === 0) break; } port++; } // no available ports found, or not enough ports found if (port > last_port) return 0; if (results.length > 1) return results; else return results[0]; }
[ "function", "(", "size", ")", "{", "size", "=", "size", "||", "1", ";", "LOG", ".", "warn", "(", "'trying to assign '", "+", "size", "+", "' new ports...'", ",", "'SR.Monitor'", ")", ";", "// find first available port", "var", "port", "=", "SR", ".", "Sett...
assign a unique application port
[ "assign", "a", "unique", "application", "port" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/monitor/REST_handle.js#L83-L123
31,319
imonology/scalra
monitor/REST_handle.js
function () { var currTime = new Date(); var overtime = (SR.Settings.INTERVAL_STAT_REPORT * 2); // remove servers no longer reporting for (var serverID in SR.Report.servers) { var stat = SR.Report.servers[serverID]; if (!stat || !stat.reportedTime) continue; // server considered dead if (currTime - stat.reportedTime > overtime) { var ip_port = stat.server.IP + ':' + stat.server.port; LOG.sys(ip_port + ' overtime: ' + overtime + ' last: ' + stat.reportedTime); LOG.error('server: ' + ip_port + ' (' + stat.server.type + ') not responding after ' + overtime + ' ms, mark dead...', 'SR.Monitor'); SR.Report.removeStat(serverID); // recycle port if it's from a local server if (stat.server.IP === SR.Settings.SERVER_INFO.IP) { LOG.warn('server is a local server, re-cycle its ports...', 'SR.Monitor'); l_recyclePort(stat.ports); } } } }
javascript
function () { var currTime = new Date(); var overtime = (SR.Settings.INTERVAL_STAT_REPORT * 2); // remove servers no longer reporting for (var serverID in SR.Report.servers) { var stat = SR.Report.servers[serverID]; if (!stat || !stat.reportedTime) continue; // server considered dead if (currTime - stat.reportedTime > overtime) { var ip_port = stat.server.IP + ':' + stat.server.port; LOG.sys(ip_port + ' overtime: ' + overtime + ' last: ' + stat.reportedTime); LOG.error('server: ' + ip_port + ' (' + stat.server.type + ') not responding after ' + overtime + ' ms, mark dead...', 'SR.Monitor'); SR.Report.removeStat(serverID); // recycle port if it's from a local server if (stat.server.IP === SR.Settings.SERVER_INFO.IP) { LOG.warn('server is a local server, re-cycle its ports...', 'SR.Monitor'); l_recyclePort(stat.ports); } } } }
[ "function", "(", ")", "{", "var", "currTime", "=", "new", "Date", "(", ")", ";", "var", "overtime", "=", "(", "SR", ".", "Settings", ".", "INTERVAL_STAT_REPORT", "*", "2", ")", ";", "// remove servers no longer reporting", "for", "(", "var", "serverID", "i...
internal functions periodic checking liveness of app servers
[ "internal", "functions", "periodic", "checking", "liveness", "of", "app", "servers" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/monitor/REST_handle.js#L131-L158
31,320
imonology/scalra
core/REST/handler.js
function(req) { return ((req.headers.origin && req.headers.origin !== "null") ? req.headers.origin : "*"); }
javascript
function(req) { return ((req.headers.origin && req.headers.origin !== "null") ? req.headers.origin : "*"); }
[ "function", "(", "req", ")", "{", "return", "(", "(", "req", ".", "headers", ".", "origin", "&&", "req", ".", "headers", ".", "origin", "!==", "\"null\"", ")", "?", "req", ".", "headers", ".", "origin", ":", "\"*\"", ")", ";", "}" ]
helper code get origin from request
[ "helper", "code", "get", "origin", "from", "request" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/REST/handler.js#L32-L34
31,321
imonology/scalra
core/REST/handler.js
function (res_obj, data, conn) { // check if we should return empty response if (typeof res_obj === 'undefined') { SR.REST.reply(res, {}); return true; } // check for special case processing (SR_REDIRECT) if (res_obj[SR.Tags.UPDATE] === 'SR_REDIRECT' && res_obj[SR.Tags.PARA] && res_obj[SR.Tags.PARA].url) { var url = res_obj[SR.Tags.PARA].url; LOG.warn('redirecting to: ' + url, l_name); /* res.writeHead(302, { 'Location': url }); res.end(); */ // redirect by page // TODO: merge with same code in FB.js var page = '<html><body><script>\n' + 'if (navigator.appName.indexOf("Microsoft") != -1)\n' + ' window.top.location.href="' + url + '";\n' + 'else\n' + ' top.location.href="' + url + '";\n' + '</script></body></html>\n'; res.writeHead(200, { 'Content-Type': 'text/html' }); res.end(page); return true; } // check for special case processing (SR_HTML) if (res_obj[SR.Tags.UPDATE] === 'SR_HTML' && res_obj[SR.Tags.PARA].page) { res.writeHead(200, { 'Content-Type': 'text/html' }); res.end(res_obj[SR.Tags.PARA].page); return true; } // check for special case processing (SR_DOWNLOAD) if (res_obj[SR.Tags.UPDATE] === 'SR_DOWNLOAD' && res_obj[SR.Tags.PARA].data && res_obj[SR.Tags.PARA].filename) { var filename = res_obj[SR.Tags.PARA].filename; LOG.warn('allow client to download file: ' + filename, l_name); var data = res_obj[SR.Tags.PARA].data; res.writeHead(200, { 'Content-Type': 'application/octet-stream', 'Content-Disposition': 'attachment; filename=' + filename, 'Content-Length': data.length }); res.end(data); return true; } // check for special case processing (SR_RESOURCE) if (res_obj[SR.Tags.UPDATE] === 'SR_RESOURCE' && res_obj[SR.Tags.PARA].address) { var file = res_obj[SR.Tags.PARA].address; // check if resource exists & its states SR.fs.stat(file, function (err, stats) { var resHeader = typeof res_obj[SR.Tags.PARA].header === 'object' ? res_obj[SR.Tags.PARA].header : {}; if (err) { LOG.error(err, l_name); res.writeHead(404, resHeader); res.end(); return; } var extFilename = file.match(/[\W\w]*\.([\W\w]*)/)[1]; if (typeof extFilename === 'string') extFilename = extFilename.toLowerCase(); // default to 200 status var resStatus = 200; resHeader['Accept-Ranges'] = 'bytes'; resHeader['Cache-Control'] = 'no-cache'; resHeader['Content-Length'] = stats.size; if (l_extList[extFilename]) { resHeader['Content-Type'] = l_extList[extFilename]; }; var start = undefined; var end = undefined; // check if request range exists (e.g., streaming media such as webm/mp4) to return 206 status // see: https://delog.wordpress.com/2011/04/25/stream-webm-file-to-chrome-using-node-js/ if (req.headers.range) { var range = req.headers.range.split(/bytes=([0-9]*)-([0-9]*)/); resStatus = 206; start = parseInt(range[1] || 0); end = parseInt(range[2] || stats.size - 1); if (start > end) { LOG.error('stream file start > end. start: ' + start + ' end: ' + end, l_name); var resHeader = typeof res_obj[SR.Tags.PARA].header === 'object' ? res_obj[SR.Tags.PARA].header : {}; res.writeHead(404, resHeader); res.end(); return; // abnormal if we've reached here } LOG.debug('requesting bytes ' + start + ' to ' + end + ' for file: ' + file, l_name); resHeader['Connection'] = 'close'; resHeader['Content-Length'] = end - start + 1; resHeader['Content-Range'] = 'bytes ' + start + '-' + end + '/' + stats.size; resHeader['Transfer-Encoding'] = 'chunked'; } // otherwise assume it's a regular file else if (l_directExt.hasOwnProperty(extFilename)) { // NOTE: code below will cause the file be downloaded in a "Save As.." format // (instead of being displayed directly), we only want this behavior for certain file types (such as .zip) var filename = file.replace(/^.*[\\\/]/, '') LOG.warn('requesting a file: ' + filename, l_name); resHeader['Content-Disposition'] = 'attachment; filename=' + filename; } LOG.sys('SR_RESOURCE header:', l_name); LOG.sys(resHeader); res.writeHead(resStatus, resHeader); // start streaming SR.fs.createReadStream(file, { flags: 'r', start: start, end: end }).pipe(res); }); return true; } var origin = _getOrigin(req); // send back via res object if hadn't responded yet if (res.headersSent === false) { // NOTE: cookie may be undefined; SR.REST.reply(res, data, { origin: origin, cookie: cookie }); } else { LOG.error('HTTP request has already responded (cannot respond twice)', l_name); LOG.stack(); } return true; }
javascript
function (res_obj, data, conn) { // check if we should return empty response if (typeof res_obj === 'undefined') { SR.REST.reply(res, {}); return true; } // check for special case processing (SR_REDIRECT) if (res_obj[SR.Tags.UPDATE] === 'SR_REDIRECT' && res_obj[SR.Tags.PARA] && res_obj[SR.Tags.PARA].url) { var url = res_obj[SR.Tags.PARA].url; LOG.warn('redirecting to: ' + url, l_name); /* res.writeHead(302, { 'Location': url }); res.end(); */ // redirect by page // TODO: merge with same code in FB.js var page = '<html><body><script>\n' + 'if (navigator.appName.indexOf("Microsoft") != -1)\n' + ' window.top.location.href="' + url + '";\n' + 'else\n' + ' top.location.href="' + url + '";\n' + '</script></body></html>\n'; res.writeHead(200, { 'Content-Type': 'text/html' }); res.end(page); return true; } // check for special case processing (SR_HTML) if (res_obj[SR.Tags.UPDATE] === 'SR_HTML' && res_obj[SR.Tags.PARA].page) { res.writeHead(200, { 'Content-Type': 'text/html' }); res.end(res_obj[SR.Tags.PARA].page); return true; } // check for special case processing (SR_DOWNLOAD) if (res_obj[SR.Tags.UPDATE] === 'SR_DOWNLOAD' && res_obj[SR.Tags.PARA].data && res_obj[SR.Tags.PARA].filename) { var filename = res_obj[SR.Tags.PARA].filename; LOG.warn('allow client to download file: ' + filename, l_name); var data = res_obj[SR.Tags.PARA].data; res.writeHead(200, { 'Content-Type': 'application/octet-stream', 'Content-Disposition': 'attachment; filename=' + filename, 'Content-Length': data.length }); res.end(data); return true; } // check for special case processing (SR_RESOURCE) if (res_obj[SR.Tags.UPDATE] === 'SR_RESOURCE' && res_obj[SR.Tags.PARA].address) { var file = res_obj[SR.Tags.PARA].address; // check if resource exists & its states SR.fs.stat(file, function (err, stats) { var resHeader = typeof res_obj[SR.Tags.PARA].header === 'object' ? res_obj[SR.Tags.PARA].header : {}; if (err) { LOG.error(err, l_name); res.writeHead(404, resHeader); res.end(); return; } var extFilename = file.match(/[\W\w]*\.([\W\w]*)/)[1]; if (typeof extFilename === 'string') extFilename = extFilename.toLowerCase(); // default to 200 status var resStatus = 200; resHeader['Accept-Ranges'] = 'bytes'; resHeader['Cache-Control'] = 'no-cache'; resHeader['Content-Length'] = stats.size; if (l_extList[extFilename]) { resHeader['Content-Type'] = l_extList[extFilename]; }; var start = undefined; var end = undefined; // check if request range exists (e.g., streaming media such as webm/mp4) to return 206 status // see: https://delog.wordpress.com/2011/04/25/stream-webm-file-to-chrome-using-node-js/ if (req.headers.range) { var range = req.headers.range.split(/bytes=([0-9]*)-([0-9]*)/); resStatus = 206; start = parseInt(range[1] || 0); end = parseInt(range[2] || stats.size - 1); if (start > end) { LOG.error('stream file start > end. start: ' + start + ' end: ' + end, l_name); var resHeader = typeof res_obj[SR.Tags.PARA].header === 'object' ? res_obj[SR.Tags.PARA].header : {}; res.writeHead(404, resHeader); res.end(); return; // abnormal if we've reached here } LOG.debug('requesting bytes ' + start + ' to ' + end + ' for file: ' + file, l_name); resHeader['Connection'] = 'close'; resHeader['Content-Length'] = end - start + 1; resHeader['Content-Range'] = 'bytes ' + start + '-' + end + '/' + stats.size; resHeader['Transfer-Encoding'] = 'chunked'; } // otherwise assume it's a regular file else if (l_directExt.hasOwnProperty(extFilename)) { // NOTE: code below will cause the file be downloaded in a "Save As.." format // (instead of being displayed directly), we only want this behavior for certain file types (such as .zip) var filename = file.replace(/^.*[\\\/]/, '') LOG.warn('requesting a file: ' + filename, l_name); resHeader['Content-Disposition'] = 'attachment; filename=' + filename; } LOG.sys('SR_RESOURCE header:', l_name); LOG.sys(resHeader); res.writeHead(resStatus, resHeader); // start streaming SR.fs.createReadStream(file, { flags: 'r', start: start, end: end }).pipe(res); }); return true; } var origin = _getOrigin(req); // send back via res object if hadn't responded yet if (res.headersSent === false) { // NOTE: cookie may be undefined; SR.REST.reply(res, data, { origin: origin, cookie: cookie }); } else { LOG.error('HTTP request has already responded (cannot respond twice)', l_name); LOG.stack(); } return true; }
[ "function", "(", "res_obj", ",", "data", ",", "conn", ")", "{", "// check if we should return empty response", "if", "(", "typeof", "res_obj", "===", "'undefined'", ")", "{", "SR", ".", "REST", ".", "reply", "(", "res", ",", "{", "}", ")", ";", "return", ...
callback to return response to client
[ "callback", "to", "return", "response", "to", "client" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/REST/handler.js#L81-L243
31,322
imonology/scalra
core/REST/handler.js
function() { var origin = _getOrigin(req); SR.REST.reply(res, res_str, { origin: origin }); }
javascript
function() { var origin = _getOrigin(req); SR.REST.reply(res, res_str, { origin: origin }); }
[ "function", "(", ")", "{", "var", "origin", "=", "_getOrigin", "(", "req", ")", ";", "SR", ".", "REST", ".", "reply", "(", "res", ",", "res_str", ",", "{", "origin", ":", "origin", "}", ")", ";", "}" ]
replying the request
[ "replying", "the", "request" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/REST/handler.js#L329-L334
31,323
imonology/scalra
core/DB.js
function (clt_name, op, err, onFail, is_exception) { var msg = 'DB ' + op + ' error for [' + clt_name + ']'; LOG.error(msg, 'SR.DB'); LOG.error(err, 'SR.DB'); if (typeof err.stack !== 'undefined') { LOG.error(err.stack, 'SR.DB'); msg += ('\n\n' + err.stack); } UTIL.safeCall(onFail, err); if (is_exception) { return; } // notify project admin if it's not code exception // NOTE: only project admins are notified UTIL.notifyAdmin( '[SR DB error: ' + clt_name + ']', msg ); }
javascript
function (clt_name, op, err, onFail, is_exception) { var msg = 'DB ' + op + ' error for [' + clt_name + ']'; LOG.error(msg, 'SR.DB'); LOG.error(err, 'SR.DB'); if (typeof err.stack !== 'undefined') { LOG.error(err.stack, 'SR.DB'); msg += ('\n\n' + err.stack); } UTIL.safeCall(onFail, err); if (is_exception) { return; } // notify project admin if it's not code exception // NOTE: only project admins are notified UTIL.notifyAdmin( '[SR DB error: ' + clt_name + ']', msg ); }
[ "function", "(", "clt_name", ",", "op", ",", "err", ",", "onFail", ",", "is_exception", ")", "{", "var", "msg", "=", "'DB '", "+", "op", "+", "' error for ['", "+", "clt_name", "+", "']'", ";", "LOG", ".", "error", "(", "msg", ",", "'SR.DB'", ")", ...
helper to notify DB error
[ "helper", "to", "notify", "DB", "error" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/DB.js#L263-L284
31,324
imonology/scalra
core/DB.js
function (err_toArray, array) { if (err_toArray) { return l_notifyError(clt_name, 'getPage.toArray', err_toArray, cb); } //LOG.sys('array found succces, length: ' + array.length, 'SR.DB'); // NOTE: probably no need to check if (array.length === _opts.limit) { UTIL.safeCall(cb, null, array, array[array.length - 1]); } else { UTIL.safeCall(cb, null, array, null); } }
javascript
function (err_toArray, array) { if (err_toArray) { return l_notifyError(clt_name, 'getPage.toArray', err_toArray, cb); } //LOG.sys('array found succces, length: ' + array.length, 'SR.DB'); // NOTE: probably no need to check if (array.length === _opts.limit) { UTIL.safeCall(cb, null, array, array[array.length - 1]); } else { UTIL.safeCall(cb, null, array, null); } }
[ "function", "(", "err_toArray", ",", "array", ")", "{", "if", "(", "err_toArray", ")", "{", "return", "l_notifyError", "(", "clt_name", ",", "'getPage.toArray'", ",", "err_toArray", ",", "cb", ")", ";", "}", "//LOG.sys('array found succces, length: ' + array.length,...
convert result to an array
[ "convert", "result", "to", "an", "array" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/DB.js#L867-L880
31,325
particle-iot/particle-commands
src/cmd/library_install.js
nameVersionInstallStrategy
function nameVersionInstallStrategy(baseDir) { return (name, version) => { if (!version) { throw Error('hey I need a version!'); } // todo - should probably instead instantiate the appropriate library repository // so we get reuse and consistency return path.join(baseDir, name+'@'+version); }; }
javascript
function nameVersionInstallStrategy(baseDir) { return (name, version) => { if (!version) { throw Error('hey I need a version!'); } // todo - should probably instead instantiate the appropriate library repository // so we get reuse and consistency return path.join(baseDir, name+'@'+version); }; }
[ "function", "nameVersionInstallStrategy", "(", "baseDir", ")", "{", "return", "(", "name", ",", "version", ")", "=>", "{", "if", "(", "!", "version", ")", "{", "throw", "Error", "(", "'hey I need a version!'", ")", ";", "}", "// todo - should probably instead in...
A strategy factory that determines where to place libraries when installed to a shared directory. @param {string} baseDir the shared directory where the library should be installed ot @returns {function(*, *=)} A function that provides the target library directory
[ "A", "strategy", "factory", "that", "determines", "where", "to", "place", "libraries", "when", "installed", "to", "a", "shared", "directory", "." ]
012252e0faef5f4ee21aa3b36c58eace7296a633
https://github.com/particle-iot/particle-commands/blob/012252e0faef5f4ee21aa3b36c58eace7296a633/src/cmd/library_install.js#L101-L110
31,326
imonology/scalra
lib/SR_REST.js
function (type, para) { // avoid flooding if SR_PUBLISH is sending streaming data SR.Log('[' + type + '] received'); switch (type) { // // pubsub related // // when a new published message arrives case 'SR_MSG': // handle server-published messages case 'SR_PUBLISH': if (onChannelMessages.hasOwnProperty(para.channel)) { if (typeof onChannelMessages[para.channel] !== 'function') SR.Error('channel [' + para.channel + '] handler is not a function'); else onChannelMessages[para.channel](para.msg, para.channel); } else SR.Error('cannot find channel [' + para.channel + '] to publish'); return true; // when a list of messages arrive (in array) case 'SR_MSGLIST': var msg_list = para.msgs; if (msg_list && msg_list.length > 0 && onChannelMessages.hasOwnProperty(para.channel)) { for (var i=0; i < msg_list.length; i++) onChannelMessages[para.channel](msg_list[i], para.channel); } return true; // redirect to another webpage case 'SR_REDIRECT': window.location.href = para.url; return true; case "SR_NOTIFY" : SR.Warn('SR_NOTIFY para: '); SR.Warn(para); console.log(onChannelMessages); if (onChannelMessages.hasOwnProperty('notify')) onChannelMessages['notify'](para, 'notify'); return true; // // login related // case "SR_LOGIN_RESPONSE": case "SR_LOGOUT_RESPONSE": replyLogin(para); return true; case "SR_MESSAGE": alert('SR_MESSAGE: ' + para.msg); return true; case "SR_WARNING": alert('SR_WARNING: ' + para.msg); return true; case "SR_ERROR": alert('SR_ERROR: ' + para.msg); return true; default: // check if custom handlers exist and can handle it if (responseHandlers.hasOwnProperty(type)) { var callbacks = responseHandlers[type]; // extract rid if available var rid = undefined; if (para.hasOwnProperty('_rid') === true) { rid = para['_rid']; delete para['_rid']; } if (rid) { callbacks[rid](para, type); // remove callback once done if (rid !== 'keep') { delete callbacks[rid]; } } // otherwise ALL registered callbacks will be called else { if (Object.keys(callbacks).length > 1) SR.Warn('[' + type + '] no rid in update, dispatching to first of ' + Object.keys(callbacks).length + ' callbacks'); // call the first in callbacks then remove it // so only one callback is called unless it's registered via the 'keep_callback' flag for (var key in callbacks) { callbacks[key](para, type); if (key !== 'keep') { delete callbacks[key]; break; } } } return true; } // still un-handled console.error('onResponse: unrecongized type: ' + type); return false; } }
javascript
function (type, para) { // avoid flooding if SR_PUBLISH is sending streaming data SR.Log('[' + type + '] received'); switch (type) { // // pubsub related // // when a new published message arrives case 'SR_MSG': // handle server-published messages case 'SR_PUBLISH': if (onChannelMessages.hasOwnProperty(para.channel)) { if (typeof onChannelMessages[para.channel] !== 'function') SR.Error('channel [' + para.channel + '] handler is not a function'); else onChannelMessages[para.channel](para.msg, para.channel); } else SR.Error('cannot find channel [' + para.channel + '] to publish'); return true; // when a list of messages arrive (in array) case 'SR_MSGLIST': var msg_list = para.msgs; if (msg_list && msg_list.length > 0 && onChannelMessages.hasOwnProperty(para.channel)) { for (var i=0; i < msg_list.length; i++) onChannelMessages[para.channel](msg_list[i], para.channel); } return true; // redirect to another webpage case 'SR_REDIRECT': window.location.href = para.url; return true; case "SR_NOTIFY" : SR.Warn('SR_NOTIFY para: '); SR.Warn(para); console.log(onChannelMessages); if (onChannelMessages.hasOwnProperty('notify')) onChannelMessages['notify'](para, 'notify'); return true; // // login related // case "SR_LOGIN_RESPONSE": case "SR_LOGOUT_RESPONSE": replyLogin(para); return true; case "SR_MESSAGE": alert('SR_MESSAGE: ' + para.msg); return true; case "SR_WARNING": alert('SR_WARNING: ' + para.msg); return true; case "SR_ERROR": alert('SR_ERROR: ' + para.msg); return true; default: // check if custom handlers exist and can handle it if (responseHandlers.hasOwnProperty(type)) { var callbacks = responseHandlers[type]; // extract rid if available var rid = undefined; if (para.hasOwnProperty('_rid') === true) { rid = para['_rid']; delete para['_rid']; } if (rid) { callbacks[rid](para, type); // remove callback once done if (rid !== 'keep') { delete callbacks[rid]; } } // otherwise ALL registered callbacks will be called else { if (Object.keys(callbacks).length > 1) SR.Warn('[' + type + '] no rid in update, dispatching to first of ' + Object.keys(callbacks).length + ' callbacks'); // call the first in callbacks then remove it // so only one callback is called unless it's registered via the 'keep_callback' flag for (var key in callbacks) { callbacks[key](para, type); if (key !== 'keep') { delete callbacks[key]; break; } } } return true; } // still un-handled console.error('onResponse: unrecongized type: ' + type); return false; } }
[ "function", "(", "type", ",", "para", ")", "{", "// avoid flooding if SR_PUBLISH is sending streaming data", "SR", ".", "Log", "(", "'['", "+", "type", "+", "'] received'", ")", ";", "switch", "(", "type", ")", "{", "//", "// pubsub related", "//", "// when a ne...
generic response callback for system-defined messages
[ "generic", "response", "callback", "for", "system", "-", "defined", "messages" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/lib/SR_REST.js#L283-L387
31,327
imonology/scalra
lib/SR_REST.js
function (entry) { if (typeof entry === 'number' && entry < entryServers.length) { entryServers.splice(entry, 1); return true; } else if (typeof entry === 'string') { for (var i=0; i < entryServers.length; i++) { if (entryServers[i] === entry) { entryServers.splice(i, 1); SR.Log('remove entry: ' + entry + '. entries left: ' + entryServers.length); return true; } } } return false; }
javascript
function (entry) { if (typeof entry === 'number' && entry < entryServers.length) { entryServers.splice(entry, 1); return true; } else if (typeof entry === 'string') { for (var i=0; i < entryServers.length; i++) { if (entryServers[i] === entry) { entryServers.splice(i, 1); SR.Log('remove entry: ' + entry + '. entries left: ' + entryServers.length); return true; } } } return false; }
[ "function", "(", "entry", ")", "{", "if", "(", "typeof", "entry", "===", "'number'", "&&", "entry", "<", "entryServers", ".", "length", ")", "{", "entryServers", ".", "splice", "(", "entry", ",", "1", ")", ";", "return", "true", ";", "}", "else", "if...
remove a given entry server
[ "remove", "a", "given", "entry", "server" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/lib/SR_REST.js#L401-L416
31,328
imonology/scalra
lib/SR_REST.js
function (name) { return function (args, onDone) { if (typeof args === 'function') { onDone = args; args = {}; } console.log('calling API [' + name + ']...'); // NOTE: by default callbacks are always kept SR.sendEvent(name, args, function (result) { if (result.err) { console.error(result.err); return SR.safeCall(onDone, result.err); } SR.safeCall(onDone, null, result.result); }, undefined, true); } }
javascript
function (name) { return function (args, onDone) { if (typeof args === 'function') { onDone = args; args = {}; } console.log('calling API [' + name + ']...'); // NOTE: by default callbacks are always kept SR.sendEvent(name, args, function (result) { if (result.err) { console.error(result.err); return SR.safeCall(onDone, result.err); } SR.safeCall(onDone, null, result.result); }, undefined, true); } }
[ "function", "(", "name", ")", "{", "return", "function", "(", "args", ",", "onDone", ")", "{", "if", "(", "typeof", "args", "===", "'function'", ")", "{", "onDone", "=", "args", ";", "args", "=", "{", "}", ";", "}", "console", ".", "log", "(", "'...
build a specific API
[ "build", "a", "specific", "API" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/lib/SR_REST.js#L996-L1016
31,329
imonology/scalra
core/frontier.js
function (root_path, default_prefix) { var arr = SR.Settings.SR_PATH.split(SR.path.sep); var prefix = arr[arr.length-1] + '-'; var dirs = UTIL.getDirectoriesSync(root_path); if (default_prefix) prefix = default_prefix; //LOG.warn('default_prefix: ' + default_prefix + ' prefix: ' + prefix + ' paths to check:'); for (var i in dirs) { //LOG.warn(dirs[i]); if (dirs[i].startsWith(prefix)) { SR.Settings.MOD_PATHS.push(SR.path.resolve(root_path, dirs[i])); } } }
javascript
function (root_path, default_prefix) { var arr = SR.Settings.SR_PATH.split(SR.path.sep); var prefix = arr[arr.length-1] + '-'; var dirs = UTIL.getDirectoriesSync(root_path); if (default_prefix) prefix = default_prefix; //LOG.warn('default_prefix: ' + default_prefix + ' prefix: ' + prefix + ' paths to check:'); for (var i in dirs) { //LOG.warn(dirs[i]); if (dirs[i].startsWith(prefix)) { SR.Settings.MOD_PATHS.push(SR.path.resolve(root_path, dirs[i])); } } }
[ "function", "(", "root_path", ",", "default_prefix", ")", "{", "var", "arr", "=", "SR", ".", "Settings", ".", "SR_PATH", ".", "split", "(", "SR", ".", "path", ".", "sep", ")", ";", "var", "prefix", "=", "arr", "[", "arr", ".", "length", "-", "1", ...
build module path from a root path
[ "build", "module", "path", "from", "a", "root", "path" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/frontier.js#L130-L145
31,330
imonology/scalra
core/script.js
function (fullpath, publname) { var curr_time = new Date(); // store script if modified for first time if (fullpath !== undefined && publname !== undefined) { if (l_modified_scripts.hasOwnProperty(fullpath) === false) { LOG.warn('script modified: ' + fullpath, l_name); l_modified_scripts[fullpath] = { time: new Date(curr_time.getTime() + l_reloadTime * 1000), name: publname }; } // if already stored, ignore this request else return; } else { // check queue for scripts that can be safely reloaded for (var path in l_modified_scripts) { // check if wait time has expired if (curr_time - l_modified_scripts[path].time > 0) { // get public name var name = l_modified_scripts[path].name; var notify_msg = 'reloading [' + name + '] from: ' + path; LOG.warn(notify_msg, l_name); // send e-mail notify to project admin (only if specified) if (SR.Settings.NOTIFY_SCRIPT_RELOAD === true) UTIL.notifyAdmin('script reloading', notify_msg); // save current script in cache as backup var backup_script = require.cache[path]; // NOTE: if 'path' is incorrect, may not delete successfully, and new script won't load delete require.cache[path]; // NOTE: this will show false //LOG.warn('after delete, has path: ' + require.cache.hasOwnProperty(path), l_name); // NOTE: something can go wrong if the script is corrupt try { // re-require if (l_args.hasOwnProperty(path)) { LOG.warn('args exist..', l_name); require(path)(l_args[path]); l_loaded[name] = require.cache[path]; } else { l_loaded[name] = require(path); SR.Handler.add(l_loaded[name]); } } catch (e) { LOG.error('reload error: ', l_name); LOG.error(UTIL.dumpError(e), l_name); LOG.warn('restoring old script...', l_name); require.cache[path] = backup_script; l_loaded[name] = require.cache[path]; // this will show 'true' //LOG.warn('after restore, has path: ' + require.cache.hasOwnProperty(path), l_name); } // remove file record delete l_modified_scripts[path]; } } } // reload myself to check later if there are scripts to be loaded if (Object.keys(l_modified_scripts).length > 0) { var timeout = l_reloadTime * 1.5 * 1000; LOG.sys('automatic reloading after: ' + timeout + ' ms', l_name); setTimeout(l_loadScript, timeout); } }
javascript
function (fullpath, publname) { var curr_time = new Date(); // store script if modified for first time if (fullpath !== undefined && publname !== undefined) { if (l_modified_scripts.hasOwnProperty(fullpath) === false) { LOG.warn('script modified: ' + fullpath, l_name); l_modified_scripts[fullpath] = { time: new Date(curr_time.getTime() + l_reloadTime * 1000), name: publname }; } // if already stored, ignore this request else return; } else { // check queue for scripts that can be safely reloaded for (var path in l_modified_scripts) { // check if wait time has expired if (curr_time - l_modified_scripts[path].time > 0) { // get public name var name = l_modified_scripts[path].name; var notify_msg = 'reloading [' + name + '] from: ' + path; LOG.warn(notify_msg, l_name); // send e-mail notify to project admin (only if specified) if (SR.Settings.NOTIFY_SCRIPT_RELOAD === true) UTIL.notifyAdmin('script reloading', notify_msg); // save current script in cache as backup var backup_script = require.cache[path]; // NOTE: if 'path' is incorrect, may not delete successfully, and new script won't load delete require.cache[path]; // NOTE: this will show false //LOG.warn('after delete, has path: ' + require.cache.hasOwnProperty(path), l_name); // NOTE: something can go wrong if the script is corrupt try { // re-require if (l_args.hasOwnProperty(path)) { LOG.warn('args exist..', l_name); require(path)(l_args[path]); l_loaded[name] = require.cache[path]; } else { l_loaded[name] = require(path); SR.Handler.add(l_loaded[name]); } } catch (e) { LOG.error('reload error: ', l_name); LOG.error(UTIL.dumpError(e), l_name); LOG.warn('restoring old script...', l_name); require.cache[path] = backup_script; l_loaded[name] = require.cache[path]; // this will show 'true' //LOG.warn('after restore, has path: ' + require.cache.hasOwnProperty(path), l_name); } // remove file record delete l_modified_scripts[path]; } } } // reload myself to check later if there are scripts to be loaded if (Object.keys(l_modified_scripts).length > 0) { var timeout = l_reloadTime * 1.5 * 1000; LOG.sys('automatic reloading after: ' + timeout + ' ms', l_name); setTimeout(l_loadScript, timeout); } }
[ "function", "(", "fullpath", ",", "publname", ")", "{", "var", "curr_time", "=", "new", "Date", "(", ")", ";", "// store script if modified for first time", "if", "(", "fullpath", "!==", "undefined", "&&", "publname", "!==", "undefined", ")", "{", "if", "(", ...
script loader, will check periodically if modified script queue is non-empty
[ "script", "loader", "will", "check", "periodically", "if", "modified", "script", "queue", "is", "non", "-", "empty" ]
0cf7377d02bf1e6beb90d6821c144eefb89feaa9
https://github.com/imonology/scalra/blob/0cf7377d02bf1e6beb90d6821c144eefb89feaa9/core/script.js#L26-L108
31,331
doowb/sma
index.js
sma
function sma(arr, range, format) { if (!Array.isArray(arr)) { throw TypeError('expected first argument to be an array'); } var fn = typeof format === 'function' ? format : toFixed; var num = range || arr.length; var res = []; var len = arr.length + 1; var idx = num - 1; while (++idx < len) { res.push(fn(avg(arr, idx, num))); } return res; }
javascript
function sma(arr, range, format) { if (!Array.isArray(arr)) { throw TypeError('expected first argument to be an array'); } var fn = typeof format === 'function' ? format : toFixed; var num = range || arr.length; var res = []; var len = arr.length + 1; var idx = num - 1; while (++idx < len) { res.push(fn(avg(arr, idx, num))); } return res; }
[ "function", "sma", "(", "arr", ",", "range", ",", "format", ")", "{", "if", "(", "!", "Array", ".", "isArray", "(", "arr", ")", ")", "{", "throw", "TypeError", "(", "'expected first argument to be an array'", ")", ";", "}", "var", "fn", "=", "typeof", ...
Calculate the simple moving average of an array. A new array is returned with the average of each range of elements. A range will only be calculated when it contains enough elements to fill the range. ```js console.log(sma([1, 2, 3, 4, 5, 6, 7, 8, 9], 4)); //=> [ '2.50', '3.50', '4.50', '5.50', '6.50', '7.50' ] //=> │ │ │ │ │ └─(6+7+8+9)/4 //=> │ │ │ │ └─(5+6+7+8)/4 //=> │ │ │ └─(4+5+6+7)/4 //=> │ │ └─(3+4+5+6)/4 //=> │ └─(2+3+4+5)/4 //=> └─(1+2+3+4)/4 ``` @param {Array} `arr` Array of numbers to calculate. @param {Number} `range` Size of the window to use to when calculating the average for each range. Defaults to array length. @param {Function} `format` Custom format function called on each calculated average. Defaults to `n.toFixed(2)`. @return {Array} Resulting array of averages. @api public
[ "Calculate", "the", "simple", "moving", "average", "of", "an", "array", ".", "A", "new", "array", "is", "returned", "with", "the", "average", "of", "each", "range", "of", "elements", ".", "A", "range", "will", "only", "be", "calculated", "when", "it", "c...
4c419042c0377bf6c78a8c94832f3d2a59e11a72
https://github.com/doowb/sma/blob/4c419042c0377bf6c78a8c94832f3d2a59e11a72/index.js#L24-L38
31,332
doowb/sma
index.js
avg
function avg(arr, idx, range) { return sum(arr.slice(idx - range, idx)) / range; }
javascript
function avg(arr, idx, range) { return sum(arr.slice(idx - range, idx)) / range; }
[ "function", "avg", "(", "arr", ",", "idx", ",", "range", ")", "{", "return", "sum", "(", "arr", ".", "slice", "(", "idx", "-", "range", ",", "idx", ")", ")", "/", "range", ";", "}" ]
Create an average for the specified range. ```js console.log(avg([1, 2, 3, 4, 5, 6, 7, 8, 9], 5, 4)); //=> 3.5 ``` @param {Array} `arr` Array to pull the range from. @param {Number} `idx` Index of element being calculated @param {Number} `range` Size of range to calculate. @return {Number} Average of range.
[ "Create", "an", "average", "for", "the", "specified", "range", "." ]
4c419042c0377bf6c78a8c94832f3d2a59e11a72
https://github.com/doowb/sma/blob/4c419042c0377bf6c78a8c94832f3d2a59e11a72/index.js#L53-L55
31,333
doowb/sma
index.js
sum
function sum(arr) { var len = arr.length; var num = 0; while (len--) num += Number(arr[len]); return num; }
javascript
function sum(arr) { var len = arr.length; var num = 0; while (len--) num += Number(arr[len]); return num; }
[ "function", "sum", "(", "arr", ")", "{", "var", "len", "=", "arr", ".", "length", ";", "var", "num", "=", "0", ";", "while", "(", "len", "--", ")", "num", "+=", "Number", "(", "arr", "[", "len", "]", ")", ";", "return", "num", ";", "}" ]
Calculate the sum of an array. @param {Array} `arr` Array @return {Number} Sum
[ "Calculate", "the", "sum", "of", "an", "array", "." ]
4c419042c0377bf6c78a8c94832f3d2a59e11a72
https://github.com/doowb/sma/blob/4c419042c0377bf6c78a8c94832f3d2a59e11a72/index.js#L63-L68
31,334
protacon/ng-virtual-keyboard
dist/layouts.js
isSpecial
function isSpecial(key) { if (key.length > 1) { return !!exports.specialKeys.filter(function (specialKey) { var pattern = new RegExp("^(" + specialKey + ")(:(\\d+(\\.\\d+)?))?$", 'g'); return pattern.test(key); }).length; } return false; }
javascript
function isSpecial(key) { if (key.length > 1) { return !!exports.specialKeys.filter(function (specialKey) { var pattern = new RegExp("^(" + specialKey + ")(:(\\d+(\\.\\d+)?))?$", 'g'); return pattern.test(key); }).length; } return false; }
[ "function", "isSpecial", "(", "key", ")", "{", "if", "(", "key", ".", "length", ">", "1", ")", "{", "return", "!", "!", "exports", ".", "specialKeys", ".", "filter", "(", "function", "(", "specialKey", ")", "{", "var", "pattern", "=", "new", "RegExp"...
Helper function to determine if given key is special or not. @param {string} key @returns {boolean}
[ "Helper", "function", "to", "determine", "if", "given", "key", "is", "special", "or", "not", "." ]
cb55c5bbbb85e5a7e47eb8b84e90748a0b7fd9a8
https://github.com/protacon/ng-virtual-keyboard/blob/cb55c5bbbb85e5a7e47eb8b84e90748a0b7fd9a8/dist/layouts.js#L84-L92
31,335
protacon/ng-virtual-keyboard
dist/layouts.js
keyboardCapsLockLayout
function keyboardCapsLockLayout(layout, caps) { return layout.map(function (row) { return row.map(function (key) { return isSpecial(key) ? key : (caps ? key.toUpperCase() : key.toLowerCase()); }); }); }
javascript
function keyboardCapsLockLayout(layout, caps) { return layout.map(function (row) { return row.map(function (key) { return isSpecial(key) ? key : (caps ? key.toUpperCase() : key.toLowerCase()); }); }); }
[ "function", "keyboardCapsLockLayout", "(", "layout", ",", "caps", ")", "{", "return", "layout", ".", "map", "(", "function", "(", "row", ")", "{", "return", "row", ".", "map", "(", "function", "(", "key", ")", "{", "return", "isSpecial", "(", "key", ")...
Function to change specified layout to CapsLock layout. @param {KeyboardLayout} layout @param {boolean} caps @returns {KeyboardLayout}
[ "Function", "to", "change", "specified", "layout", "to", "CapsLock", "layout", "." ]
cb55c5bbbb85e5a7e47eb8b84e90748a0b7fd9a8
https://github.com/protacon/ng-virtual-keyboard/blob/cb55c5bbbb85e5a7e47eb8b84e90748a0b7fd9a8/dist/layouts.js#L101-L107
31,336
nolanlawson/node-websql
lib/websql/WebSQLDatabase.js
TransactionTask
function TransactionTask(readOnly, txnCallback, errorCallback, successCallback) { this.readOnly = readOnly; this.txnCallback = txnCallback; this.errorCallback = errorCallback; this.successCallback = successCallback; }
javascript
function TransactionTask(readOnly, txnCallback, errorCallback, successCallback) { this.readOnly = readOnly; this.txnCallback = txnCallback; this.errorCallback = errorCallback; this.successCallback = successCallback; }
[ "function", "TransactionTask", "(", "readOnly", ",", "txnCallback", ",", "errorCallback", ",", "successCallback", ")", "{", "this", ".", "readOnly", "=", "readOnly", ";", "this", ".", "txnCallback", "=", "txnCallback", ";", "this", ".", "errorCallback", "=", "...
v8 likes predictable objects
[ "v8", "likes", "predictable", "objects" ]
ab6d7e06e00909046b98250da71248802935a284
https://github.com/nolanlawson/node-websql/blob/ab6d7e06e00909046b98250da71248802935a284/lib/websql/WebSQLDatabase.js#L18-L23
31,337
typicode/pinst
index.js
renameKey
function renameKey(obj, prevKey, nextKey) { return mapKeys(obj, (_, key) => (key === prevKey ? nextKey : key)) }
javascript
function renameKey(obj, prevKey, nextKey) { return mapKeys(obj, (_, key) => (key === prevKey ? nextKey : key)) }
[ "function", "renameKey", "(", "obj", ",", "prevKey", ",", "nextKey", ")", "{", "return", "mapKeys", "(", "obj", ",", "(", "_", ",", "key", ")", "=>", "(", "key", "===", "prevKey", "?", "nextKey", ":", "key", ")", ")", "}" ]
Rename key in object without changing its position
[ "Rename", "key", "in", "object", "without", "changing", "its", "position" ]
719b1046c7d65ba445b171561b492e38c2791148
https://github.com/typicode/pinst/blob/719b1046c7d65ba445b171561b492e38c2791148/index.js#L8-L10
31,338
obliquid/jslardo
public/javascripts/jslardo.js
openModal
function openModal(src, width) { if ( !width ) width = 680; //var elementId = 'orcodio'; var originalYScroll = window.pageYOffset; //var modalFrame = $.modal('<iframe id="'+ elementId +'" src="' + src + '" width="' + width + '" onload="centerModal(this,' + originalYScroll + ')" style="border:0">', { var modalFrame = $.modal('<iframe src="' + src + '" width="' + width + '" onload="centerModal(this,' + originalYScroll + ')" style="border:0">', { closeHTML:'', containerCss:{ backgroundColor:"#fff", borderColor:"#fff", width:width, padding:0, margin:0 }, overlayClose:true, autoPosition:false, modal:true, opacity:70 }); }
javascript
function openModal(src, width) { if ( !width ) width = 680; //var elementId = 'orcodio'; var originalYScroll = window.pageYOffset; //var modalFrame = $.modal('<iframe id="'+ elementId +'" src="' + src + '" width="' + width + '" onload="centerModal(this,' + originalYScroll + ')" style="border:0">', { var modalFrame = $.modal('<iframe src="' + src + '" width="' + width + '" onload="centerModal(this,' + originalYScroll + ')" style="border:0">', { closeHTML:'', containerCss:{ backgroundColor:"#fff", borderColor:"#fff", width:width, padding:0, margin:0 }, overlayClose:true, autoPosition:false, modal:true, opacity:70 }); }
[ "function", "openModal", "(", "src", ",", "width", ")", "{", "if", "(", "!", "width", ")", "width", "=", "680", ";", "//var elementId = 'orcodio';", "var", "originalYScroll", "=", "window", ".", "pageYOffset", ";", "//var modalFrame = $.modal('<iframe id=\"'+ elemen...
open modal iframe popup
[ "open", "modal", "iframe", "popup" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/public/javascripts/jslardo.js#L68-L87
31,339
obliquid/jslardo
public/javascripts/jslardo.js
selectTab
function selectTab(tab,content) { //deseleziono tutti i tab $('#'+tab).parent().children().removeClass('tabButtonSelected'); //seleziono il tab cliccato $('#'+tab).addClass('tabButtonSelected'); //nascondo tutti i content $('#'+content).parent().children().fadeOut('fast'); //seleziono il tab cliccato $('#'+content).delay(200).fadeIn('fast'); }
javascript
function selectTab(tab,content) { //deseleziono tutti i tab $('#'+tab).parent().children().removeClass('tabButtonSelected'); //seleziono il tab cliccato $('#'+tab).addClass('tabButtonSelected'); //nascondo tutti i content $('#'+content).parent().children().fadeOut('fast'); //seleziono il tab cliccato $('#'+content).delay(200).fadeIn('fast'); }
[ "function", "selectTab", "(", "tab", ",", "content", ")", "{", "//deseleziono tutti i tab", "$", "(", "'#'", "+", "tab", ")", ".", "parent", "(", ")", ".", "children", "(", ")", ".", "removeClass", "(", "'tabButtonSelected'", ")", ";", "//seleziono il tab cl...
select a tab, displaying its content
[ "select", "a", "tab", "displaying", "its", "content" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/public/javascripts/jslardo.js#L161-L170
31,340
GruntBlanketMocha/grunt-blanket-mocha
support/grunt-reporter.js
function( data ) { var ret = { coverage: 0, hits: 0, misses: 0, sloc: 0 }; for (var i = 0; i < data.source.length; i++) { var line = data.source[i]; var num = i + 1; if (data[num] === 0) { ret.misses++; ret.sloc++; } else if (data[num] !== undefined) { ret.hits++; ret.sloc++; } } ret.coverage = ret.hits / ret.sloc * 100; return [ret.hits,ret.sloc]; }
javascript
function( data ) { var ret = { coverage: 0, hits: 0, misses: 0, sloc: 0 }; for (var i = 0; i < data.source.length; i++) { var line = data.source[i]; var num = i + 1; if (data[num] === 0) { ret.misses++; ret.sloc++; } else if (data[num] !== undefined) { ret.hits++; ret.sloc++; } } ret.coverage = ret.hits / ret.sloc * 100; return [ret.hits,ret.sloc]; }
[ "function", "(", "data", ")", "{", "var", "ret", "=", "{", "coverage", ":", "0", ",", "hits", ":", "0", ",", "misses", ":", "0", ",", "sloc", ":", "0", "}", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "data", ".", "source", ".", ...
helper function for computing coverage info for a particular file
[ "helper", "function", "for", "computing", "coverage", "info", "for", "a", "particular", "file" ]
c210fc13d9d4df73b10de0439940140a70768020
https://github.com/GruntBlanketMocha/grunt-blanket-mocha/blob/c210fc13d9d4df73b10de0439940140a70768020/support/grunt-reporter.js#L23-L45
31,341
GruntBlanketMocha/grunt-blanket-mocha
support/grunt-reporter.js
function(cov){ cov = window._$blanket; var sortedFileNames = []; var totals =[]; for (var filename in cov) { if (cov.hasOwnProperty(filename)) { sortedFileNames.push(filename); } } sortedFileNames.sort(); for (var i = 0; i < sortedFileNames.length; i++) { var thisFile = sortedFileNames[i]; var data = cov[thisFile]; var thisTotal= reportFile( data ); sendMessage("blanket:fileDone", thisTotal, thisFile); } sendMessage("blanket:done"); }
javascript
function(cov){ cov = window._$blanket; var sortedFileNames = []; var totals =[]; for (var filename in cov) { if (cov.hasOwnProperty(filename)) { sortedFileNames.push(filename); } } sortedFileNames.sort(); for (var i = 0; i < sortedFileNames.length; i++) { var thisFile = sortedFileNames[i]; var data = cov[thisFile]; var thisTotal= reportFile( data ); sendMessage("blanket:fileDone", thisTotal, thisFile); } sendMessage("blanket:done"); }
[ "function", "(", "cov", ")", "{", "cov", "=", "window", ".", "_$blanket", ";", "var", "sortedFileNames", "=", "[", "]", ";", "var", "totals", "=", "[", "]", ";", "for", "(", "var", "filename", "in", "cov", ")", "{", "if", "(", "cov", ".", "hasOwn...
this function is invoked by blanket.js when the coverage data is ready. it will compute per-file coverage info, and send a message to the parent phantomjs process for each file, which the grunt task will use to report passes & failures.
[ "this", "function", "is", "invoked", "by", "blanket", ".", "js", "when", "the", "coverage", "data", "is", "ready", ".", "it", "will", "compute", "per", "-", "file", "coverage", "info", "and", "send", "a", "message", "to", "the", "parent", "phantomjs", "p...
c210fc13d9d4df73b10de0439940140a70768020
https://github.com/GruntBlanketMocha/grunt-blanket-mocha/blob/c210fc13d9d4df73b10de0439940140a70768020/support/grunt-reporter.js#L50-L74
31,342
ajay2507/lasso-unpack
lib/lasso-unpack.js
extractLiterals
function extractLiterals(stats, args) { if (stats.getType() != null && (stats.getType() === "installed" || stats.getType() === "builtin")) { extractLiteralFromInstalled(stats, args); } if (stats.getType() != null && stats.getType() === "def") { extractLiteralFromDef(stats, args[0]); } if (stats.getType() != null && (stats.getType() === "main" || stats.getType() === "remap")) { extractLiteralFromMain(stats, args[0]); } }
javascript
function extractLiterals(stats, args) { if (stats.getType() != null && (stats.getType() === "installed" || stats.getType() === "builtin")) { extractLiteralFromInstalled(stats, args); } if (stats.getType() != null && stats.getType() === "def") { extractLiteralFromDef(stats, args[0]); } if (stats.getType() != null && (stats.getType() === "main" || stats.getType() === "remap")) { extractLiteralFromMain(stats, args[0]); } }
[ "function", "extractLiterals", "(", "stats", ",", "args", ")", "{", "if", "(", "stats", ".", "getType", "(", ")", "!=", "null", "&&", "(", "stats", ".", "getType", "(", ")", "===", "\"installed\"", "||", "stats", ".", "getType", "(", ")", "===", "\"b...
extract literal from AST tree.
[ "extract", "literal", "from", "AST", "tree", "." ]
fb228b00a549eedfafec7e8eaf9999d69db82a0c
https://github.com/ajay2507/lasso-unpack/blob/fb228b00a549eedfafec7e8eaf9999d69db82a0c/lib/lasso-unpack.js#L74-L86
31,343
obliquid/jslardo
public/javascripts/jq/jstree/jquery.jstree.js
function () { if(this.is_focused()) { return; } var f = $.jstree._focused(); if(f) { f.unset_focus(); } this.get_container().addClass("jstree-focused"); focused_instance = this.get_index(); this.__callback(); }
javascript
function () { if(this.is_focused()) { return; } var f = $.jstree._focused(); if(f) { f.unset_focus(); } this.get_container().addClass("jstree-focused"); focused_instance = this.get_index(); this.__callback(); }
[ "function", "(", ")", "{", "if", "(", "this", ".", "is_focused", "(", ")", ")", "{", "return", ";", "}", "var", "f", "=", "$", ".", "jstree", ".", "_focused", "(", ")", ";", "if", "(", "f", ")", "{", "f", ".", "unset_focus", "(", ")", ";", ...
deal with focus
[ "deal", "with", "focus" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/public/javascripts/jq/jstree/jquery.jstree.js#L552-L560
31,344
KenanY/trigger-event
index.js
triggerEvent
function triggerEvent(el, type, options) { if (isString(el)) { options = type; type = el; el = document; } var e = createEvent(type, options); el.dispatchEvent ? el.dispatchEvent(e) : el.fireEvent('on' + type, e); }
javascript
function triggerEvent(el, type, options) { if (isString(el)) { options = type; type = el; el = document; } var e = createEvent(type, options); el.dispatchEvent ? el.dispatchEvent(e) : el.fireEvent('on' + type, e); }
[ "function", "triggerEvent", "(", "el", ",", "type", ",", "options", ")", "{", "if", "(", "isString", "(", "el", ")", ")", "{", "options", "=", "type", ";", "type", "=", "el", ";", "el", "=", "document", ";", "}", "var", "e", "=", "createEvent", "...
Trigger an event of `type` on an `el` with `options`. @param {Element} el @param {String} type @param {Object} options
[ "Trigger", "an", "event", "of", "type", "on", "an", "el", "with", "options", "." ]
f7f4f539a76eb04c5ebca9411f64d03edc9ee96d
https://github.com/KenanY/trigger-event/blob/f7f4f539a76eb04c5ebca9411f64d03edc9ee96d/index.js#L12-L24
31,345
bytbil/sauce-test-runner
src/WrapperError.js
WrapperError
function WrapperError(message, innerError) { // supports instantiating the object without the new keyword if (!(this instanceof WrapperError)) { return new WrapperError(message, innerError); } Error.call(this); Error.captureStackTrace(this, WrapperError); this.message = message; this.innerError = innerError; }
javascript
function WrapperError(message, innerError) { // supports instantiating the object without the new keyword if (!(this instanceof WrapperError)) { return new WrapperError(message, innerError); } Error.call(this); Error.captureStackTrace(this, WrapperError); this.message = message; this.innerError = innerError; }
[ "function", "WrapperError", "(", "message", ",", "innerError", ")", "{", "// supports instantiating the object without the new keyword", "if", "(", "!", "(", "this", "instanceof", "WrapperError", ")", ")", "{", "return", "new", "WrapperError", "(", "message", ",", "...
An Error object which wraps another Error instance. @constructor @extends Error @param {String} message - Error message. @param {Error} innerError - The Error instance to wrap.
[ "An", "Error", "object", "which", "wraps", "another", "Error", "instance", "." ]
db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e
https://github.com/bytbil/sauce-test-runner/blob/db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e/src/WrapperError.js#L11-L22
31,346
bytbil/sauce-test-runner
src/WrapperError.js
formatError
function formatError(error, stack) { if (origPrepareStackTrace) { return origPrepareStackTrace(error, stack); } return [ error.toString(), stack .map(function (frame) { return 'at ' + frame.toString(); }) .map(padLeft) .join('\n') ].join('\n'); }
javascript
function formatError(error, stack) { if (origPrepareStackTrace) { return origPrepareStackTrace(error, stack); } return [ error.toString(), stack .map(function (frame) { return 'at ' + frame.toString(); }) .map(padLeft) .join('\n') ].join('\n'); }
[ "function", "formatError", "(", "error", ",", "stack", ")", "{", "if", "(", "origPrepareStackTrace", ")", "{", "return", "origPrepareStackTrace", "(", "error", ",", "stack", ")", ";", "}", "return", "[", "error", ".", "toString", "(", ")", ",", "stack", ...
Creates and returns a string representation of an error. @param {Error} error - The error. @returns {String} - A string representation of the error.
[ "Creates", "and", "returns", "a", "string", "representation", "of", "an", "error", "." ]
db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e
https://github.com/bytbil/sauce-test-runner/blob/db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e/src/WrapperError.js#L45-L58
31,347
syntaxhighlighter/syntaxhighlighter-regex
xregexp.js
isQuantifierNext
function isQuantifierNext(pattern, pos, flags) { return nativ.test.call( flags.indexOf('x') > -1 ? // Ignore any leading whitespace, line comments, and inline comments /^(?:\s+|#.*|\(\?#[^)]*\))*(?:[?*+]|{\d+(?:,\d*)?})/ : // Ignore any leading inline comments /^(?:\(\?#[^)]*\))*(?:[?*+]|{\d+(?:,\d*)?})/, pattern.slice(pos) ); }
javascript
function isQuantifierNext(pattern, pos, flags) { return nativ.test.call( flags.indexOf('x') > -1 ? // Ignore any leading whitespace, line comments, and inline comments /^(?:\s+|#.*|\(\?#[^)]*\))*(?:[?*+]|{\d+(?:,\d*)?})/ : // Ignore any leading inline comments /^(?:\(\?#[^)]*\))*(?:[?*+]|{\d+(?:,\d*)?})/, pattern.slice(pos) ); }
[ "function", "isQuantifierNext", "(", "pattern", ",", "pos", ",", "flags", ")", "{", "return", "nativ", ".", "test", ".", "call", "(", "flags", ".", "indexOf", "(", "'x'", ")", ">", "-", "1", "?", "// Ignore any leading whitespace, line comments, and inline comme...
Checks whether the next nonignorable token after the specified position is a quantifier. @private @param {String} pattern Pattern to search within. @param {Number} pos Index in `pattern` to search at. @param {String} flags Flags used by the pattern. @returns {Boolean} Whether the next token is a quantifier.
[ "Checks", "whether", "the", "next", "nonignorable", "token", "after", "the", "specified", "position", "is", "a", "quantifier", "." ]
a20b8bc52097774bf49e01a6554c904683c03878
https://github.com/syntaxhighlighter/syntaxhighlighter-regex/blob/a20b8bc52097774bf49e01a6554c904683c03878/xregexp.js#L309-L318
31,348
syntaxhighlighter/syntaxhighlighter-regex
xregexp.js
prepareOptions
function prepareOptions(value) { var options = {}; if (isType(value, 'String')) { XRegExp.forEach(value, /[^\s,]+/, function(match) { options[match] = true; }); return options; } return value; }
javascript
function prepareOptions(value) { var options = {}; if (isType(value, 'String')) { XRegExp.forEach(value, /[^\s,]+/, function(match) { options[match] = true; }); return options; } return value; }
[ "function", "prepareOptions", "(", "value", ")", "{", "var", "options", "=", "{", "}", ";", "if", "(", "isType", "(", "value", ",", "'String'", ")", ")", "{", "XRegExp", ".", "forEach", "(", "value", ",", "/", "[^\\s,]+", "/", ",", "function", "(", ...
Prepares an options object from the given value. @private @param {String|Object} value Value to convert to an options object. @returns {Object} Options object.
[ "Prepares", "an", "options", "object", "from", "the", "given", "value", "." ]
a20b8bc52097774bf49e01a6554c904683c03878
https://github.com/syntaxhighlighter/syntaxhighlighter-regex/blob/a20b8bc52097774bf49e01a6554c904683c03878/xregexp.js#L382-L394
31,349
fraserxu/babel-jsxgettext
index.js
parser
function parser (inputs, output, plugins, cb) { var data = { charset: 'UTF-8', headers: DEFAULT_HEADERS, translations: { context: {} } } var defaultContext = data.translations.context var headers = data.headers headers['plural-forms'] = headers['plural-forms'] || DEFAULT_HEADERS['plural-forms'] headers['content-type'] = headers['content-type'] || DEFAULT_HEADERS['content-type'] var nplurals = /nplurals ?= ?(\d)/.exec(headers['plural-forms'])[1] inputs .forEach(function (file) { var resolvedFilePath = path.join(process.cwd(), file) var src = fs.readFileSync(resolvedFilePath, 'utf8') try { var ast = babelParser.parse(src, { sourceType: 'module', plugins: ['jsx'].concat(plugins) }) } catch (e) { console.error(`SyntaxError in ${file} (line: ${e.loc.line}, column: ${e.loc.column})`) process.exit(1) } walk.simple(ast.program, { CallExpression: function (node) { if (functionNames.hasOwnProperty(node.callee.name) || node.callee.property && functionNames.hasOwnProperty(node.callee.property.name)) { var functionName = functionNames[node.callee.name] || functionNames[node.callee.property.name] var translate = {} var args = node.arguments for (var i = 0, l = args.length; i < l; i++) { var name = functionName[i] if (name && name !== 'count' && name !== 'domain') { var arg = args[i] var value = arg.value if (value) { var line = node.loc.start.line translate[name] = value translate['comments'] = { reference: file + ':' + line } } if (name === 'msgid_plural') { translate.msgstr = [] for (var p = 0; p < nplurals; p++) { translate.msgstr[p] = '' } } } } var context = defaultContext var msgctxt = translate.msgctxt if (msgctxt) { data.translations[msgctxt] = data.translations[msgctxt] || {} context = data.translations[msgctxt] } context[translate.msgid] = translate } } }) }) fs.writeFile(output, gettextParser.po.compile(data), function (err) { if (err) { cb(err) } cb(null) }) }
javascript
function parser (inputs, output, plugins, cb) { var data = { charset: 'UTF-8', headers: DEFAULT_HEADERS, translations: { context: {} } } var defaultContext = data.translations.context var headers = data.headers headers['plural-forms'] = headers['plural-forms'] || DEFAULT_HEADERS['plural-forms'] headers['content-type'] = headers['content-type'] || DEFAULT_HEADERS['content-type'] var nplurals = /nplurals ?= ?(\d)/.exec(headers['plural-forms'])[1] inputs .forEach(function (file) { var resolvedFilePath = path.join(process.cwd(), file) var src = fs.readFileSync(resolvedFilePath, 'utf8') try { var ast = babelParser.parse(src, { sourceType: 'module', plugins: ['jsx'].concat(plugins) }) } catch (e) { console.error(`SyntaxError in ${file} (line: ${e.loc.line}, column: ${e.loc.column})`) process.exit(1) } walk.simple(ast.program, { CallExpression: function (node) { if (functionNames.hasOwnProperty(node.callee.name) || node.callee.property && functionNames.hasOwnProperty(node.callee.property.name)) { var functionName = functionNames[node.callee.name] || functionNames[node.callee.property.name] var translate = {} var args = node.arguments for (var i = 0, l = args.length; i < l; i++) { var name = functionName[i] if (name && name !== 'count' && name !== 'domain') { var arg = args[i] var value = arg.value if (value) { var line = node.loc.start.line translate[name] = value translate['comments'] = { reference: file + ':' + line } } if (name === 'msgid_plural') { translate.msgstr = [] for (var p = 0; p < nplurals; p++) { translate.msgstr[p] = '' } } } } var context = defaultContext var msgctxt = translate.msgctxt if (msgctxt) { data.translations[msgctxt] = data.translations[msgctxt] || {} context = data.translations[msgctxt] } context[translate.msgid] = translate } } }) }) fs.writeFile(output, gettextParser.po.compile(data), function (err) { if (err) { cb(err) } cb(null) }) }
[ "function", "parser", "(", "inputs", ",", "output", ",", "plugins", ",", "cb", ")", "{", "var", "data", "=", "{", "charset", ":", "'UTF-8'", ",", "headers", ":", "DEFAULT_HEADERS", ",", "translations", ":", "{", "context", ":", "{", "}", "}", "}", "v...
The parser function @param {String} input The path to soure JavaScript file @param {String} output The path of the output PO file @param {Function} cb The callback function
[ "The", "parser", "function" ]
aa51718017879069bf93571958a9e86d2d3a8646
https://github.com/fraserxu/babel-jsxgettext/blob/aa51718017879069bf93571958a9e86d2d3a8646/index.js#L16-L100
31,350
storj/service-storage-models
index.js
Storage
function Storage(mongoURI, mongoOptions, storageOptions) { if (!(this instanceof Storage)) { return new Storage(mongoURI, mongoOptions, storageOptions); } assert(typeof mongoOptions === 'object', 'Invalid mongo options supplied'); this._uri = mongoURI; this._options = mongoOptions; const defaultLogger = { info: console.log, debug: console.log, error: console.error, warn: console.warn }; this._log = defaultLogger; if (storageOptions && storageOptions.logger) { this._log = storageOptions.logger; } // connect to the database this._connect(); }
javascript
function Storage(mongoURI, mongoOptions, storageOptions) { if (!(this instanceof Storage)) { return new Storage(mongoURI, mongoOptions, storageOptions); } assert(typeof mongoOptions === 'object', 'Invalid mongo options supplied'); this._uri = mongoURI; this._options = mongoOptions; const defaultLogger = { info: console.log, debug: console.log, error: console.error, warn: console.warn }; this._log = defaultLogger; if (storageOptions && storageOptions.logger) { this._log = storageOptions.logger; } // connect to the database this._connect(); }
[ "function", "Storage", "(", "mongoURI", ",", "mongoOptions", ",", "storageOptions", ")", "{", "if", "(", "!", "(", "this", "instanceof", "Storage", ")", ")", "{", "return", "new", "Storage", "(", "mongoURI", ",", "mongoOptions", ",", "storageOptions", ")", ...
MongoDB storage interface @constructor @param {Object} mongoConf @param {Object} options
[ "MongoDB", "storage", "interface" ]
1271354451bb410bdf1ecc6285f40918d4bc861d
https://github.com/storj/service-storage-models/blob/1271354451bb410bdf1ecc6285f40918d4bc861d/index.js#L18-L41
31,351
neekey/connected-domain
lib/connected-domain.js
addPointToDomain
function addPointToDomain( point, x, y, domainId ){ var domain = domains[ domainId ]; var newPoint = { value: point, x: x, y: y, identifier: domain.identifier, domainId: domainId }; pointsHash[ x + '_' + y ] = { value: point, identifier: domain.identifier, domainId: domainId }; domain.points.push( newPoint ); }
javascript
function addPointToDomain( point, x, y, domainId ){ var domain = domains[ domainId ]; var newPoint = { value: point, x: x, y: y, identifier: domain.identifier, domainId: domainId }; pointsHash[ x + '_' + y ] = { value: point, identifier: domain.identifier, domainId: domainId }; domain.points.push( newPoint ); }
[ "function", "addPointToDomain", "(", "point", ",", "x", ",", "y", ",", "domainId", ")", "{", "var", "domain", "=", "domains", "[", "domainId", "]", ";", "var", "newPoint", "=", "{", "value", ":", "point", ",", "x", ":", "x", ",", "y", ":", "y", "...
add a point to a existing domain, and attach properties domainId and identifier to point. @param point @param x @param y @param domainId
[ "add", "a", "point", "to", "a", "existing", "domain", "and", "attach", "properties", "domainId", "and", "identifier", "to", "point", "." ]
ecb49662ddab7a5bc26d6ec94701a5129bc914f3
https://github.com/neekey/connected-domain/blob/ecb49662ddab7a5bc26d6ec94701a5129bc914f3/lib/connected-domain.js#L208-L226
31,352
Manabu-GT/grunt-auto-install
tasks/auto_install.js
function(dir) { var results = []; var list = fs.readdirSync(dir); list.forEach(function(file) { // Check for every given pattern, regardless of whether it is an array or a string var matchesSomeExclude = [].concat(options.exclude).some(function(regexp) { return file.match(regexp) != null; }); if(!matchesSomeExclude) { var matchesSomePattern = [].concat(options.match).some(function(regexp) { return file.match(regexp) != null; }); file = path.resolve(dir, file); var stat = fs.statSync(file); if (stat && stat.isDirectory()) { if(matchesSomePattern) { results = results.concat(file); } results = results.concat(walk(file)); } } }); return results; }
javascript
function(dir) { var results = []; var list = fs.readdirSync(dir); list.forEach(function(file) { // Check for every given pattern, regardless of whether it is an array or a string var matchesSomeExclude = [].concat(options.exclude).some(function(regexp) { return file.match(regexp) != null; }); if(!matchesSomeExclude) { var matchesSomePattern = [].concat(options.match).some(function(regexp) { return file.match(regexp) != null; }); file = path.resolve(dir, file); var stat = fs.statSync(file); if (stat && stat.isDirectory()) { if(matchesSomePattern) { results = results.concat(file); } results = results.concat(walk(file)); } } }); return results; }
[ "function", "(", "dir", ")", "{", "var", "results", "=", "[", "]", ";", "var", "list", "=", "fs", ".", "readdirSync", "(", "dir", ")", ";", "list", ".", "forEach", "(", "function", "(", "file", ")", "{", "// Check for every given pattern, regardless of whe...
Synchronously walks the directory and returns an array of every subdirectory that matches the patterns, and doesn't match any exclude pattern
[ "Synchronously", "walks", "the", "directory", "and", "returns", "an", "array", "of", "every", "subdirectory", "that", "matches", "the", "patterns", "and", "doesn", "t", "match", "any", "exclude", "pattern" ]
e0d394a047f5364a00340112a8090c86ebf3b469
https://github.com/Manabu-GT/grunt-auto-install/blob/e0d394a047f5364a00340112a8090c86ebf3b469/tasks/auto_install.js#L59-L88
31,353
Alhadis/Atom-Mocha
bin/post-install.js
die
function die(reason = "", error = null, exitCode = 0){ reason = (reason || "").trim(); // ANSI escape sequences (disabled if output is redirected) const [reset,, underline,, noUnderline, red] = process.stderr.isTTY ? [0, 1, 4, 22, 24, [31, 9, 38]].map(s => `\x1B[${ Array.isArray(s) ? s.join(";") : s}m`) : Array.of("", 40); if(error){ const {inspect} = require("util"); process.stderr.write(red + inspect(error) + reset + "\n\n"); } // Underline all occurrences of target-file's name const target = underline + file + noUnderline; // "Not found" -> "package.json not found" if(reason && !reason.match(file)) reason = (file + " ") + reason[0].toLowerCase() + reason.substr(1); // Pedantic polishes reason = reason .replace(/(?:\r\n|\s)+/g, " ") .replace(/^\s+|[.!]*\s*$/g, "") .replace(/^(?!\.$)/, ": ") .replace(file, target); const output = `${red}Unable to finish installing Atom-Mocha${reason}${reset} The following field must be added to your project's ${target} file: "${key}": "${value}" See ${underline}README.md${reset} for setup instructions. `.replace(/^\t/gm, ""); process.stderr.write(output); process.exit(exitCode); }
javascript
function die(reason = "", error = null, exitCode = 0){ reason = (reason || "").trim(); // ANSI escape sequences (disabled if output is redirected) const [reset,, underline,, noUnderline, red] = process.stderr.isTTY ? [0, 1, 4, 22, 24, [31, 9, 38]].map(s => `\x1B[${ Array.isArray(s) ? s.join(";") : s}m`) : Array.of("", 40); if(error){ const {inspect} = require("util"); process.stderr.write(red + inspect(error) + reset + "\n\n"); } // Underline all occurrences of target-file's name const target = underline + file + noUnderline; // "Not found" -> "package.json not found" if(reason && !reason.match(file)) reason = (file + " ") + reason[0].toLowerCase() + reason.substr(1); // Pedantic polishes reason = reason .replace(/(?:\r\n|\s)+/g, " ") .replace(/^\s+|[.!]*\s*$/g, "") .replace(/^(?!\.$)/, ": ") .replace(file, target); const output = `${red}Unable to finish installing Atom-Mocha${reason}${reset} The following field must be added to your project's ${target} file: "${key}": "${value}" See ${underline}README.md${reset} for setup instructions. `.replace(/^\t/gm, ""); process.stderr.write(output); process.exit(exitCode); }
[ "function", "die", "(", "reason", "=", "\"\"", ",", "error", "=", "null", ",", "exitCode", "=", "0", ")", "{", "reason", "=", "(", "reason", "||", "\"\"", ")", ".", "trim", "(", ")", ";", "// ANSI escape sequences (disabled if output is redirected)", "const"...
Print an error message to the standard error stream, then quit. @param {String} [reason=""] - Brief description of the error. @param {Error} [error=null] - Possible error object preceding output @param {Number} [exitCode=1] - Error code to exit with. @private
[ "Print", "an", "error", "message", "to", "the", "standard", "error", "stream", "then", "quit", "." ]
fa784a52905957dcf9e9cb6fec095f79972bfbc4
https://github.com/Alhadis/Atom-Mocha/blob/fa784a52905957dcf9e9cb6fec095f79972bfbc4/bin/post-install.js#L78-L118
31,354
Alhadis/Atom-Mocha
bin/post-install.js
read
function read(filePath, options){ return new Promise((resolve, reject) => { fs.readFile(filePath, options, (error, data) => { error ? reject(error) : resolve(data.toString()); }); }); }
javascript
function read(filePath, options){ return new Promise((resolve, reject) => { fs.readFile(filePath, options, (error, data) => { error ? reject(error) : resolve(data.toString()); }); }); }
[ "function", "read", "(", "filePath", ",", "options", ")", "{", "return", "new", "Promise", "(", "(", "resolve", ",", "reject", ")", "=>", "{", "fs", ".", "readFile", "(", "filePath", ",", "options", ",", "(", "error", ",", "data", ")", "=>", "{", "...
Promise-aware version of `fs.readFile`. @param {String} filePath - File to read @param {Object} [options] - Options passed to `fs.readFile` @return {Promise} Resolves with stringified data. @see {@link https://nodejs.org/api/fs.html#fs_fs_readfile_file_options_callback|`fs.readFile`}
[ "Promise", "-", "aware", "version", "of", "fs", ".", "readFile", "." ]
fa784a52905957dcf9e9cb6fec095f79972bfbc4
https://github.com/Alhadis/Atom-Mocha/blob/fa784a52905957dcf9e9cb6fec095f79972bfbc4/bin/post-install.js#L129-L137
31,355
Alhadis/Atom-Mocha
bin/post-install.js
write
function write(filePath, fileData, options){ return new Promise((resolve, reject) => { fs.writeFile(filePath, fileData, options, error => { error ? reject(error) : resolve(fileData); }); }); }
javascript
function write(filePath, fileData, options){ return new Promise((resolve, reject) => { fs.writeFile(filePath, fileData, options, error => { error ? reject(error) : resolve(fileData); }); }); }
[ "function", "write", "(", "filePath", ",", "fileData", ",", "options", ")", "{", "return", "new", "Promise", "(", "(", "resolve", ",", "reject", ")", "=>", "{", "fs", ".", "writeFile", "(", "filePath", ",", "fileData", ",", "options", ",", "error", "=>...
Promise-aware version of `fs.writeFile`. @param {String} filePath - File to write to @param {String} fileData - Data to be written @param {Object} [options] - Options passed to `fs.writeFile` @return {Promise} Resolves with input parameter for easier chaining @see {@link https://nodejs.org/api/fs.html#fs_fs_writefile_file_data_options_callback|`fs.writeFile`}
[ "Promise", "-", "aware", "version", "of", "fs", ".", "writeFile", "." ]
fa784a52905957dcf9e9cb6fec095f79972bfbc4
https://github.com/Alhadis/Atom-Mocha/blob/fa784a52905957dcf9e9cb6fec095f79972bfbc4/bin/post-install.js#L149-L157
31,356
kevinoid/nodecat
index.js
combineErrors
function combineErrors(errPrev, errNew) { if (!errPrev) { return errNew; } let errCombined; if (errPrev instanceof AggregateError) { errCombined = errPrev; } else { errCombined = new AggregateError(); errCombined.push(errPrev); } errCombined.push(errNew); return errCombined; }
javascript
function combineErrors(errPrev, errNew) { if (!errPrev) { return errNew; } let errCombined; if (errPrev instanceof AggregateError) { errCombined = errPrev; } else { errCombined = new AggregateError(); errCombined.push(errPrev); } errCombined.push(errNew); return errCombined; }
[ "function", "combineErrors", "(", "errPrev", ",", "errNew", ")", "{", "if", "(", "!", "errPrev", ")", "{", "return", "errNew", ";", "}", "let", "errCombined", ";", "if", "(", "errPrev", "instanceof", "AggregateError", ")", "{", "errCombined", "=", "errPrev...
Combines one or more errors into a single error. @param {AggregateError|Error} errPrev Previous errors, if any. @param {!Error} errNew New error. @return {!AggregateError|!Error} Error which represents all errors that have occurred. If only one error has occurred, it will be returned. Otherwise an {@link AggregateError} including all previous errors will be returned. @private
[ "Combines", "one", "or", "more", "errors", "into", "a", "single", "error", "." ]
333f9710bbe7ceac5ec3f6171b2e8446ab2f3973
https://github.com/kevinoid/nodecat/blob/333f9710bbe7ceac5ec3f6171b2e8446ab2f3973/index.js#L21-L36
31,357
Alhadis/Atom-Mocha
lib/extensions.js
addToChai
function addToChai(names, fn){ for(const name of names) Chai.Assertion.addMethod(name, fn); }
javascript
function addToChai(names, fn){ for(const name of names) Chai.Assertion.addMethod(name, fn); }
[ "function", "addToChai", "(", "names", ",", "fn", ")", "{", "for", "(", "const", "name", "of", "names", ")", "Chai", ".", "Assertion", ".", "addMethod", "(", "name", ",", "fn", ")", ";", "}" ]
Thin wrapper around Chai.Assertion.addMethod to permit plugin aliases
[ "Thin", "wrapper", "around", "Chai", ".", "Assertion", ".", "addMethod", "to", "permit", "plugin", "aliases" ]
fa784a52905957dcf9e9cb6fec095f79972bfbc4
https://github.com/Alhadis/Atom-Mocha/blob/fa784a52905957dcf9e9cb6fec095f79972bfbc4/lib/extensions.js#L184-L187
31,358
xiara-io/xiara-mongo
dist/Definitions/Decorators.js
FieldReference
function FieldReference(typeFunction, fieldOptions = {}) { return function (target, key) { let fieldType = Reflect.getMetadata("design:type", target, key); let schema = MongoSchemaRegistry_1.MongoSchemaRegistry.getSchema(target.constructor.name); if (!schema) { schema = new MongoSchema_1.MongoSchema(target.constructor); MongoSchemaRegistry_1.MongoSchemaRegistry.register(target.constructor.name, schema); } if (!typeFunction) { typeFunction = type => { return fieldOptions.type || Reflect.getMetadata("design:type", target, key).name; }; } fieldOptions.foreignField = fieldOptions.foreignField || "_id"; if (!fieldType || fieldType.name != "Array") { fieldOptions.relationType = MongoSchema_1.ERelationType.SingleObjectId; } if (fieldType && fieldType.name == "Array") { fieldOptions.relationType = MongoSchema_1.ERelationType.ArrayObjectId; } schema.addField(key, typeFunction, fieldOptions); }; }
javascript
function FieldReference(typeFunction, fieldOptions = {}) { return function (target, key) { let fieldType = Reflect.getMetadata("design:type", target, key); let schema = MongoSchemaRegistry_1.MongoSchemaRegistry.getSchema(target.constructor.name); if (!schema) { schema = new MongoSchema_1.MongoSchema(target.constructor); MongoSchemaRegistry_1.MongoSchemaRegistry.register(target.constructor.name, schema); } if (!typeFunction) { typeFunction = type => { return fieldOptions.type || Reflect.getMetadata("design:type", target, key).name; }; } fieldOptions.foreignField = fieldOptions.foreignField || "_id"; if (!fieldType || fieldType.name != "Array") { fieldOptions.relationType = MongoSchema_1.ERelationType.SingleObjectId; } if (fieldType && fieldType.name == "Array") { fieldOptions.relationType = MongoSchema_1.ERelationType.ArrayObjectId; } schema.addField(key, typeFunction, fieldOptions); }; }
[ "function", "FieldReference", "(", "typeFunction", ",", "fieldOptions", "=", "{", "}", ")", "{", "return", "function", "(", "target", ",", "key", ")", "{", "let", "fieldType", "=", "Reflect", ".", "getMetadata", "(", "\"design:type\"", ",", "target", ",", ...
Single field representing a singl object
[ "Single", "field", "representing", "a", "singl", "object" ]
cd816e9fce11b0739a0859c4f462bcbe72c729a9
https://github.com/xiara-io/xiara-mongo/blob/cd816e9fce11b0739a0859c4f462bcbe72c729a9/dist/Definitions/Decorators.js#L80-L102
31,359
timmywil/grunt-npmcopy
tasks/npmcopy.js
getNumTargets
function getNumTargets() { if (numTargets) { return numTargets } var targets = grunt.config('npmcopy') if (targets) { delete targets.options numTargets = Object.keys(targets).length } return numTargets }
javascript
function getNumTargets() { if (numTargets) { return numTargets } var targets = grunt.config('npmcopy') if (targets) { delete targets.options numTargets = Object.keys(targets).length } return numTargets }
[ "function", "getNumTargets", "(", ")", "{", "if", "(", "numTargets", ")", "{", "return", "numTargets", "}", "var", "targets", "=", "grunt", ".", "config", "(", "'npmcopy'", ")", "if", "(", "targets", ")", "{", "delete", "targets", ".", "options", "numTar...
Retrieve the number of targets from the grunt config @returns {number|undefined} Returns the number of targets, or undefined if the npmcopy config could not be found
[ "Retrieve", "the", "number", "of", "targets", "from", "the", "grunt", "config" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L42-L52
31,360
timmywil/grunt-npmcopy
tasks/npmcopy.js
convert
function convert(files) { var converted = [] files.forEach(function(file) { // We need originals as the destinations may not yet exist file = file.orig var dest = file.dest // Use destination for source if no source is available if (!file.src.length) { converted.push({ src: dest, dest: dest }) return } file.src.forEach(function(source) { converted.push({ src: source, dest: dest }) }) }) return converted }
javascript
function convert(files) { var converted = [] files.forEach(function(file) { // We need originals as the destinations may not yet exist file = file.orig var dest = file.dest // Use destination for source if no source is available if (!file.src.length) { converted.push({ src: dest, dest: dest }) return } file.src.forEach(function(source) { converted.push({ src: source, dest: dest }) }) }) return converted }
[ "function", "convert", "(", "files", ")", "{", "var", "converted", "=", "[", "]", "files", ".", "forEach", "(", "function", "(", "file", ")", "{", "// We need originals as the destinations may not yet exist", "file", "=", "file", ".", "orig", "var", "dest", "=...
Convert from grunt to a cleaner format @param {Array} files
[ "Convert", "from", "grunt", "to", "a", "cleaner", "format" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L58-L82
31,361
timmywil/grunt-npmcopy
tasks/npmcopy.js
filterRepresented
function filterRepresented(modules, files, options) { return _.filter(modules, function(module) { return !_.some(files, function(file) { // Look for the module name somewhere in the source path return ( path .join(sep, options.srcPrefix, file.src.replace(rmain, '$1'), sep) .indexOf(sep + module + sep) > -1 ) }) }) }
javascript
function filterRepresented(modules, files, options) { return _.filter(modules, function(module) { return !_.some(files, function(file) { // Look for the module name somewhere in the source path return ( path .join(sep, options.srcPrefix, file.src.replace(rmain, '$1'), sep) .indexOf(sep + module + sep) > -1 ) }) }) }
[ "function", "filterRepresented", "(", "modules", ",", "files", ",", "options", ")", "{", "return", "_", ".", "filter", "(", "modules", ",", "function", "(", "module", ")", "{", "return", "!", "_", ".", "some", "(", "files", ",", "function", "(", "file"...
Filter out all of the modules represented in the filesSrc array @param {Array} modules @param {Array} files @param {Object} options
[ "Filter", "out", "all", "of", "the", "modules", "represented", "in", "the", "filesSrc", "array" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L90-L101
31,362
timmywil/grunt-npmcopy
tasks/npmcopy.js
ensure
function ensure(files, options) { // Update the global array of represented modules unused = filterRepresented(unused, files, options) verbose.writeln('Unrepresented modules list currently at ', unused) // Only print message when all targets have been run if (++numRuns === getNumTargets()) { if (unused.length) { if (options.report) { log.writeln('\nPackages left out:') log.writeln(unused.join('\n')) } } else if (options.report) { log.ok('All modules have something copied.') } } }
javascript
function ensure(files, options) { // Update the global array of represented modules unused = filterRepresented(unused, files, options) verbose.writeln('Unrepresented modules list currently at ', unused) // Only print message when all targets have been run if (++numRuns === getNumTargets()) { if (unused.length) { if (options.report) { log.writeln('\nPackages left out:') log.writeln(unused.join('\n')) } } else if (options.report) { log.ok('All modules have something copied.') } } }
[ "function", "ensure", "(", "files", ",", "options", ")", "{", "// Update the global array of represented modules", "unused", "=", "filterRepresented", "(", "unused", ",", "files", ",", "options", ")", "verbose", ".", "writeln", "(", "'Unrepresented modules list currentl...
Ensure all npm dependencies are accounted for @param {Array} files Files property from the task @param {Object} options @returns {boolean} Returns whether all dependencies are accounted for
[ "Ensure", "all", "npm", "dependencies", "are", "accounted", "for" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L109-L126
31,363
timmywil/grunt-npmcopy
tasks/npmcopy.js
convertMatches
function convertMatches(files, options, dest) { return files.map(function(source) { return { src: source, dest: path.join( // Build a destination from the new source if no dest // was specified dest != null ? dest : path.dirname(source).replace(options.srcPrefix + sep, ''), path.basename(source) ) } }) }
javascript
function convertMatches(files, options, dest) { return files.map(function(source) { return { src: source, dest: path.join( // Build a destination from the new source if no dest // was specified dest != null ? dest : path.dirname(source).replace(options.srcPrefix + sep, ''), path.basename(source) ) } }) }
[ "function", "convertMatches", "(", "files", ",", "options", ",", "dest", ")", "{", "return", "files", ".", "map", "(", "function", "(", "source", ")", "{", "return", "{", "src", ":", "source", ",", "dest", ":", "path", ".", "join", "(", "// Build a des...
Convert an array of files sources to our format @param {Array} files @param {Object} options @param {String} [dest] A folder destination for all of these sources
[ "Convert", "an", "array", "of", "files", "sources", "to", "our", "format" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L134-L146
31,364
timmywil/grunt-npmcopy
tasks/npmcopy.js
getMain
function getMain(src, options, dest) { var meta = grunt.file.readJSON(path.join(src, 'package.json')) if (!meta.main) { fail.fatal( 'No main property specified by ' + path.normalize(src.replace(options.srcPrefix, '')) ) } var files = typeof meta.main === 'string' ? [meta.main] : meta.main return files.map(function(source) { return { src: path.join(src, source), dest: dest } }) }
javascript
function getMain(src, options, dest) { var meta = grunt.file.readJSON(path.join(src, 'package.json')) if (!meta.main) { fail.fatal( 'No main property specified by ' + path.normalize(src.replace(options.srcPrefix, '')) ) } var files = typeof meta.main === 'string' ? [meta.main] : meta.main return files.map(function(source) { return { src: path.join(src, source), dest: dest } }) }
[ "function", "getMain", "(", "src", ",", "options", ",", "dest", ")", "{", "var", "meta", "=", "grunt", ".", "file", ".", "readJSON", "(", "path", ".", "join", "(", "src", ",", "'package.json'", ")", ")", "if", "(", "!", "meta", ".", "main", ")", ...
Get the main files for a particular package @param {string} src @param {Object} options @param {string} dest @returns {Array} Returns an array of file locations from the main property
[ "Get", "the", "main", "files", "for", "a", "particular", "package" ]
bd7ebdfd043437ac52e123ee007cb174d94e2565
https://github.com/timmywil/grunt-npmcopy/blob/bd7ebdfd043437ac52e123ee007cb174d94e2565/tasks/npmcopy.js#L155-L169
31,365
obliquid/jslardo
core/permissions.js
readStrucPerm
function readStrucPerm(on, req, res, next) { //console.log('readStrucPerm: req.session.user_id = ' + req.session.user_id); //solo nel caso di favicon.ico non ha le session impostate, non so perchè, //quindi bypasso il controllo, perchè su favicon non ho nessuna restrizione if ( !req.session ) { next(); } else { //azzero i permessi req.session.loggedIn = false; req.session.canCreate = false; req.session.canModify = false; req.session.canModifyMyself = false; //questo è un permesso che vale solo per l'elemento "users" //controllo se sono loggato if (req.session.user_id) { //l'utente risulta loggato //controllo se i suoi dati di login sono validi //(questo controllo va fatto ogni volta, perchè se dall'ultimo conrollo l'utente fosse stato cancellato, non me ne accorgerei senza controllo req.app.jsl.sess.checkValidUser(req, function(result, user_id) { if ( result ) { //i dati di login sono validi req.session.loggedIn = true; if ( user_id == 'superadmin' ) { //se sono super admin, ho sempre permesso di modify su tutti i contenuti, ma non ho il create (a parte sugli users) //questo perchè quando si crea un contenuto, questo è strettamente legato all'utente che lo crea, e il superadmin //non è un utente vero è proprio (non è presente nel db, non ha id). il super admin serve solo per poter vedere e modificare tutto, ma non può creare nulla req.session.canModify = true; req.session.canModifyMyself = true; //questo serve per permettere al super admin di modificare gli utenti (il form di modifica lo richiede) //solo nel caso degli users, il superadmin ha il create, anche se usersCanRegister = false if ( on == 'user' ) { req.session.canCreate = true; } //la request puo essere processata next(); } else { //non sono superadmin //siccome si tratta di permessi su elementi della struttura, chiunque (loggato) ha sempre il permesso di create nuovi elementi //(tranne per il caso degli "user" in cui si creano altri utenti con il bottone "registrati", che però non prevede di essere loggati) if ( on != 'user' ) { req.session.canCreate = true; } //differenzio i permessi di modify in base all'oggetto trattato switch (on) { case 'user': //user è un elemento della struttura particolare, perchè, a differenza di tutti gli altri elementi di struttura, ogni utente può solo modificare //se stesso. inoltre user non ha un "author" poichè un utente è creato da se stesso tramite il bottone "register" //nel caso di modifica di users, ho modify solo per modificare me stesso if ( req.params.id == req.session.user_id ) //controllo se l'id dell'utente da modificare è quello dell'utente loggato, cioè se modifico me stesso { //lo user id nella route richiesta corrisponde al mio, quindi posso modificare me stesso (il mio profilo) req.session.canModifyMyself = true; } break; default: //ora come ora per tutti gli altri elementi della struttura chiunque ha permesso di modify, ma solo sui propri elementi req.session.canModify = true; break; } //continuo next(); } } else { //i dati di login non sono validi //console.log('readStrucPerm: login NON valido'); //forzo un logout (potrebbe verificarsi il caso in cui un utente è loggato, e viene cancellato dal db. in quel caso deve avvenire anche il suo logout) setSignedOut(req); //vengo mandato in home res.redirect('/'); } }); } else { //console.log('readStrucPerm: utente non loggato'); //non sono loggato. l'unica cosa che posso fare è di registrarmi, ovvero creare un nuovo user //ma solo se è stato previsto nel config if ( on == 'user' && req.app.jsl.config.usersCanRegister ) { req.session.canCreate = true; } //non ho nessun permesso, continuo next(); } } }
javascript
function readStrucPerm(on, req, res, next) { //console.log('readStrucPerm: req.session.user_id = ' + req.session.user_id); //solo nel caso di favicon.ico non ha le session impostate, non so perchè, //quindi bypasso il controllo, perchè su favicon non ho nessuna restrizione if ( !req.session ) { next(); } else { //azzero i permessi req.session.loggedIn = false; req.session.canCreate = false; req.session.canModify = false; req.session.canModifyMyself = false; //questo è un permesso che vale solo per l'elemento "users" //controllo se sono loggato if (req.session.user_id) { //l'utente risulta loggato //controllo se i suoi dati di login sono validi //(questo controllo va fatto ogni volta, perchè se dall'ultimo conrollo l'utente fosse stato cancellato, non me ne accorgerei senza controllo req.app.jsl.sess.checkValidUser(req, function(result, user_id) { if ( result ) { //i dati di login sono validi req.session.loggedIn = true; if ( user_id == 'superadmin' ) { //se sono super admin, ho sempre permesso di modify su tutti i contenuti, ma non ho il create (a parte sugli users) //questo perchè quando si crea un contenuto, questo è strettamente legato all'utente che lo crea, e il superadmin //non è un utente vero è proprio (non è presente nel db, non ha id). il super admin serve solo per poter vedere e modificare tutto, ma non può creare nulla req.session.canModify = true; req.session.canModifyMyself = true; //questo serve per permettere al super admin di modificare gli utenti (il form di modifica lo richiede) //solo nel caso degli users, il superadmin ha il create, anche se usersCanRegister = false if ( on == 'user' ) { req.session.canCreate = true; } //la request puo essere processata next(); } else { //non sono superadmin //siccome si tratta di permessi su elementi della struttura, chiunque (loggato) ha sempre il permesso di create nuovi elementi //(tranne per il caso degli "user" in cui si creano altri utenti con il bottone "registrati", che però non prevede di essere loggati) if ( on != 'user' ) { req.session.canCreate = true; } //differenzio i permessi di modify in base all'oggetto trattato switch (on) { case 'user': //user è un elemento della struttura particolare, perchè, a differenza di tutti gli altri elementi di struttura, ogni utente può solo modificare //se stesso. inoltre user non ha un "author" poichè un utente è creato da se stesso tramite il bottone "register" //nel caso di modifica di users, ho modify solo per modificare me stesso if ( req.params.id == req.session.user_id ) //controllo se l'id dell'utente da modificare è quello dell'utente loggato, cioè se modifico me stesso { //lo user id nella route richiesta corrisponde al mio, quindi posso modificare me stesso (il mio profilo) req.session.canModifyMyself = true; } break; default: //ora come ora per tutti gli altri elementi della struttura chiunque ha permesso di modify, ma solo sui propri elementi req.session.canModify = true; break; } //continuo next(); } } else { //i dati di login non sono validi //console.log('readStrucPerm: login NON valido'); //forzo un logout (potrebbe verificarsi il caso in cui un utente è loggato, e viene cancellato dal db. in quel caso deve avvenire anche il suo logout) setSignedOut(req); //vengo mandato in home res.redirect('/'); } }); } else { //console.log('readStrucPerm: utente non loggato'); //non sono loggato. l'unica cosa che posso fare è di registrarmi, ovvero creare un nuovo user //ma solo se è stato previsto nel config if ( on == 'user' && req.app.jsl.config.usersCanRegister ) { req.session.canCreate = true; } //non ho nessun permesso, continuo next(); } } }
[ "function", "readStrucPerm", "(", "on", ",", "req", ",", "res", ",", "next", ")", "{", "//console.log('readStrucPerm: req.session.user_id = ' + req.session.user_id);", "//solo nel caso di favicon.ico non ha le session impostate, non so perchè,", "//quindi bypasso il controllo, perchè su ...
questo metodo viene richiamato prima di eseguire ogni request che lo richiede in qualunque controller di qualunque oggetto
[ "questo", "metodo", "viene", "richiamato", "prima", "di", "eseguire", "ogni", "request", "che", "lo", "richiede", "in", "qualunque", "controller", "di", "qualunque", "oggetto" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/core/permissions.js#L179-L274
31,366
feedhenry/fh-gridfs
lib/gridFileManager.js
getFileDetails
function getFileDetails(db, fileSelectionCriteria, fileOptions, cb) { defaultLogger.debug("In getFileDetails "); var selectionQuery = undefined; if (fileSelectionCriteria.groupId) { selectionQuery= {"metadata.groupId": fileSelectionCriteria.groupId}; } else if (fileSelectionCriteria.hash) { selectionQuery= {"md5": fileSelectionCriteria.hash}; } var gridStore = new GridStore(db, null, "r", {"root": constants.ROOT_COLLECTION}); var fileOfInterest = undefined; gridStore.collection(function(err, collection) { collection.find(selectionQuery, { "sort": {"metadata.version":-1}}, function(err, files) { if (err) { defaultLogger.error(err); return cb(err); } files.toArray(function(err, filesArray) { if (err) { defaultLogger.error(err); return cb(err); } if (!(filesArray && Array.isArray(filesArray) && filesArray.length > 0)) { return cb(new Error("No files exist for groupId " + fileSelectionCriteria.groupId)); } //If the file details are needed for all files in the groupId, then an array containing all of the file details is returned. if (fileOptions.allMatchingFiles == true) { // eslint-disable-line eqeqeq fileOfInterest = filesArray; } else {// Just want the details of a single file. //If there is no version, get the latest version //If no version is found or we have a hash query, just want the first entry of the array. if (!fileSelectionCriteria.version || fileSelectionCriteria.hash) { fileOfInterest = filesArray[0]; } else { fileOfInterest = filesArray.filter(function(file) { return file.metadata.version === fileSelectionCriteria.version; }); if (fileOfInterest.length === 1) { fileOfInterest = fileOfInterest[0]; } else { return cb(new Error("Unexpected number of files returned for groupId " + fileSelectionCriteria.groupId, fileOfInterest.length)); } } } if (!Array.isArray(fileOfInterest)) { //Actually want the thumbnail for the file, return the details for that file instead. if (fileOptions.thumbnail) { if (fileOfInterest.metadata.thumbnail) { getThumbnailFileDetails(db, fileOfInterest.metadata.thumbnail, function(err, thumbFileDetails) { if (err) { defaultLogger.error(err); return cb(err); } fileOfInterest = thumbFileDetails; gridStore.close(function(err) { return cb(err, fileOfInterest); }); }); } else { return cb(new Error("Thumbnail for file " + JSON.stringify(fileSelectionCriteria) + " does not exist.")); } } else { gridStore.close(function(err) { return cb(err, fileOfInterest); }); } } else { gridStore.close(function(err) { return cb(err, fileOfInterest); }); } }); }); }); }
javascript
function getFileDetails(db, fileSelectionCriteria, fileOptions, cb) { defaultLogger.debug("In getFileDetails "); var selectionQuery = undefined; if (fileSelectionCriteria.groupId) { selectionQuery= {"metadata.groupId": fileSelectionCriteria.groupId}; } else if (fileSelectionCriteria.hash) { selectionQuery= {"md5": fileSelectionCriteria.hash}; } var gridStore = new GridStore(db, null, "r", {"root": constants.ROOT_COLLECTION}); var fileOfInterest = undefined; gridStore.collection(function(err, collection) { collection.find(selectionQuery, { "sort": {"metadata.version":-1}}, function(err, files) { if (err) { defaultLogger.error(err); return cb(err); } files.toArray(function(err, filesArray) { if (err) { defaultLogger.error(err); return cb(err); } if (!(filesArray && Array.isArray(filesArray) && filesArray.length > 0)) { return cb(new Error("No files exist for groupId " + fileSelectionCriteria.groupId)); } //If the file details are needed for all files in the groupId, then an array containing all of the file details is returned. if (fileOptions.allMatchingFiles == true) { // eslint-disable-line eqeqeq fileOfInterest = filesArray; } else {// Just want the details of a single file. //If there is no version, get the latest version //If no version is found or we have a hash query, just want the first entry of the array. if (!fileSelectionCriteria.version || fileSelectionCriteria.hash) { fileOfInterest = filesArray[0]; } else { fileOfInterest = filesArray.filter(function(file) { return file.metadata.version === fileSelectionCriteria.version; }); if (fileOfInterest.length === 1) { fileOfInterest = fileOfInterest[0]; } else { return cb(new Error("Unexpected number of files returned for groupId " + fileSelectionCriteria.groupId, fileOfInterest.length)); } } } if (!Array.isArray(fileOfInterest)) { //Actually want the thumbnail for the file, return the details for that file instead. if (fileOptions.thumbnail) { if (fileOfInterest.metadata.thumbnail) { getThumbnailFileDetails(db, fileOfInterest.metadata.thumbnail, function(err, thumbFileDetails) { if (err) { defaultLogger.error(err); return cb(err); } fileOfInterest = thumbFileDetails; gridStore.close(function(err) { return cb(err, fileOfInterest); }); }); } else { return cb(new Error("Thumbnail for file " + JSON.stringify(fileSelectionCriteria) + " does not exist.")); } } else { gridStore.close(function(err) { return cb(err, fileOfInterest); }); } } else { gridStore.close(function(err) { return cb(err, fileOfInterest); }); } }); }); }); }
[ "function", "getFileDetails", "(", "db", ",", "fileSelectionCriteria", ",", "fileOptions", ",", "cb", ")", "{", "defaultLogger", ".", "debug", "(", "\"In getFileDetails \"", ")", ";", "var", "selectionQuery", "=", "undefined", ";", "if", "(", "fileSelectionCriteri...
Utility function to search for files in the database.
[ "Utility", "function", "to", "search", "for", "files", "in", "the", "database", "." ]
6ca85b1cd5c5a7426708a2657725f3a9bda91fff
https://github.com/feedhenry/fh-gridfs/blob/6ca85b1cd5c5a7426708a2657725f3a9bda91fff/lib/gridFileManager.js#L636-L719
31,367
feedhenry/fh-gridfs
lib/gridFileManager.js
updateExistingFile
function updateExistingFile(db, fileName, fileReadStream, options, cb) { defaultLogger.debug("In updateExistingFile"); getFileDetails(db, {"groupId": options.groupId}, {}, function(err, fileInfo) { if (err) { defaultLogger.error(err); return cb(err); } var latestFileVersion = fileInfo.metadata.version; incrementFileVersion(latestFileVersion, function(newFileVersion) { if (!newFileVersion) { return cb(new Error("File version was not incremented for file " + fileName)); } defaultLogger.debug("New File Version ", newFileVersion); createFileWithVersion(db, fileName, fileReadStream, newFileVersion, options, cb); }); }); }
javascript
function updateExistingFile(db, fileName, fileReadStream, options, cb) { defaultLogger.debug("In updateExistingFile"); getFileDetails(db, {"groupId": options.groupId}, {}, function(err, fileInfo) { if (err) { defaultLogger.error(err); return cb(err); } var latestFileVersion = fileInfo.metadata.version; incrementFileVersion(latestFileVersion, function(newFileVersion) { if (!newFileVersion) { return cb(new Error("File version was not incremented for file " + fileName)); } defaultLogger.debug("New File Version ", newFileVersion); createFileWithVersion(db, fileName, fileReadStream, newFileVersion, options, cb); }); }); }
[ "function", "updateExistingFile", "(", "db", ",", "fileName", ",", "fileReadStream", ",", "options", ",", "cb", ")", "{", "defaultLogger", ".", "debug", "(", "\"In updateExistingFile\"", ")", ";", "getFileDetails", "(", "db", ",", "{", "\"groupId\"", ":", "opt...
Updating an existing file means that the new file is saved with the same name with an incremented version.
[ "Updating", "an", "existing", "file", "means", "that", "the", "new", "file", "is", "saved", "with", "the", "same", "name", "with", "an", "incremented", "version", "." ]
6ca85b1cd5c5a7426708a2657725f3a9bda91fff
https://github.com/feedhenry/fh-gridfs/blob/6ca85b1cd5c5a7426708a2657725f3a9bda91fff/lib/gridFileManager.js#L757-L773
31,368
feedhenry/fh-gridfs
lib/gridFileManager.js
createNewFile
function createNewFile(db, fileName, fileReadStream, options, cb) { defaultLogger.debug("In createNewFile"); createFileWithVersion(db, fileName, fileReadStream, constants.LOWEST_VERSION, options, cb); }
javascript
function createNewFile(db, fileName, fileReadStream, options, cb) { defaultLogger.debug("In createNewFile"); createFileWithVersion(db, fileName, fileReadStream, constants.LOWEST_VERSION, options, cb); }
[ "function", "createNewFile", "(", "db", ",", "fileName", ",", "fileReadStream", ",", "options", ",", "cb", ")", "{", "defaultLogger", ".", "debug", "(", "\"In createNewFile\"", ")", ";", "createFileWithVersion", "(", "db", ",", "fileName", ",", "fileReadStream",...
Creating a new file means creating a new file with fileName with version 0;
[ "Creating", "a", "new", "file", "means", "creating", "a", "new", "file", "with", "fileName", "with", "version", "0", ";" ]
6ca85b1cd5c5a7426708a2657725f3a9bda91fff
https://github.com/feedhenry/fh-gridfs/blob/6ca85b1cd5c5a7426708a2657725f3a9bda91fff/lib/gridFileManager.js#L776-L779
31,369
CactusTechnologies/cactus-utils
packages/logger/lib/serializers.js
errorSerializer
function errorSerializer (err) { if (!err || !err.stack) return err const obj = { message: err.message, name: err.name, code: err.code, stack: getErrorStack(err) } return obj }
javascript
function errorSerializer (err) { if (!err || !err.stack) return err const obj = { message: err.message, name: err.name, code: err.code, stack: getErrorStack(err) } return obj }
[ "function", "errorSerializer", "(", "err", ")", "{", "if", "(", "!", "err", "||", "!", "err", ".", "stack", ")", "return", "err", "const", "obj", "=", "{", "message", ":", "err", ".", "message", ",", "name", ":", "err", ".", "name", ",", "code", ...
Serializes Error Objects @type {import("pino").SerializerFn} @param {any} err
[ "Serializes", "Error", "Objects" ]
0a827dbd755766309a4bc0f0a47c9e8dc4eb8d17
https://github.com/CactusTechnologies/cactus-utils/blob/0a827dbd755766309a4bc0f0a47c9e8dc4eb8d17/packages/logger/lib/serializers.js#L14-L23
31,370
CactusTechnologies/cactus-utils
packages/logger/lib/serializers.js
getCleanUrl
function getCleanUrl (url) { try { const parsed = new URL(url) return parsed.pathname || url } catch (err) { return url } }
javascript
function getCleanUrl (url) { try { const parsed = new URL(url) return parsed.pathname || url } catch (err) { return url } }
[ "function", "getCleanUrl", "(", "url", ")", "{", "try", "{", "const", "parsed", "=", "new", "URL", "(", "url", ")", "return", "parsed", ".", "pathname", "||", "url", "}", "catch", "(", "err", ")", "{", "return", "url", "}", "}" ]
Returns the pathname part of the given url @param {String} url @return {String}
[ "Returns", "the", "pathname", "part", "of", "the", "given", "url" ]
0a827dbd755766309a4bc0f0a47c9e8dc4eb8d17
https://github.com/CactusTechnologies/cactus-utils/blob/0a827dbd755766309a4bc0f0a47c9e8dc4eb8d17/packages/logger/lib/serializers.js#L90-L97
31,371
Allenice/madoka
index.js
function(str, index) { // replace {{ xxx }} var obj = this str = str.replace(interpolateReg, function(match, interpolate) { try { /*jslint evil: true */ var funcNames = ['','index'].concat(fakerFuncNames).concat(['return ' + interpolate + ';']), func = new (Function.prototype.bind.apply(Function, funcNames)), funcs = [function(){return index}].concat(fakerFuncs); return func.apply(obj, funcs); } catch(e) { return e.message; } }); // if result is true or false, parse it to boolean if(/^(true|false)$/.test(str)) { str = str === 'true'; } // if result is digit, parse it to float if(/^[-+]?\d*\.?\d+$/.test(str)) { str = parseFloat(str); } return str; }
javascript
function(str, index) { // replace {{ xxx }} var obj = this str = str.replace(interpolateReg, function(match, interpolate) { try { /*jslint evil: true */ var funcNames = ['','index'].concat(fakerFuncNames).concat(['return ' + interpolate + ';']), func = new (Function.prototype.bind.apply(Function, funcNames)), funcs = [function(){return index}].concat(fakerFuncs); return func.apply(obj, funcs); } catch(e) { return e.message; } }); // if result is true or false, parse it to boolean if(/^(true|false)$/.test(str)) { str = str === 'true'; } // if result is digit, parse it to float if(/^[-+]?\d*\.?\d+$/.test(str)) { str = parseFloat(str); } return str; }
[ "function", "(", "str", ",", "index", ")", "{", "// replace {{ xxx }}", "var", "obj", "=", "this", "str", "=", "str", ".", "replace", "(", "interpolateReg", ",", "function", "(", "match", ",", "interpolate", ")", "{", "try", "{", "/*jslint evil: true */", ...
parse string template, if the parent template is an array, it will pass the index value to the child template
[ "parse", "string", "template", "if", "the", "parent", "template", "is", "an", "array", "it", "will", "pass", "the", "index", "value", "to", "the", "child", "template" ]
1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b
https://github.com/Allenice/madoka/blob/1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b/index.js#L46-L74
31,372
Allenice/madoka
index.js
function(obj, index) { var funcKey = []; for(var key in obj) { if(obj.hasOwnProperty(key)) { // If this is a function, generate it later. if(typeof obj[key] === 'function') { funcKey.push(key); continue; } obj[key] = generate.call(obj, obj[key], index); } } // parse function funcKey.forEach(function(key) { obj[key] = generate.call(obj, obj[key], index); }); return obj; }
javascript
function(obj, index) { var funcKey = []; for(var key in obj) { if(obj.hasOwnProperty(key)) { // If this is a function, generate it later. if(typeof obj[key] === 'function') { funcKey.push(key); continue; } obj[key] = generate.call(obj, obj[key], index); } } // parse function funcKey.forEach(function(key) { obj[key] = generate.call(obj, obj[key], index); }); return obj; }
[ "function", "(", "obj", ",", "index", ")", "{", "var", "funcKey", "=", "[", "]", ";", "for", "(", "var", "key", "in", "obj", ")", "{", "if", "(", "obj", ".", "hasOwnProperty", "(", "key", ")", ")", "{", "// If this is a function, generate it later.", "...
parse object, it will generate each property
[ "parse", "object", "it", "will", "generate", "each", "property" ]
1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b
https://github.com/Allenice/madoka/blob/1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b/index.js#L77-L98
31,373
Allenice/madoka
index.js
save
function save(template, distpath) { var data = generate(template); var dir = path.dirname(distpath); mkdirp(dir, function(err) { if(err) { console.log(err.message); return; } fs.writeFile(distpath, JSON.stringify(data, null, 2), function(err) { if(err) { console.log(err.message); return; } }); }); }
javascript
function save(template, distpath) { var data = generate(template); var dir = path.dirname(distpath); mkdirp(dir, function(err) { if(err) { console.log(err.message); return; } fs.writeFile(distpath, JSON.stringify(data, null, 2), function(err) { if(err) { console.log(err.message); return; } }); }); }
[ "function", "save", "(", "template", ",", "distpath", ")", "{", "var", "data", "=", "generate", "(", "template", ")", ";", "var", "dir", "=", "path", ".", "dirname", "(", "distpath", ")", ";", "mkdirp", "(", "dir", ",", "function", "(", "err", ")", ...
save as json file @param template - json scheme @param path - path to save file
[ "save", "as", "json", "file" ]
1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b
https://github.com/Allenice/madoka/blob/1d8ffca8cff4ce96980c0f30af0e38aadbd1fe1b/index.js#L170-L189
31,374
comapi/comapi-sdk-js
specs/server.js
setConversationEtagHeader
function setConversationEtagHeader(res, conversationInfo) { var copy = JSON.parse(JSON.stringify(conversationInfo)); delete copy.participants; delete copy.createdOn; delete copy.updatedOn; setEtagHeader(res, copy); }
javascript
function setConversationEtagHeader(res, conversationInfo) { var copy = JSON.parse(JSON.stringify(conversationInfo)); delete copy.participants; delete copy.createdOn; delete copy.updatedOn; setEtagHeader(res, copy); }
[ "function", "setConversationEtagHeader", "(", "res", ",", "conversationInfo", ")", "{", "var", "copy", "=", "JSON", ".", "parse", "(", "JSON", ".", "stringify", "(", "conversationInfo", ")", ")", ";", "delete", "copy", ".", "participants", ";", "delete", "co...
Copy the conversation info and lose the participants prior to setting the ETag ;-)
[ "Copy", "the", "conversation", "info", "and", "lose", "the", "participants", "prior", "to", "setting", "the", "ETag", ";", "-", ")" ]
fd39d098f6d4ae4bfba2d06bf0b42b70c45c418d
https://github.com/comapi/comapi-sdk-js/blob/fd39d098f6d4ae4bfba2d06bf0b42b70c45c418d/specs/server.js#L195-L201
31,375
obliquid/jslardo
core/i18n.js
translate
function translate(singular, plural) { if (!locales[currentLocale]) { read(currentLocale); } if (plural) { if (!locales[currentLocale][singular]) { locales[currentLocale][singular] = { 'one': singular, 'other': plural }; write(currentLocale); } } if (!locales[currentLocale][singular]) { locales[currentLocale][singular] = singular; write(currentLocale); } return locales[currentLocale][singular]; }
javascript
function translate(singular, plural) { if (!locales[currentLocale]) { read(currentLocale); } if (plural) { if (!locales[currentLocale][singular]) { locales[currentLocale][singular] = { 'one': singular, 'other': plural }; write(currentLocale); } } if (!locales[currentLocale][singular]) { locales[currentLocale][singular] = singular; write(currentLocale); } return locales[currentLocale][singular]; }
[ "function", "translate", "(", "singular", ",", "plural", ")", "{", "if", "(", "!", "locales", "[", "currentLocale", "]", ")", "{", "read", "(", "currentLocale", ")", ";", "}", "if", "(", "plural", ")", "{", "if", "(", "!", "locales", "[", "currentLoc...
read currentLocale file, translate a msg and write to fs if new QUI!!! metodo che usa currentLocale globale
[ "read", "currentLocale", "file", "translate", "a", "msg", "and", "write", "to", "fs", "if", "new", "QUI!!!", "metodo", "che", "usa", "currentLocale", "globale" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/core/i18n.js#L164-L184
31,376
obliquid/jslardo
core/i18n.js
read
function read(myLocale) { locales[myLocale] = {}; try { locales[myLocale] = JSON.parse(fs.readFileSync(locate(myLocale))); } catch(e) { console.log('initializing ' + locate(myLocale)); write(myLocale); } }
javascript
function read(myLocale) { locales[myLocale] = {}; try { locales[myLocale] = JSON.parse(fs.readFileSync(locate(myLocale))); } catch(e) { console.log('initializing ' + locate(myLocale)); write(myLocale); } }
[ "function", "read", "(", "myLocale", ")", "{", "locales", "[", "myLocale", "]", "=", "{", "}", ";", "try", "{", "locales", "[", "myLocale", "]", "=", "JSON", ".", "parse", "(", "fs", ".", "readFileSync", "(", "locate", "(", "myLocale", ")", ")", ")...
try reading a file
[ "try", "reading", "a", "file" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/core/i18n.js#L187-L195
31,377
obliquid/jslardo
core/i18n.js
write
function write(myLocale) { try { stats = fs.lstatSync(directory); } catch(e) { fs.mkdirSync(directory, 0755); } fs.writeFile(locate(myLocale), JSON.stringify(locales[myLocale], null, "\t")); }
javascript
function write(myLocale) { try { stats = fs.lstatSync(directory); } catch(e) { fs.mkdirSync(directory, 0755); } fs.writeFile(locate(myLocale), JSON.stringify(locales[myLocale], null, "\t")); }
[ "function", "write", "(", "myLocale", ")", "{", "try", "{", "stats", "=", "fs", ".", "lstatSync", "(", "directory", ")", ";", "}", "catch", "(", "e", ")", "{", "fs", ".", "mkdirSync", "(", "directory", ",", "0755", ")", ";", "}", "fs", ".", "writ...
try writing a file in a created directory
[ "try", "writing", "a", "file", "in", "a", "created", "directory" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/core/i18n.js#L198-L205
31,378
obliquid/jslardo
core/i18n.js
guessLanguage
function guessLanguage(request){ //console.log("guessLanguage"); if(typeof request === 'object'){ var language_header = request.headers['accept-language'], languages = []; regions = []; request.languages = [currentLocale]; /* for (x in request.languages) { console.log(request.languages[x] + x); } */ request.regions = [currentLocale]; request.language = currentLocale; request.region = currentLocale; if (language_header) { language_header.split(',').forEach(function(l) { header = l.split(';', 1)[0]; lr = header.split('-', 2); if (lr[0]) { languages.push(lr[0].toLowerCase()); } if (lr[1]) { regions.push(lr[1].toLowerCase()); } }); if (languages.length > 0) { request.languages = languages; request.language = languages[0]; } if (regions.length > 0) { request.regions = regions; request.region = regions[0]; } } i18n.setLocale(request.language); } }
javascript
function guessLanguage(request){ //console.log("guessLanguage"); if(typeof request === 'object'){ var language_header = request.headers['accept-language'], languages = []; regions = []; request.languages = [currentLocale]; /* for (x in request.languages) { console.log(request.languages[x] + x); } */ request.regions = [currentLocale]; request.language = currentLocale; request.region = currentLocale; if (language_header) { language_header.split(',').forEach(function(l) { header = l.split(';', 1)[0]; lr = header.split('-', 2); if (lr[0]) { languages.push(lr[0].toLowerCase()); } if (lr[1]) { regions.push(lr[1].toLowerCase()); } }); if (languages.length > 0) { request.languages = languages; request.language = languages[0]; } if (regions.length > 0) { request.regions = regions; request.region = regions[0]; } } i18n.setLocale(request.language); } }
[ "function", "guessLanguage", "(", "request", ")", "{", "//console.log(\"guessLanguage\");", "if", "(", "typeof", "request", "===", "'object'", ")", "{", "var", "language_header", "=", "request", ".", "headers", "[", "'accept-language'", "]", ",", "languages", "=",...
guess language setting based on http headers
[ "guess", "language", "setting", "based", "on", "http", "headers" ]
84225f280e0cce8d46bff8cc2d16f2c8f9633fac
https://github.com/obliquid/jslardo/blob/84225f280e0cce8d46bff8cc2d16f2c8f9633fac/core/i18n.js#L216-L257
31,379
happyplan/happyplan
grunt_tasks/config/connect.js
function(connect, options) { return [ require('connect-livereload')(), // Default middlewares // Serve static files. connect.static(options.base), // Make empty directories browsable. connect.directory(options.base) ]; }
javascript
function(connect, options) { return [ require('connect-livereload')(), // Default middlewares // Serve static files. connect.static(options.base), // Make empty directories browsable. connect.directory(options.base) ]; }
[ "function", "(", "connect", ",", "options", ")", "{", "return", "[", "require", "(", "'connect-livereload'", ")", "(", ")", ",", "// Default middlewares", "// Serve static files.", "connect", ".", "static", "(", "options", ".", "base", ")", ",", "// Make empty d...
Must be empty to be accessible everywhere and not only "localhost"
[ "Must", "be", "empty", "to", "be", "accessible", "everywhere", "and", "not", "only", "localhost" ]
38d0bce566a1864881b5867227348ff187e46999
https://github.com/happyplan/happyplan/blob/38d0bce566a1864881b5867227348ff187e46999/grunt_tasks/config/connect.js#L10-L19
31,380
Lemurro/client-framework7-core-frontend
dist/lemurro.js
fireCallback
function fireCallback(callbackName) { var data = [], len = arguments.length - 1; while ( len-- > 0 ) data[ len ] = arguments[ len + 1 ]; /* Callbacks: beforeCreate (options), beforeOpen (xhr, options), beforeSend (xhr, options), error (xhr, status), complete (xhr, stautus), success (response, status, xhr), statusCode () */ var globalCallbackValue; var optionCallbackValue; if (globals[callbackName]) { globalCallbackValue = globals[callbackName].apply(globals, data); } if (options[callbackName]) { optionCallbackValue = options[callbackName].apply(options, data); } if (typeof globalCallbackValue !== 'boolean') { globalCallbackValue = true; } if (typeof optionCallbackValue !== 'boolean') { optionCallbackValue = true; } return (globalCallbackValue && optionCallbackValue); }
javascript
function fireCallback(callbackName) { var data = [], len = arguments.length - 1; while ( len-- > 0 ) data[ len ] = arguments[ len + 1 ]; /* Callbacks: beforeCreate (options), beforeOpen (xhr, options), beforeSend (xhr, options), error (xhr, status), complete (xhr, stautus), success (response, status, xhr), statusCode () */ var globalCallbackValue; var optionCallbackValue; if (globals[callbackName]) { globalCallbackValue = globals[callbackName].apply(globals, data); } if (options[callbackName]) { optionCallbackValue = options[callbackName].apply(options, data); } if (typeof globalCallbackValue !== 'boolean') { globalCallbackValue = true; } if (typeof optionCallbackValue !== 'boolean') { optionCallbackValue = true; } return (globalCallbackValue && optionCallbackValue); }
[ "function", "fireCallback", "(", "callbackName", ")", "{", "var", "data", "=", "[", "]", ",", "len", "=", "arguments", ".", "length", "-", "1", ";", "while", "(", "len", "--", ">", "0", ")", "data", "[", "len", "]", "=", "arguments", "[", "len", ...
Function to run XHR callbacks and events
[ "Function", "to", "run", "XHR", "callbacks", "and", "events" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L3887-L3912
31,381
Lemurro/client-framework7-core-frontend
dist/lemurro.js
onTabLoaded
function onTabLoaded(contentEl) { // Remove theme elements router.removeThemeElements($newTabEl); var tabEventTarget = $newTabEl; if (typeof contentEl !== 'string') { tabEventTarget = $(contentEl); } tabEventTarget.trigger('tab:init tab:mounted', tabRoute); router.emit('tabInit tabMounted', $newTabEl[0], tabRoute); if ($oldTabEl && $oldTabEl.length) { if (animated) { onTabsChanged(function () { router.emit('routeChanged', router.currentRoute, router.previousRoute, router); if (router.params.unloadTabContent) { router.tabRemove($oldTabEl, $newTabEl, tabRoute); } }); } else { router.emit('routeChanged', router.currentRoute, router.previousRoute, router); if (router.params.unloadTabContent) { router.tabRemove($oldTabEl, $newTabEl, tabRoute); } } } }
javascript
function onTabLoaded(contentEl) { // Remove theme elements router.removeThemeElements($newTabEl); var tabEventTarget = $newTabEl; if (typeof contentEl !== 'string') { tabEventTarget = $(contentEl); } tabEventTarget.trigger('tab:init tab:mounted', tabRoute); router.emit('tabInit tabMounted', $newTabEl[0], tabRoute); if ($oldTabEl && $oldTabEl.length) { if (animated) { onTabsChanged(function () { router.emit('routeChanged', router.currentRoute, router.previousRoute, router); if (router.params.unloadTabContent) { router.tabRemove($oldTabEl, $newTabEl, tabRoute); } }); } else { router.emit('routeChanged', router.currentRoute, router.previousRoute, router); if (router.params.unloadTabContent) { router.tabRemove($oldTabEl, $newTabEl, tabRoute); } } } }
[ "function", "onTabLoaded", "(", "contentEl", ")", "{", "// Remove theme elements", "router", ".", "removeThemeElements", "(", "$newTabEl", ")", ";", "var", "tabEventTarget", "=", "$newTabEl", ";", "if", "(", "typeof", "contentEl", "!==", "'string'", ")", "{", "t...
Tab Content Loaded
[ "Tab", "Content", "Loaded" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L7147-L7172
31,382
Lemurro/client-framework7-core-frontend
dist/lemurro.js
loadTab
function loadTab(loadTabParams, loadTabOptions) { // Load Tab Props var url = loadTabParams.url; var content = loadTabParams.content; var el = loadTabParams.el; var template = loadTabParams.template; var templateUrl = loadTabParams.templateUrl; var component = loadTabParams.component; var componentUrl = loadTabParams.componentUrl; // Component/Template Callbacks function resolve(contentEl) { router.allowPageChange = true; if (!contentEl) { return; } if (typeof contentEl === 'string') { $newTabEl.html(contentEl); } else { $newTabEl.html(''); if (contentEl.f7Component) { contentEl.f7Component.$mount(function (componentEl) { $newTabEl.append(componentEl); }); } else { $newTabEl.append(contentEl); } } $newTabEl[0].f7RouterTabLoaded = true; onTabLoaded(contentEl); } function reject() { router.allowPageChange = true; return router; } if (content) { resolve(content); } else if (template || templateUrl) { try { router.tabTemplateLoader(template, templateUrl, loadTabOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (el) { resolve(el); } else if (component || componentUrl) { // Load from component (F7/Vue/React/...) try { router.tabComponentLoader($newTabEl[0], component, componentUrl, loadTabOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (url) { // Load using XHR if (router.xhr) { router.xhr.abort(); router.xhr = false; } router.xhrRequest(url, loadTabOptions) .then(function (tabContent) { resolve(tabContent); }) .catch(function () { router.allowPageChange = true; }); } }
javascript
function loadTab(loadTabParams, loadTabOptions) { // Load Tab Props var url = loadTabParams.url; var content = loadTabParams.content; var el = loadTabParams.el; var template = loadTabParams.template; var templateUrl = loadTabParams.templateUrl; var component = loadTabParams.component; var componentUrl = loadTabParams.componentUrl; // Component/Template Callbacks function resolve(contentEl) { router.allowPageChange = true; if (!contentEl) { return; } if (typeof contentEl === 'string') { $newTabEl.html(contentEl); } else { $newTabEl.html(''); if (contentEl.f7Component) { contentEl.f7Component.$mount(function (componentEl) { $newTabEl.append(componentEl); }); } else { $newTabEl.append(contentEl); } } $newTabEl[0].f7RouterTabLoaded = true; onTabLoaded(contentEl); } function reject() { router.allowPageChange = true; return router; } if (content) { resolve(content); } else if (template || templateUrl) { try { router.tabTemplateLoader(template, templateUrl, loadTabOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (el) { resolve(el); } else if (component || componentUrl) { // Load from component (F7/Vue/React/...) try { router.tabComponentLoader($newTabEl[0], component, componentUrl, loadTabOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (url) { // Load using XHR if (router.xhr) { router.xhr.abort(); router.xhr = false; } router.xhrRequest(url, loadTabOptions) .then(function (tabContent) { resolve(tabContent); }) .catch(function () { router.allowPageChange = true; }); } }
[ "function", "loadTab", "(", "loadTabParams", ",", "loadTabOptions", ")", "{", "// Load Tab Props", "var", "url", "=", "loadTabParams", ".", "url", ";", "var", "content", "=", "loadTabParams", ".", "content", ";", "var", "el", "=", "loadTabParams", ".", "el", ...
Load Tab Content
[ "Load", "Tab", "Content" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L7187-L7253
31,383
Lemurro/client-framework7-core-frontend
dist/lemurro.js
loadModal
function loadModal(loadModalParams, loadModalOptions) { // Load Modal Props var url = loadModalParams.url; var content = loadModalParams.content; var template = loadModalParams.template; var templateUrl = loadModalParams.templateUrl; var component = loadModalParams.component; var componentUrl = loadModalParams.componentUrl; // Component/Template Callbacks function resolve(contentEl) { if (contentEl) { if (typeof contentEl === 'string') { modalParams.content = contentEl; } else if (contentEl.f7Component) { contentEl.f7Component.$mount(function (componentEl) { modalParams.el = componentEl; app.root.append(componentEl); }); } else { modalParams.el = contentEl; } onModalLoaded(); } } function reject() { router.allowPageChange = true; return router; } if (content) { resolve(content); } else if (template || templateUrl) { try { router.modalTemplateLoader(template, templateUrl, loadModalOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (component || componentUrl) { // Load from component (F7/Vue/React/...) try { router.modalComponentLoader(app.root[0], component, componentUrl, loadModalOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (url) { // Load using XHR if (router.xhr) { router.xhr.abort(); router.xhr = false; } router.xhrRequest(url, loadModalOptions) .then(function (modalContent) { modalParams.content = modalContent; onModalLoaded(); }) .catch(function () { router.allowPageChange = true; }); } else { onModalLoaded(); } }
javascript
function loadModal(loadModalParams, loadModalOptions) { // Load Modal Props var url = loadModalParams.url; var content = loadModalParams.content; var template = loadModalParams.template; var templateUrl = loadModalParams.templateUrl; var component = loadModalParams.component; var componentUrl = loadModalParams.componentUrl; // Component/Template Callbacks function resolve(contentEl) { if (contentEl) { if (typeof contentEl === 'string') { modalParams.content = contentEl; } else if (contentEl.f7Component) { contentEl.f7Component.$mount(function (componentEl) { modalParams.el = componentEl; app.root.append(componentEl); }); } else { modalParams.el = contentEl; } onModalLoaded(); } } function reject() { router.allowPageChange = true; return router; } if (content) { resolve(content); } else if (template || templateUrl) { try { router.modalTemplateLoader(template, templateUrl, loadModalOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (component || componentUrl) { // Load from component (F7/Vue/React/...) try { router.modalComponentLoader(app.root[0], component, componentUrl, loadModalOptions, resolve, reject); } catch (err) { router.allowPageChange = true; throw err; } } else if (url) { // Load using XHR if (router.xhr) { router.xhr.abort(); router.xhr = false; } router.xhrRequest(url, loadModalOptions) .then(function (modalContent) { modalParams.content = modalContent; onModalLoaded(); }) .catch(function () { router.allowPageChange = true; }); } else { onModalLoaded(); } }
[ "function", "loadModal", "(", "loadModalParams", ",", "loadModalOptions", ")", "{", "// Load Modal Props", "var", "url", "=", "loadModalParams", ".", "url", ";", "var", "content", "=", "loadModalParams", ".", "content", ";", "var", "template", "=", "loadModalParam...
Load Modal Content
[ "Load", "Modal", "Content" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L7405-L7469
31,384
Lemurro/client-framework7-core-frontend
dist/lemurro.js
isEmpty
function isEmpty(value) { if (value === null) { return true; } var type = typeof(value); switch (type) { case 'undefined': return true; case 'number': return isNaN(value); case 'string': return value.trim() === ''; case 'object': var countKeys = Object.keys(value).length; return countKeys < 1; case 'function': case 'boolean': return false; default: console.log('Unknown value type: "' + type + '"', 'isEmpty.js'); return false; } }
javascript
function isEmpty(value) { if (value === null) { return true; } var type = typeof(value); switch (type) { case 'undefined': return true; case 'number': return isNaN(value); case 'string': return value.trim() === ''; case 'object': var countKeys = Object.keys(value).length; return countKeys < 1; case 'function': case 'boolean': return false; default: console.log('Unknown value type: "' + type + '"', 'isEmpty.js'); return false; } }
[ "function", "isEmpty", "(", "value", ")", "{", "if", "(", "value", "===", "null", ")", "{", "return", "true", ";", "}", "var", "type", "=", "typeof", "(", "value", ")", ";", "switch", "(", "type", ")", "{", "case", "'undefined'", ":", "return", "tr...
Javascript empty value checker @param {null|undefined|number|string|object|array|function|boolean} value @version 07.02.2019 @author DimNS <atomcms@ya.ru>
[ "Javascript", "empty", "value", "checker" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L36474-L36503
31,385
Lemurro/client-framework7-core-frontend
dist/lemurro.js
_encodeBlob
function _encodeBlob(blob) { return new Promise$1(function (resolve, reject) { var reader = new FileReader(); reader.onerror = reject; reader.onloadend = function (e) { var base64 = btoa(e.target.result || ''); resolve({ __local_forage_encoded_blob: true, data: base64, type: blob.type }); }; reader.readAsBinaryString(blob); }); }
javascript
function _encodeBlob(blob) { return new Promise$1(function (resolve, reject) { var reader = new FileReader(); reader.onerror = reject; reader.onloadend = function (e) { var base64 = btoa(e.target.result || ''); resolve({ __local_forage_encoded_blob: true, data: base64, type: blob.type }); }; reader.readAsBinaryString(blob); }); }
[ "function", "_encodeBlob", "(", "blob", ")", "{", "return", "new", "Promise$1", "(", "function", "(", "resolve", ",", "reject", ")", "{", "var", "reader", "=", "new", "FileReader", "(", ")", ";", "reader", ".", "onerror", "=", "reject", ";", "reader", ...
encode a blob for indexeddb engines that don't support blobs
[ "encode", "a", "blob", "for", "indexeddb", "engines", "that", "don", "t", "support", "blobs" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L40250-L40264
31,386
Lemurro/client-framework7-core-frontend
dist/lemurro.js
checkIfLocalStorageThrows
function checkIfLocalStorageThrows() { var localStorageTestKey = '_localforage_support_test'; try { localStorage.setItem(localStorageTestKey, true); localStorage.removeItem(localStorageTestKey); return false; } catch (e) { return true; } }
javascript
function checkIfLocalStorageThrows() { var localStorageTestKey = '_localforage_support_test'; try { localStorage.setItem(localStorageTestKey, true); localStorage.removeItem(localStorageTestKey); return false; } catch (e) { return true; } }
[ "function", "checkIfLocalStorageThrows", "(", ")", "{", "var", "localStorageTestKey", "=", "'_localforage_support_test'", ";", "try", "{", "localStorage", ".", "setItem", "(", "localStorageTestKey", ",", "true", ")", ";", "localStorage", ".", "removeItem", "(", "loc...
Check if localStorage throws when saving an item
[ "Check", "if", "localStorage", "throws", "when", "saving", "an", "item" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L41661-L41672
31,387
Lemurro/client-framework7-core-frontend
dist/lemurro.js
uniqueArray
function uniqueArray(arr) { var result = []; for (var i = 0; i < arr.length; i++) { if (result.indexOf(arr[i]) === -1) { result.push(arr[i]); } } return result; }
javascript
function uniqueArray(arr) { var result = []; for (var i = 0; i < arr.length; i++) { if (result.indexOf(arr[i]) === -1) { result.push(arr[i]); } } return result; }
[ "function", "uniqueArray", "(", "arr", ")", "{", "var", "result", "=", "[", "]", ";", "for", "(", "var", "i", "=", "0", ";", "i", "<", "arr", ".", "length", ";", "i", "++", ")", "{", "if", "(", "result", ".", "indexOf", "(", "arr", "[", "i", ...
Filter the unique values into a new array @param arr
[ "Filter", "the", "unique", "values", "into", "a", "new", "array" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L42526-L42536
31,388
Lemurro/client-framework7-core-frontend
dist/lemurro.js
warnOnce
function warnOnce(message) { if (!(previousWarnOnceMessages.indexOf(message) !== -1)) { previousWarnOnceMessages.push(message); warn(message); } }
javascript
function warnOnce(message) { if (!(previousWarnOnceMessages.indexOf(message) !== -1)) { previousWarnOnceMessages.push(message); warn(message); } }
[ "function", "warnOnce", "(", "message", ")", "{", "if", "(", "!", "(", "previousWarnOnceMessages", ".", "indexOf", "(", "message", ")", "!==", "-", "1", ")", ")", "{", "previousWarnOnceMessages", ".", "push", "(", "message", ")", ";", "warn", "(", "messa...
Show a console warning, but only if it hasn't already been shown @param message
[ "Show", "a", "console", "warning", "but", "only", "if", "it", "hasn", "t", "already", "been", "shown" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L42593-L42598
31,389
Lemurro/client-framework7-core-frontend
dist/lemurro.js
adaptInputValidator
function adaptInputValidator(legacyValidator) { return function adaptedInputValidator(inputValue, extraParams) { return legacyValidator.call(this, inputValue, extraParams).then(function () { return undefined; }, function (validationMessage) { return validationMessage; }); }; }
javascript
function adaptInputValidator(legacyValidator) { return function adaptedInputValidator(inputValue, extraParams) { return legacyValidator.call(this, inputValue, extraParams).then(function () { return undefined; }, function (validationMessage) { return validationMessage; }); }; }
[ "function", "adaptInputValidator", "(", "legacyValidator", ")", "{", "return", "function", "adaptedInputValidator", "(", "inputValue", ",", "extraParams", ")", "{", "return", "legacyValidator", ".", "call", "(", "this", ",", "inputValue", ",", "extraParams", ")", ...
Adapt a legacy inputValidator for use with expectRejections=false
[ "Adapt", "a", "legacy", "inputValidator", "for", "use", "with", "expectRejections", "=", "false" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L42651-L42659
31,390
Lemurro/client-framework7-core-frontend
dist/lemurro.js
showWarningsForParams
function showWarningsForParams(params) { for (var param in params) { if (!isValidParameter(param)) { warn("Unknown parameter \"".concat(param, "\"")); } if (params.toast && toastIncompatibleParams.indexOf(param) !== -1) { warn("The parameter \"".concat(param, "\" is incompatible with toasts")); } if (isDeprecatedParameter(param)) { warnOnce("The parameter \"".concat(param, "\" is deprecated and will be removed in the next major release.")); } } }
javascript
function showWarningsForParams(params) { for (var param in params) { if (!isValidParameter(param)) { warn("Unknown parameter \"".concat(param, "\"")); } if (params.toast && toastIncompatibleParams.indexOf(param) !== -1) { warn("The parameter \"".concat(param, "\" is incompatible with toasts")); } if (isDeprecatedParameter(param)) { warnOnce("The parameter \"".concat(param, "\" is deprecated and will be removed in the next major release.")); } } }
[ "function", "showWarningsForParams", "(", "params", ")", "{", "for", "(", "var", "param", "in", "params", ")", "{", "if", "(", "!", "isValidParameter", "(", "param", ")", ")", "{", "warn", "(", "\"Unknown parameter \\\"\"", ".", "concat", "(", "param", ","...
Show relevant warnings for given params @param params
[ "Show", "relevant", "warnings", "for", "given", "params" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L43502-L43516
31,391
Lemurro/client-framework7-core-frontend
dist/lemurro.js
mixin
function mixin(mixinParams) { return withNoNewKeyword( /*#__PURE__*/ function (_this) { _inherits(MixinSwal, _this); function MixinSwal() { _classCallCheck(this, MixinSwal); return _possibleConstructorReturn(this, _getPrototypeOf(MixinSwal).apply(this, arguments)); } _createClass(MixinSwal, [{ key: "_main", value: function _main(params) { return _get(_getPrototypeOf(MixinSwal.prototype), "_main", this).call(this, _extends({}, mixinParams, params)); } }]); return MixinSwal; }(this)); }
javascript
function mixin(mixinParams) { return withNoNewKeyword( /*#__PURE__*/ function (_this) { _inherits(MixinSwal, _this); function MixinSwal() { _classCallCheck(this, MixinSwal); return _possibleConstructorReturn(this, _getPrototypeOf(MixinSwal).apply(this, arguments)); } _createClass(MixinSwal, [{ key: "_main", value: function _main(params) { return _get(_getPrototypeOf(MixinSwal.prototype), "_main", this).call(this, _extends({}, mixinParams, params)); } }]); return MixinSwal; }(this)); }
[ "function", "mixin", "(", "mixinParams", ")", "{", "return", "withNoNewKeyword", "(", "/*#__PURE__*/", "function", "(", "_this", ")", "{", "_inherits", "(", "MixinSwal", ",", "_this", ")", ";", "function", "MixinSwal", "(", ")", "{", "_classCallCheck", "(", ...
Returns an extended version of `Swal` containing `params` as defaults. Useful for reusing Swal configuration. For example: Before: const textPromptOptions = { input: 'text', showCancelButton: true } const {value: firstName} = await Swal({ ...textPromptOptions, title: 'What is your first name?' }) const {value: lastName} = await Swal({ ...textPromptOptions, title: 'What is your last name?' }) After: const TextPrompt = Swal.mixin({ input: 'text', showCancelButton: true }) const {value: firstName} = await TextPrompt('What is your first name?') const {value: lastName} = await TextPrompt('What is your last name?') @param mixinParams
[ "Returns", "an", "extended", "version", "of", "Swal", "containing", "params", "as", "defaults", ".", "Useful", "for", "reusing", "Swal", "configuration", "." ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L43592-L43613
31,392
Lemurro/client-framework7-core-frontend
dist/lemurro.js
showLoading
function showLoading() { var popup = getPopup(); if (!popup) { Swal(''); } popup = getPopup(); var actions = getActions(); var confirmButton = getConfirmButton(); var cancelButton = getCancelButton(); show(actions); show(confirmButton); addClass([popup, actions], swalClasses.loading); confirmButton.disabled = true; cancelButton.disabled = true; popup.setAttribute('data-loading', true); popup.setAttribute('aria-busy', true); popup.focus(); }
javascript
function showLoading() { var popup = getPopup(); if (!popup) { Swal(''); } popup = getPopup(); var actions = getActions(); var confirmButton = getConfirmButton(); var cancelButton = getCancelButton(); show(actions); show(confirmButton); addClass([popup, actions], swalClasses.loading); confirmButton.disabled = true; cancelButton.disabled = true; popup.setAttribute('data-loading', true); popup.setAttribute('aria-busy', true); popup.focus(); }
[ "function", "showLoading", "(", ")", "{", "var", "popup", "=", "getPopup", "(", ")", ";", "if", "(", "!", "popup", ")", "{", "Swal", "(", "''", ")", ";", "}", "popup", "=", "getPopup", "(", ")", ";", "var", "actions", "=", "getActions", "(", ")",...
Show spinner instead of Confirm button and disable Cancel button
[ "Show", "spinner", "instead", "of", "Confirm", "button", "and", "disable", "Cancel", "button" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L43687-L43706
31,393
Lemurro/client-framework7-core-frontend
dist/lemurro.js
hideLoading
function hideLoading() { var innerParams = privateProps.innerParams.get(this); var domCache = privateProps.domCache.get(this); if (!innerParams.showConfirmButton) { hide(domCache.confirmButton); if (!innerParams.showCancelButton) { hide(domCache.actions); } } removeClass([domCache.popup, domCache.actions], swalClasses.loading); domCache.popup.removeAttribute('aria-busy'); domCache.popup.removeAttribute('data-loading'); domCache.confirmButton.disabled = false; domCache.cancelButton.disabled = false; }
javascript
function hideLoading() { var innerParams = privateProps.innerParams.get(this); var domCache = privateProps.domCache.get(this); if (!innerParams.showConfirmButton) { hide(domCache.confirmButton); if (!innerParams.showCancelButton) { hide(domCache.actions); } } removeClass([domCache.popup, domCache.actions], swalClasses.loading); domCache.popup.removeAttribute('aria-busy'); domCache.popup.removeAttribute('data-loading'); domCache.confirmButton.disabled = false; domCache.cancelButton.disabled = false; }
[ "function", "hideLoading", "(", ")", "{", "var", "innerParams", "=", "privateProps", ".", "innerParams", ".", "get", "(", "this", ")", ";", "var", "domCache", "=", "privateProps", ".", "domCache", ".", "get", "(", "this", ")", ";", "if", "(", "!", "inn...
Enables buttons and hide loader.
[ "Enables", "buttons", "and", "hide", "loader", "." ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L43822-L43839
31,394
Lemurro/client-framework7-core-frontend
dist/lemurro.js
resetValidationMessage
function resetValidationMessage() { var domCache = privateProps.domCache.get(this); if (domCache.validationMessage) { hide(domCache.validationMessage); } var input = this.getInput(); if (input) { input.removeAttribute('aria-invalid'); input.removeAttribute('aria-describedBy'); removeClass(input, swalClasses.inputerror); } }
javascript
function resetValidationMessage() { var domCache = privateProps.domCache.get(this); if (domCache.validationMessage) { hide(domCache.validationMessage); } var input = this.getInput(); if (input) { input.removeAttribute('aria-invalid'); input.removeAttribute('aria-describedBy'); removeClass(input, swalClasses.inputerror); } }
[ "function", "resetValidationMessage", "(", ")", "{", "var", "domCache", "=", "privateProps", ".", "domCache", ".", "get", "(", "this", ")", ";", "if", "(", "domCache", ".", "validationMessage", ")", "{", "hide", "(", "domCache", ".", "validationMessage", ")"...
Hide block with validation message
[ "Hide", "block", "with", "validation", "message" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L43942-L43956
31,395
Lemurro/client-framework7-core-frontend
dist/lemurro.js
openPopup
function openPopup(params) { var container = getContainer(); var popup = getPopup(); if (params.onBeforeOpen !== null && typeof params.onBeforeOpen === 'function') { params.onBeforeOpen(popup); } if (params.animation) { addClass(popup, swalClasses.show); addClass(container, swalClasses.fade); removeClass(popup, swalClasses.hide); } else { removeClass(popup, swalClasses.fade); } show(popup); // scrolling is 'hidden' until animation is done, after that 'auto' container.style.overflowY = 'hidden'; if (animationEndEvent && !hasClass(popup, swalClasses.noanimation)) { popup.addEventListener(animationEndEvent, function swalCloseEventFinished() { popup.removeEventListener(animationEndEvent, swalCloseEventFinished); container.style.overflowY = 'auto'; }); } else { container.style.overflowY = 'auto'; } addClass([document.documentElement, document.body, container], swalClasses.shown); if (params.heightAuto && params.backdrop && !params.toast) { addClass([document.documentElement, document.body], swalClasses['height-auto']); } if (isModal()) { fixScrollbar(); iOSfix(); IEfix(); setAriaHidden(); // sweetalert2/issues/1247 setTimeout(function () { container.scrollTop = 0; }); } if (!isToast() && !globalState.previousActiveElement) { globalState.previousActiveElement = document.activeElement; } if (params.onOpen !== null && typeof params.onOpen === 'function') { setTimeout(function () { params.onOpen(popup); }); } }
javascript
function openPopup(params) { var container = getContainer(); var popup = getPopup(); if (params.onBeforeOpen !== null && typeof params.onBeforeOpen === 'function') { params.onBeforeOpen(popup); } if (params.animation) { addClass(popup, swalClasses.show); addClass(container, swalClasses.fade); removeClass(popup, swalClasses.hide); } else { removeClass(popup, swalClasses.fade); } show(popup); // scrolling is 'hidden' until animation is done, after that 'auto' container.style.overflowY = 'hidden'; if (animationEndEvent && !hasClass(popup, swalClasses.noanimation)) { popup.addEventListener(animationEndEvent, function swalCloseEventFinished() { popup.removeEventListener(animationEndEvent, swalCloseEventFinished); container.style.overflowY = 'auto'; }); } else { container.style.overflowY = 'auto'; } addClass([document.documentElement, document.body, container], swalClasses.shown); if (params.heightAuto && params.backdrop && !params.toast) { addClass([document.documentElement, document.body], swalClasses['height-auto']); } if (isModal()) { fixScrollbar(); iOSfix(); IEfix(); setAriaHidden(); // sweetalert2/issues/1247 setTimeout(function () { container.scrollTop = 0; }); } if (!isToast() && !globalState.previousActiveElement) { globalState.previousActiveElement = document.activeElement; } if (params.onOpen !== null && typeof params.onOpen === 'function') { setTimeout(function () { params.onOpen(popup); }); } }
[ "function", "openPopup", "(", "params", ")", "{", "var", "container", "=", "getContainer", "(", ")", ";", "var", "popup", "=", "getPopup", "(", ")", ";", "if", "(", "params", ".", "onBeforeOpen", "!==", "null", "&&", "typeof", "params", ".", "onBeforeOpe...
Open popup, add necessary classes and styles, fix scrollbar @param {Array} params
[ "Open", "popup", "add", "necessary", "classes", "and", "styles", "fix", "scrollbar" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L44191-L44246
31,396
Lemurro/client-framework7-core-frontend
dist/lemurro.js
getInputValue
function getInputValue() { var input = _this.getInput(); if (!input) { return null; } switch (innerParams.input) { case 'checkbox': return input.checked ? 1 : 0; case 'radio': return input.checked ? input.value : null; case 'file': return input.files.length ? input.files[0] : null; default: return innerParams.inputAutoTrim ? input.value.trim() : input.value; } }
javascript
function getInputValue() { var input = _this.getInput(); if (!input) { return null; } switch (innerParams.input) { case 'checkbox': return input.checked ? 1 : 0; case 'radio': return input.checked ? input.value : null; case 'file': return input.files.length ? input.files[0] : null; default: return innerParams.inputAutoTrim ? input.value.trim() : input.value; } }
[ "function", "getInputValue", "(", ")", "{", "var", "input", "=", "_this", ".", "getInput", "(", ")", ";", "if", "(", "!", "input", ")", "{", "return", "null", ";", "}", "switch", "(", "innerParams", ".", "input", ")", "{", "case", "'checkbox'", ":", ...
Get the value of the popup input
[ "Get", "the", "value", "of", "the", "popup", "input" ]
119985cb1d00b92b4400504e1c46f54dc36bcd77
https://github.com/Lemurro/client-framework7-core-frontend/blob/119985cb1d00b92b4400504e1c46f54dc36bcd77/dist/lemurro.js#L44319-L44339
31,397
bytbil/sauce-test-runner
src/Job.js
function (runner, url, browser) { this.id = null; this.taskId = null; this.user = runner.user; this.key = runner.key; this.framework = runner.framework; this.pollInterval = runner.pollInterval; this.statusCheckAttempts = runner.statusCheckAttempts; this.url = url; this.platform = _.isArray(browser) ? browser : [browser.platform || '', browser.browserName || '', browser.version || '']; this.build = runner.build; this.public = browser.public || runner.public || "team"; this.tags = browser.tags || runner.tags; this.testName = browser.name || runner.testName; this.sauceConfig = runner.sauceConfig; this.tunneled = runner.tunneled; this.tunnelId = runner.tunnelId; }
javascript
function (runner, url, browser) { this.id = null; this.taskId = null; this.user = runner.user; this.key = runner.key; this.framework = runner.framework; this.pollInterval = runner.pollInterval; this.statusCheckAttempts = runner.statusCheckAttempts; this.url = url; this.platform = _.isArray(browser) ? browser : [browser.platform || '', browser.browserName || '', browser.version || '']; this.build = runner.build; this.public = browser.public || runner.public || "team"; this.tags = browser.tags || runner.tags; this.testName = browser.name || runner.testName; this.sauceConfig = runner.sauceConfig; this.tunneled = runner.tunneled; this.tunnelId = runner.tunnelId; }
[ "function", "(", "runner", ",", "url", ",", "browser", ")", "{", "this", ".", "id", "=", "null", ";", "this", ".", "taskId", "=", "null", ";", "this", ".", "user", "=", "runner", ".", "user", ";", "this", ".", "key", "=", "runner", ".", "key", ...
Represents a Sauce Labs job. @constructor @param {Object} runner - TestRunner instance. @param {String} url - The test runner page's URL. @param {Object} browser - Object describing the platform to run the test on.
[ "Represents", "a", "Sauce", "Labs", "job", "." ]
db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e
https://github.com/bytbil/sauce-test-runner/blob/db0304a31a5fe7b4e6ab5f496cbca52a012d1b6e/src/Job.js#L38-L55
31,398
kevinoid/nodecat
lib/aggregate-error.js
AggregateError
function AggregateError(message) { if (!(this instanceof AggregateError)) { return new AggregateError(message); } Error.captureStackTrace(this, AggregateError); // Like http://www.ecma-international.org/ecma-262/6.0/#sec-error-message if (message !== undefined) { Object.defineProperty(this, 'message', { value: String(message), configurable: true, writable: true }); } }
javascript
function AggregateError(message) { if (!(this instanceof AggregateError)) { return new AggregateError(message); } Error.captureStackTrace(this, AggregateError); // Like http://www.ecma-international.org/ecma-262/6.0/#sec-error-message if (message !== undefined) { Object.defineProperty(this, 'message', { value: String(message), configurable: true, writable: true }); } }
[ "function", "AggregateError", "(", "message", ")", "{", "if", "(", "!", "(", "this", "instanceof", "AggregateError", ")", ")", "{", "return", "new", "AggregateError", "(", "message", ")", ";", "}", "Error", ".", "captureStackTrace", "(", "this", ",", "Aggr...
Constructs an AggregateError. Based on the AggregateError class from bluebird. @class Represents a collection of errors. @constructor @extends Error @extends Array @param {string=} message Human-readable description of the error.
[ "Constructs", "an", "AggregateError", "." ]
333f9710bbe7ceac5ec3f6171b2e8446ab2f3973
https://github.com/kevinoid/nodecat/blob/333f9710bbe7ceac5ec3f6171b2e8446ab2f3973/lib/aggregate-error.js#L21-L35
31,399
brainshave/sharpvg
split.js
split
function split (data, w, h) { var colors = {}; var pos = 0; for (var y = 0; y < h; ++y) { for (var x = 0; x < w; ++x) { pos = (y * w + x) * 4; if (data[pos + 3] > 0) { set(x, y, data[pos], data[pos + 1], data[pos + 2]); } } } return { w: w, h: h, colors: colors }; function set (x, y, r, g, b) { var hex = "#" + [r, g, b].map(hexaze).join(""); if (!colors[hex]) { colors[hex] = new Array(h); for (var i = 0; i < h; ++i) { colors[hex][i] = new Uint8Array(w); } } colors[hex][y][x] = 1; } }
javascript
function split (data, w, h) { var colors = {}; var pos = 0; for (var y = 0; y < h; ++y) { for (var x = 0; x < w; ++x) { pos = (y * w + x) * 4; if (data[pos + 3] > 0) { set(x, y, data[pos], data[pos + 1], data[pos + 2]); } } } return { w: w, h: h, colors: colors }; function set (x, y, r, g, b) { var hex = "#" + [r, g, b].map(hexaze).join(""); if (!colors[hex]) { colors[hex] = new Array(h); for (var i = 0; i < h; ++i) { colors[hex][i] = new Uint8Array(w); } } colors[hex][y][x] = 1; } }
[ "function", "split", "(", "data", ",", "w", ",", "h", ")", "{", "var", "colors", "=", "{", "}", ";", "var", "pos", "=", "0", ";", "for", "(", "var", "y", "=", "0", ";", "y", "<", "h", ";", "++", "y", ")", "{", "for", "(", "var", "x", "=...
Split colors of RGBA data to separate 2d arrays.
[ "Split", "colors", "of", "RGBA", "data", "to", "separate", "2d", "arrays", "." ]
c3bfe9d8566f149bc3ffd50a9ad2b26b01b3d08e
https://github.com/brainshave/sharpvg/blob/c3bfe9d8566f149bc3ffd50a9ad2b26b01b3d08e/split.js#L7-L40