commit
stringlengths 40
40
| old_file
stringlengths 4
264
| new_file
stringlengths 4
264
| old_contents
stringlengths 0
3.26k
| new_contents
stringlengths 1
4.43k
| subject
stringlengths 15
624
| message
stringlengths 15
4.7k
| lang
stringclasses 3
values | license
stringclasses 13
values | repos
stringlengths 5
91.5k
|
---|---|---|---|---|---|---|---|---|---|
665337b8ea125f179f58e9ffd4cee4e1f5272743
|
test/svg-test-helper.js
|
test/svg-test-helper.js
|
import $ from "cheerio";
const RECTANGULAR_SEQUENCE = ["M", "L", "L", "L", "L"];
const CIRCULAR_SEQUENCE = ["M", "m", "a", "a"];
const SvgTestHelper = {
expectIsRectangular(wrapper) {
expect(exhibitsShapeSequence(wrapper, RECTANGULAR_SEQUENCE)).to.be.true;
},
expectIsCircular(wrapper) {
expect(exhibitsShapeSequence(wrapper, CIRCULAR_SEQUENCE)).to.be.true;
}
};
function exhibitsShapeSequence(wrapper, shapeSequence) {
const commands = getPathCommandsFromWrapper(wrapper);
return commands.every((command, index) => {
return command.name === shapeSequence[index];
});
}
function getPathCommandsFromWrapper(wrapper) {
const commandStr = $(wrapper.html()).attr("d");
return parseSvgPathCommands(commandStr);
}
function parseSvgPathCommands(commandStr) {
const matches = commandStr.match(
/[MmLlHhVvCcSsQqTtAaZz]+[^MmLlHhVvCcSsQqTtAaZz]*/g
);
return matches.map(match => {
const name = match.charAt(0);
const args = match.substring(1).split(",").map(arg => parseFloat(arg, 10));
return {
raw: match,
name,
args
}
});
}
export default SvgTestHelper;
|
import $ from "cheerio";
const RECTANGULAR_SEQUENCE = ["M", "L", "L", "L", "L"];
const CIRCULAR_SEQUENCE = ["M", "m", "a", "a"];
const expectations = {
expectIsRectangular(wrapper) {
expect(exhibitsShapeSequence(wrapper, RECTANGULAR_SEQUENCE)).to.be.true;
},
expectIsCircular(wrapper) {
expect(exhibitsShapeSequence(wrapper, CIRCULAR_SEQUENCE)).to.be.true;
}
};
const helpers = {
getBarHeight(wrapper) {
expectations.expectIsRectangular(wrapper);
const commands = getPathCommandsFromWrapper(wrapper);
return Math.abs(commands[0].args[1] - commands[1].args[1]);
}
};
const SvgTestHelper = Object.assign({}, expectations, helpers);
function exhibitsShapeSequence(wrapper, shapeSequence) {
const commands = getPathCommandsFromWrapper(wrapper);
return commands.every((command, index) => {
return command.name === shapeSequence[index];
});
}
function getPathCommandsFromWrapper(wrapper) {
const commandStr = $(wrapper.html()).attr("d");
return parseSvgPathCommands(commandStr);
}
function parseSvgPathCommands(commandStr) {
const matches = commandStr.match(
/[MmLlHhVvCcSsQqTtAaZz]+[^MmLlHhVvCcSsQqTtAaZz]*/g
);
return matches.map(match => {
const name = match.charAt(0);
const args = match.substring(1).split(",").map(arg => parseFloat(arg, 10));
return {
raw: match,
name,
args
}
});
}
export default SvgTestHelper;
|
Split helpers into expectations and helpers
|
Split helpers into expectations and helpers
|
JavaScript
|
mit
|
FormidableLabs/victory-chart,FormidableLabs/victory-chart,GreenGremlin/victory-chart,GreenGremlin/victory-chart
|
7ac6ead3693b4a26dedfff678d55d11512fe1b76
|
tests/integration/components/ember-webcam-test.js
|
tests/integration/components/ember-webcam-test.js
|
import { describeComponent, it } from 'ember-mocha';
import { beforeEach, afterEach } from 'mocha';
import { expect } from 'chai';
import hbs from 'htmlbars-inline-precompile';
import page from './page';
describeComponent('ember-webcam', 'Integration: EmberWebcamComponent', {
integration: true
}, () => {
beforeEach(function () {
page.setContext(this);
});
afterEach(() => {
page.removeContext();
});
it('renders', () => {
page.render(hbs`{{ember-webcam}}`);
expect(page.viewer.isVisible).to.be.true;
});
it('takes a snapshot', done => {
let isDone = false;
page.context.setProperties({
didError(errorMessage) {
expect(errorMessage).to.be.ok;
if (!isDone) {
done();
isDone = true;
}
}
});
page.render(hbs`
{{#ember-webcam didError=(action didError) as |camera|}}
<button {{action camera.snap}}>
Take Snapshot!
</button>
{{/ember-webcam}}
`);
page.button.click();
});
});
|
import { describeComponent, it } from 'ember-mocha';
import { beforeEach, afterEach } from 'mocha';
import { expect } from 'chai';
import hbs from 'htmlbars-inline-precompile';
import page from './page';
describeComponent('ember-webcam', 'Integration: EmberWebcamComponent', {
integration: true
}, () => {
beforeEach(function () {
page.setContext(this);
});
afterEach(() => {
page.removeContext();
});
it('renders', () => {
page.render(hbs`{{ember-webcam}}`);
expect(page.viewer.isVisible).to.be.true;
});
it('takes a snapshot', done => {
let isDone = false;
page.context.setProperties({
didError(error) {
// Should fail because camera is not available in test environment.
expect(error.name).to.equal('WebcamError');
if (!isDone) {
done();
isDone = true;
}
}
});
page.render(hbs`
{{#ember-webcam didError=(action didError) as |camera|}}
<button {{action camera.snap}}>
Take Snapshot!
</button>
{{/ember-webcam}}
`);
page.button.click();
});
});
|
Improve component test when fails to take snapshot
|
Improve component test when fails to take snapshot
|
JavaScript
|
mit
|
leizhao4/ember-webcam,forge512/ember-webcam,leizhao4/ember-webcam,forge512/ember-webcam
|
f8a42180a7b9b1a145ddc76164fd3299468771b4
|
lib/index.js
|
lib/index.js
|
'use strict';
module.exports = {};
|
'use strict';
var assert = require('assert');
module.exports = function() {
var privacy = {};
var tags = { in: {}, out: {} };
privacy.wrap = function(asset) {
return {
_unwrap: function(tag) {
assert(tag === tags.in);
return {
tag: tags.out,
asset: asset
};
}
};
};
privacy.unwrap = function(wrappedAsset) {
var unwrapped = wrappedAsset._unwrap(tags.in);
assert(unwrapped.tag === tags.out);
return unwrapped.asset;
};
return privacy;
};
|
Add actual code from jellyscript project
|
Add actual code from jellyscript project
|
JavaScript
|
mit
|
voltrevo/voltrevo-privacy,leahciMic/voltrevo-privacy
|
ad1a69d6bfc62473c322af56aea49da3efa46a75
|
karma.conf.js
|
karma.conf.js
|
"use strict";
/**
* Karma configuration.
*/
module.exports = function (config) {
config.set({
frameworks: ["mocha", "sinon"],
files: [
"test/**_test.js"
],
preprocessors: {
"test/**_test.js": ["webpack"]
},
reporters: ["progress"],
browsers: ["Chrome"],
webpack: require("./webpack.config"),
plugins: [
"karma-chrome-launcher",
"karma-mocha",
"karma-sinon",
"karma-webpack"
]
});
};
|
"use strict";
/**
* Karma configuration.
*/
module.exports = function (config) {
config.set({
frameworks: ["mocha", "sinon"],
files: [
"test/**_test.js"
],
preprocessors: {
"test/**_test.js": ["webpack"]
},
reporters: ["progress"],
browsers: ["Chrome"],
webpack: require("./webpack.config"),
plugins: [
"karma-chrome-launcher",
"karma-firefox-launcher",
"karma-mocha",
"karma-sinon",
"karma-webpack"
]
});
};
|
Add Karma Firefox Runner for TravisCI
|
[Fixed] Add Karma Firefox Runner for TravisCI
|
JavaScript
|
apache-2.0
|
mikepb/clerk
|
f92aa1631ecb7504d21931002dd0dfda01316af7
|
lib/client.js
|
lib/client.js
|
var api = require('@request/api')
module.exports = (client, provider, methods, config, transform) => {
return api(methods, {
api: function (options, name) {
options.api = name
return this
},
auth: function (options, arg1, arg2) {
var alias = (options.api || provider.api || '__default')
config.endpoint.auth(alias, options, arg1, arg2)
return this
},
submit: function (options) {
var alias = (options.api || provider.api || '__default')
if (!config.aliases[alias]) {
throw new Error('Purest: non existing alias!')
}
transform.oauth(options)
transform.parse(options)
options = config.endpoint.options(alias, options)
if (!/^http/.test(options.url)) {
options.url = config.url(alias, options)
}
return client(options)
}
})
}
|
var api = require('@request/api')
module.exports = (client, provider, methods, config, transform) => {
return api(methods, {
api: function (name) {
this._options.api = name
return this
},
auth: function (arg1, arg2) {
var alias = (this._options.api || provider.api || '__default')
config.endpoint.auth(alias, this._options, arg1, arg2)
return this
},
submit: function (callback) {
var options = this._options
if (callback) {
options.callback = callback
}
var alias = (options.api || provider.api || '__default')
if (!config.aliases[alias]) {
throw new Error('Purest: non existing alias!')
}
transform.oauth(options)
transform.parse(options)
options = config.endpoint.options(alias, options)
if (!/^http/.test(options.url)) {
options.url = config.url(alias, options)
}
return client(options)
}
})
}
|
Fix custom method options + Allow callback to be passed to the submit method
|
Fix custom method options +
Allow callback to be passed to the submit method
|
JavaScript
|
apache-2.0
|
simov/purest
|
6d22f9733610999ca48d912a125c3bde3e37b285
|
lib/utils.js
|
lib/utils.js
|
var Person = require('./person');
function incomingMessage(botId, message) {
return message.type === 'message' // check it's a message
&& Boolean(message.text) // check message has some content
&& Boolean(message.user) // check there is a user set
&& message.user !== botId; // check message is not from this bot
}
function directMessage(message) {
// check it's a direct message - direct message channels start with 'D'
return typeof message.channel === 'string' && message.channel[0] === 'D';
}
function channelMessageForMe(botId, message) {
return typeof message.channel === 'string' // check it's a string
&& message.channel[0] === 'C' // channel messages start with 'C'
&& message.text.startsWith('<@' + botId + '>:'); // check it's for me
}
function createResponse(message, callback) {
var response = 'Echo: ' + message.text;
if (message.text.startsWith('person')) {
var person = new Person(message.text.substring(7));
person.getDetails(callback);
}
callback(response);
}
module.exports = {
incomingMessage: incomingMessage,
directMessage: directMessage,
channelMessageForMe: channelMessageForMe,
createResponse: createResponse
};
|
var Person = require('./person');
function incomingMessage(botId, message) {
return message.type === 'message' // check it's a message
&& Boolean(message.text) // check message has some content
&& Boolean(message.user) // check there is a user set
&& message.user !== botId; // check message is not from this bot
}
function directMessage(message) {
// check it's a direct message - direct message channels start with 'D'
return typeof message.channel === 'string' && message.channel[0] === 'D';
}
function channelMessageForMe(botId, message) {
return typeof message.channel === 'string' // check it's a string
&& message.channel[0] === 'C' // channel messages start with 'C'
&& message.text.startsWith('<@' + botId + '>:'); // check it's for me
}
function createResponse(message, callback) {
if (message.text.startsWith('person')) {
var person = new Person(message.text.substring(7));
person.getDetails(callback);
} else {
// if nothing else, just echo back the message
callback('Echo: ' + message.text);
}
}
module.exports = {
incomingMessage: incomingMessage,
directMessage: directMessage,
channelMessageForMe: channelMessageForMe,
createResponse: createResponse
};
|
Stop double-calling the callback function
|
Stop double-calling the callback function
|
JavaScript
|
apache-2.0
|
tomnatt/tombot
|
2f5a1f4bd5754f895efa4f218d1a7dd8712525ee
|
src/store/modules/fcm.js
|
src/store/modules/fcm.js
|
import Vue from 'vue'
import axios from '@/services/axios'
export default {
namespaced: true,
state: {
token: null,
tokens: {},
},
getters: {
token: state => state.token,
tokenExists: state => token => Boolean(state.tokens[token]),
},
actions: {
updateToken ({ commit, rootGetters }, token) {
commit('setToken', token)
},
async fetchTokens ({ commit }) {
commit('receiveTokens', (await axios.get('/api/subscriptions/push/')).data.map(({ token }) => token))
},
},
mutations: {
setToken (state, token) {
state.token = token
},
receiveTokens (state, tokens) {
for (let token of tokens) {
Vue.set(state.tokens, token, true)
}
},
},
}
export const plugin = store => {
store.watch(() => ({
isLoggedIn: store.getters['auth/isLoggedIn'],
token: store.getters['fcm/token'],
}), async ({ isLoggedIn, token }) => {
if (isLoggedIn && token) {
await store.dispatch('fcm/fetchTokens')
if (!store.getters['fcm/tokenExists'](token)) {
await axios.post('/api/subscriptions/push/', { token, platform: 'android' })
await store.dispatch('fcm/fetchTokens')
}
}
})
}
|
import Vue from 'vue'
import axios from '@/services/axios'
export default {
namespaced: true,
state: {
token: null,
tokens: {},
},
getters: {
token: state => state.token,
tokenExists: state => token => Boolean(state.tokens[token]),
},
actions: {
updateToken ({ commit, rootGetters }, token) {
commit('setToken', token)
},
async fetchTokens ({ commit }) {
commit('receiveTokens', (await axios.get('/api/subscriptions/push/')).data.map(({ token }) => token))
},
},
mutations: {
setToken (state, token) {
state.token = token
},
receiveTokens (state, tokens) {
state.tokens = {}
for (let token of tokens) {
Vue.set(state.tokens, token, true)
}
},
},
}
export const plugin = store => {
store.watch(() => ({
isLoggedIn: store.getters['auth/isLoggedIn'],
token: store.getters['fcm/token'],
}), async ({ isLoggedIn, token }) => {
if (isLoggedIn && token) {
await store.dispatch('fcm/fetchTokens')
if (!store.getters['fcm/tokenExists'](token)) {
await axios.post('/api/subscriptions/push/', { token, platform: 'android' })
await store.dispatch('fcm/fetchTokens')
}
}
})
}
|
Clear subscription tokens before updating
|
Clear subscription tokens before updating
|
JavaScript
|
mit
|
yunity/foodsaving-frontend,yunity/foodsaving-frontend,yunity/karrot-frontend,yunity/karrot-frontend,yunity/karrot-frontend,yunity/karrot-frontend,yunity/foodsaving-frontend,yunity/foodsaving-frontend
|
5e9118abc8aeb801bc51e4f3230b12ae116fed5e
|
lib/crouch.js
|
lib/crouch.js
|
"use strict";
;(function ( root, name, definition ) {
/*
* Exports
*/
if ( typeof define === 'function' && define.amd ) {
define( [], definition );
}
else if ( typeof module === 'object' && module.exports ) {
module.exports = definition();
}
else {
root[ name ] = definition();
}
})( this, 'crouch', function () {
/**
* RegExp to find placeholders in the template
*
* http://regexr.com/3e1o7
* @type {RegExp}
*/
var _re = /{([0-9a-zA-Z]+?)}/g;
/**
* Micro template compiler
*
* @param {string} template
* @param {array|object} values
* @returns {string}
*/
var crouch = function ( template, values ) {
/*
* Default arguments
*/
var
template = template || "",
values = values || {};
var match;
/*
* Loop through all the placeholders that matched with regex
*/
while ( match = _re.exec( template ) ) {
/*
* Get value from given values and
* if it doesn't exist use empty string
*/
var _value = values[ match[ 1 ] ];
if ( !_value ) _value = "";
/*
* Replace the placeholder with a real value.
*/
template = template.replace( match[ 0 ], _value )
}
/*
* Return the template with filled in values
*/
return template;
};
/**
* 😎
*/
return crouch;
} );
|
"use strict";
;(function ( root, name, definition ) {
/*
* Exports
*/
if ( typeof define === 'function' && define.amd ) {
define( [], definition );
}
else if ( typeof module === 'object' && module.exports ) {
module.exports = definition();
}
else {
root[ name ] = definition();
}
})( this, 'crouch', function () {
/**
* RegExp to find placeholders in the template
*
* http://regexr.com/3eveu
* @type {RegExp}
*/
var _re = /{([0-9a-z_]+?)}/ig;
/**
* Micro template compiler
*
* @param {string} template
* @param {array|object} values
* @returns {string}
*/
var crouch = function ( template, values ) {
/*
* Default arguments
*/
var
template = template || "",
values = values || {};
var match;
/*
* Loop through all the placeholders that matched with regex
*/
while ( match = _re.exec( template ) ) {
/*
* Get value from given values and
* if it doesn't exist use empty string
*/
var _value = values[ match[ 1 ] ];
if ( !_value ) _value = "";
/*
* Replace the placeholder with a real value.
*/
template = template.replace( match[ 0 ], _value )
}
/*
* Return the template with filled in values
*/
return template;
};
/**
* 😎
*/
return crouch;
} );
|
Update regex to match underscore and be case insensitive;
|
Update regex to match underscore and be case insensitive;
|
JavaScript
|
mit
|
hendrysadrak/crouch
|
5a3e8af0505b8777358db1984b5020fd5a4dfb48
|
lib/util/generalRequest.js
|
lib/util/generalRequest.js
|
// Includes
var http = require('./http.js').func;
var getVerification = require('./getVerification.js').func;
var promise = require('./promise.js');
// Args
exports.required = ['url', 'events'];
exports.optional = ['customOpt', 'getBody', 'jar'];
function general (jar, url, inputs, events, customOpt, body) {
return function (resolve, reject) {
for (var input in events) {
inputs[input] = events[input];
}
var httpOpt = {
url: url,
options: {
resolveWithFullResponse: true,
method: 'POST',
form: inputs,
jar: jar
}
};
if (customOpt) {
Object.assign(httpOpt.options, customOpt);
}
http(httpOpt).then(function (res) {
resolve({
res: res,
body: body
});
});
};
}
exports.func = function (args) {
var jar = args.jar;
var url = args.url;
return getVerification({url: url, jar: jar, getBody: args.getBody})
.then(function (response) {
return promise(general(jar, url, response.inputs, args.events, args.http, response.body));
});
};
|
// Includes
var http = require('./http.js').func;
var getVerification = require('./getVerification.js').func;
var promise = require('./promise.js');
// Args
exports.required = ['url', 'events'];
exports.optional = ['http', 'ignoreCache', 'getBody', 'jar'];
function general (jar, url, inputs, events, customOpt, body) {
return function (resolve, reject) {
for (var input in events) {
inputs[input] = events[input];
}
var httpOpt = {
url: url,
options: {
resolveWithFullResponse: true,
method: 'POST',
form: inputs,
jar: jar
}
};
if (customOpt) {
if (customOpt.url) {
delete customOpt.url;
}
Object.assign(httpOpt.options, customOpt);
}
http(httpOpt).then(function (res) {
resolve({
res: res,
body: body
});
});
};
}
exports.func = function (args) {
var jar = args.jar;
var url = args.url;
var custom = args.http;
return getVerification({url: custom ? (custom.url || url) : url, jar: jar, ignoreCache: args.ignoreCache, getBody: args.getBody})
.then(function (response) {
return promise(general(jar, url, response.inputs, args.events, args.http, response.body));
});
};
|
Add ignoreCache option and http option
|
Add ignoreCache option and http option
|
JavaScript
|
mit
|
FroastJ/roblox-js,OnlyTwentyCharacters/roblox-js,sentanos/roblox-js
|
9af35bf97daa2a3b81d3984f7047a0c893b7b983
|
lib/helper.js
|
lib/helper.js
|
'use babel'
import {BufferedProcess} from 'atom'
export function exec(command, args = [], options = {}) {
if (!arguments.length) throw new Error('Nothing to execute')
return new Promise(function(resolve, reject) {
const data = {stdout: [], stderr: []}
const spawnedProcess = new BufferedProcess({
command: command,
args: args,
options: options,
stdout: function(contents) {
data.stdout.push(contents)
},
stderr: function(contents) {
data.stderr.push(contents)
},
exit: function() {
if (data.stderr.length) {
reject(new Error(data.stderr.join('')))
} else {
resolve(data.stdout.join(''))
}
}
})
spawnedProcess.onWillThrowError(function({error, handle}) {
reject(error)
handle()
})
})
}
|
'use babel'
import {BufferedProcess} from 'atom'
export function installPackages(packageNames, callback) {
const APMPath = atom.packages.getApmPath()
const Promises = []
return Promise.all(Promise)
}
export function exec(command, args = [], options = {}) {
if (!arguments.length) throw new Error('Nothing to execute')
return new Promise(function(resolve, reject) {
const data = {stdout: [], stderr: []}
const spawnedProcess = new BufferedProcess({
command: command,
args: args,
options: options,
stdout: function(contents) {
data.stdout.push(contents)
},
stderr: function(contents) {
data.stderr.push(contents)
},
exit: function() {
if (data.stderr.length) {
reject(new Error(data.stderr.join('')))
} else {
resolve(data.stdout.join(''))
}
}
})
spawnedProcess.onWillThrowError(function({error, handle}) {
reject(error)
handle()
})
})
}
|
Create a dummy installPackages function
|
:art: Create a dummy installPackages function
|
JavaScript
|
mit
|
steelbrain/package-deps,openlawlibrary/package-deps,steelbrain/package-deps
|
6c1222bfbd64be37e64e4b5142c7c92555664e81
|
polymerjs/gulpfile.js
|
polymerjs/gulpfile.js
|
var gulp = require('gulp');
var browserSync = require('browser-sync');
var vulcanize = require('gulp-vulcanize');
var uglify = require('gulp-uglify');
var concat = require('gulp-concat');
gulp.task('copy', function () {
return gulp.src('./app/index.html', {base: './app/'})
.pipe(gulp.dest('./dist/'));
});
gulp.task('compress', function () {
return gulp.src('./app/bower_components/webcomponentsjs/webcomponents-lite.min.js')
.pipe(uglify({mangle: true}))
.pipe(concat('_polymer.js'))
.pipe(gulp.dest('./dist/'));
});
gulp.task('vulcanize', function () {
return gulp.src('app/elements/my-app.html')
.pipe(vulcanize({
stripComments: true,
inlineCss: true,
inlineScripts: true
}))
.pipe(concat('_polymer.html'))
.pipe(gulp.dest('./dist/'));
});
gulp.task('build', ['copy', 'compress', 'vulcanize']);
gulp.task('serve', ['build'], function () {
browserSync.init({
server: './dist'
});
gulp.watch('app/elements/**/*.html', ['vulcanize']);
gulp.watch('app/index.html', ['copy']);
gulp.watch('dist/*.html').on('change', browserSync.reload);
});
|
var gulp = require('gulp');
var browserSync = require('browser-sync');
var vulcanize = require('gulp-vulcanize');
var uglify = require('gulp-uglify');
var concat = require('gulp-concat');
gulp.task('copy', function () {
return gulp.src('./app/index.html', {base: './app/'})
.pipe(gulp.dest('./dist/'));
});
gulp.task('compress', function () {
return gulp.src('./app/bower_components/webcomponentsjs/webcomponents-lite.min.js')
.pipe(uglify({mangle: true}))
.pipe(concat('_polymer.js'))
.pipe(gulp.dest('./dist/'));
});
gulp.task('vulcanize', function () {
return gulp.src('app/elements/my-app.html')
.pipe(vulcanize({
stripComments: true,
inlineCss: true,
inlineScripts: true
}))
.pipe(concat('_polymer.html'))
.pipe(gulp.dest('./dist/'));
});
gulp.task('build', ['copy', 'compress', 'vulcanize']);
gulp.task('serve', ['build'], function () {
browserSync.init({
server: './dist',
port: 4200
});
gulp.watch('app/elements/**/*.html', ['vulcanize']);
gulp.watch('app/index.html', ['copy']);
gulp.watch('dist/*.html').on('change', browserSync.reload);
});
|
Change browserSync to use port 4200
|
[Polymer] Change browserSync to use port 4200
|
JavaScript
|
mit
|
hawkup/github-stars,hawkup/github-stars
|
1888b71a627455c051ad26932eabb8ca36cd578d
|
messenger.js
|
messenger.js
|
/*jshint strict: true, esnext: true, node: true*/
"use strict";
const Wreck = require("wreck");
const qs = require("querystring");
class FBMessenger {
constructor(token) {
this._fbBase = "https://graph.facebook.com/v2.6/me/";
this._token = token;
this._q = qs.stringify({access_token: token});
this._wreck = Wreck.defaults({
baseUrl: this._fbBase
});
}
sendMessage(userid, msg) {
let payload = "";
payload = JSON.stringify({
recipient: { id: userid },
message: msg
});
return new Promise(function(resolve, reject) {
this._wreck.request(
"POST",
`/messages?${this._q}`,
{
payload: payload
},
(err, response) => {
if(err) {
return reject(err);
}
if(response.body.error) {
return reject(response.body.error);
}
return resolve(response.body);
}
);
});
}
}
module.exports = FBMessenger;
|
/*jshint strict: true, esnext: true, node: true*/
"use strict";
const Wreck = require("wreck");
const qs = require("querystring");
class FBMessenger {
constructor(token) {
this._fbBase = "https://graph.facebook.com/v2.6/";
this._token = token;
this._q = qs.stringify({access_token: token});
this._wreck = Wreck.defaults({
baseUrl: this._fbBase
});
}
sendMessage(userid, msg) {
let payload = "";
payload = JSON.stringify({
recipient: { id: userid },
message: msg
});
return this._makeRequest(`/me/messages?${this._q}`,payload);
}
getUserProfile(userid, fields) {
let params = {
access_token: this._token
};
let q = "";
fields = (Array.isArray(fields)) ? fields.join(",") : fields;
if(fields) {
params.fields = fields;
}
q = qs.stringify(params);
return this._makeRequest(`/${userid}?${q}`);
}
_makeRequest(url, payload) {
let method = "GET";
let opts = {};
if(payload) {
method = "POST";
opts.payload = payload;
}
return new Promise((resolve, reject) => {
this._wreck.request(
method,
url,
opts,
(err, response) => {
if(err) {
return reject(err);
}
if(response.body.error) {
return reject(response.body.error);
}
return resolve(response.body);
}
);
});
}
}
module.exports = FBMessenger;
|
Add function to get profile. Refactor.
|
Add function to get profile. Refactor.
|
JavaScript
|
mit
|
dapuck/fbmsgr-game
|
48052b56b145a4fc7b1370db7e1764b3397c15b5
|
js/mobiscroll.treelist.js
|
js/mobiscroll.treelist.js
|
(function ($) {
var ms = $.mobiscroll,
presets = ms.presets.scroller;
presets.treelist = presets.list;
ms.presetShort('treelist');
})(jQuery);
|
(function ($) {
var ms = $.mobiscroll,
presets = ms.presets.scroller;
presets.treelist = presets.list;
ms.presetShort('list');
ms.presetShort('treelist');
})(jQuery);
|
Add missing list shorthand init
|
Add missing list shorthand init
|
JavaScript
|
mit
|
jeancroy/mobiscroll,xuyansong1991/mobiscroll,loki315zx/mobiscroll,mrzzcn/mobiscroll,mrzzcn/mobiscroll,Julienedies/mobiscroll,xuyansong1991/mobiscroll,Julienedies/mobiscroll,loki315zx/mobiscroll,jeancroy/mobiscroll
|
c732b7edc490137446df41d7d85cb58fc8d8fc7a
|
lib/white-space.js
|
lib/white-space.js
|
var _ = require('lodash')
var fs = require('fs')
var gzip = require('gzip-size')
var filesize = require('filesize')
var cssstats = require('cssstats')
var module = require('tachyons-white-space/package.json')
var moduleCss = fs.readFileSync('node_modules/tachyons-white-space/tachyons-white-space.min.css', 'utf8')
var moduleObj = cssstats(moduleCss)
var moduleSize = filesize(moduleObj.gzipSize)
var srcCSS = fs.readFileSync('./src/_white-space.css', 'utf8')
var template = fs.readFileSync('./templates/docs/white-space/index.html', 'utf8')
var tpl = _.template(template)
var html = tpl({
moduleVersion: module.version,
moduleSize: moduleSize,
moduleObj: moduleObj,
srcCSS: srcCSS
})
fs.writeFileSync('./docs/typography/white-space/index.html', html)
|
var _ = require('lodash')
var fs = require('fs')
var gzip = require('gzip-size')
var filesize = require('filesize')
var cssstats = require('cssstats')
var module = require('tachyons-white-space/package.json')
var moduleCss = fs.readFileSync('node_modules/tachyons-white-space/tachyons-white-space.min.css', 'utf8')
var moduleObj = cssstats(moduleCss)
var moduleSize = filesize(moduleObj.gzipSize)
var srcCSS = fs.readFileSync('./src/_white-space.css', 'utf8')
var navDocs = fs.readFileSync('./templates/nav_docs.html', 'utf8')
var template = fs.readFileSync('./templates/docs/white-space/index.html', 'utf8')
var tpl = _.template(template)
var html = tpl({
moduleVersion: module.version,
moduleSize: moduleSize,
moduleObj: moduleObj,
srcCSS: srcCSS,
navDocs: navDocs
})
fs.writeFileSync('./docs/typography/white-space/index.html', html)
|
Update with reference to global nav partial
|
Update with reference to global nav partial
|
JavaScript
|
mit
|
topherauyeung/portfolio,fenderdigital/css-utilities,topherauyeung/portfolio,pietgeursen/pietgeursen.github.io,topherauyeung/portfolio,cwonrails/tachyons,matyikriszta/moonlit-landing-page,fenderdigital/css-utilities,tachyons-css/tachyons,getfrank/tachyons
|
2f1b73dd12c57e8b64f34d7218c07ecd1f05996e
|
src/middleware/command/system_defaults/handler.js
|
src/middleware/command/system_defaults/handler.js
|
'use strict';
const { mapValues, omitBy } = require('../../../utilities');
const { defaults } = require('./defaults');
// Apply system-defined defaults to input, including input arguments
const systemDefaults = async function (nextFunc, input) {
const { serverOpts } = input;
const argsA = getDefaultArgs({ serverOpts, input });
const inputA = Object.assign({}, input, { args: argsA });
const response = await nextFunc(inputA);
return response;
};
// Retrieve default arguments
const getDefaultArgs = function ({
serverOpts,
input,
input: { command, args },
}) {
const filteredDefaults = omitBy(
defaults,
({ commands, test: testFunc }, attrName) =>
// Whitelist by command.name
(commands && !commands.includes(command.name)) ||
// Whitelist by tests
(testFunc && !testFunc({ serverOpts, input })) ||
// Only if user has not specified that argument
args[attrName] !== undefined
);
// Reduce to a single object
const defaultArgs = mapValues(filteredDefaults, ({ value }) =>
(typeof value === 'function' ? value({ serverOpts, input }) : value)
);
return defaultArgs;
};
module.exports = {
systemDefaults,
};
|
'use strict';
const { mapValues, omitBy } = require('../../../utilities');
const { defaults } = require('./defaults');
// Apply system-defined defaults to input, including input arguments
const systemDefaults = async function (nextFunc, input) {
const { serverOpts } = input;
const argsA = getDefaultArgs({ serverOpts, input });
const inputA = Object.assign({}, input, { args: argsA });
const response = await nextFunc(inputA);
return response;
};
// Retrieve default arguments
const getDefaultArgs = function ({
serverOpts,
input,
input: { command, args },
}) {
const filteredDefaults = omitBy(
defaults,
({ commands, test: testFunc }, attrName) =>
// Whitelist by command.name
(commands && !commands.includes(command.name)) ||
// Whitelist by tests
(testFunc && !testFunc({ serverOpts, input })) ||
// Only if user has not specified that argument
args[attrName] !== undefined
);
// Reduce to a single object
const defaultArgs = mapValues(filteredDefaults, ({ value }) =>
(typeof value === 'function' ? value({ serverOpts, input }) : value)
);
return Object.assign({}, args, defaultArgs);
};
module.exports = {
systemDefaults,
};
|
Fix system defaults overriding all args
|
Fix system defaults overriding all args
|
JavaScript
|
apache-2.0
|
autoserver-org/autoserver,autoserver-org/autoserver
|
cea5f4bf13f5b3359aea957b35cf52965fa40c37
|
app/places/places-service.js
|
app/places/places-service.js
|
'use strict';
angular
.module('webClient.places')
.factory('PlacesService', PlacesService);
function PlacesService($resource, envService) {
console.log('Hello :)');
return $resource(
envService.read('baseBackendUrl') + '/places',
{},
{query: {method:'GET', isArray:true}}
);
}
|
'use strict';
angular
.module('webClient.places')
.factory('PlacesService', PlacesService);
function PlacesService($resource, envService) {
return $resource(
envService.read('baseBackendUrl') + '/places',
{},
{query: {method:'GET', isArray:true}}
);
}
|
Revert "Story-52 [Marcela, Felipe] Just testing if the new versions are being correctly deployed to Heroku from Snap - this commit will be reverted in the next push"
|
Revert "Story-52 [Marcela, Felipe] Just testing if the new versions are being correctly deployed to Heroku from Snap - this commit will be reverted in the next push"
This reverts commit 926c0f09dc56c1fa9ffb91c548d644c771b08046.
|
JavaScript
|
mit
|
simpatize/webclient,simpatize/webclient,simpatize/webclient
|
9d73d1e23c2bce43ee87d150905ec2623277185f
|
src/js/dom-utils.js
|
src/js/dom-utils.js
|
// DOM Library Utilites
$.parseUrlQuery = function (url) {
var query = {}, i, params, param;
if (url.indexOf('?') >= 0) url = url.split('?')[1];
params = url.split('&');
for (i = 0; i < params.length; i++) {
param = params[i].split('=');
query[param[0]] = param[1];
}
return query;
};
$.isArray = function (arr) {
if (Object.prototype.toString.apply(arr) === '[object Array]') return true;
else return false;
};
$.unique = function (arr) {
var unique = [];
for (var i = 0; i < arr.length; i++) {
if (unique.indexOf(arr[i]) === -1) unique.push(arr[i]);
}
return unique;
};
$.trim = function (str) {
return str.trim();
};
$.supportTouch = (function () {
return !!(('ontouchstart' in window) || window.DocumentTouch && document instanceof DocumentTouch);
})();
$.fn = Dom7.prototype;
|
// DOM Library Utilites
$.parseUrlQuery = function (url) {
var query = {}, i, params, param;
if (url.indexOf('?') >= 0) url = url.split('?')[1];
params = url.split('&');
for (i = 0; i < params.length; i++) {
param = params[i].split('=');
query[param[0]] = param[1];
}
return query;
};
$.isArray = function (arr) {
if (Object.prototype.toString.apply(arr) === '[object Array]') return true;
else return false;
};
$.unique = function (arr) {
var unique = [];
for (var i = 0; i < arr.length; i++) {
if (unique.indexOf(arr[i]) === -1) unique.push(arr[i]);
}
return unique;
};
$.trim = function (str) {
return str.trim();
};
$.serializeObject = function (obj) {
if (typeof obj === 'string') return obj;
var resultArray = [];
var separator = '&';
for (var prop in obj) {
if ($.isArray(obj[prop])) {
var toPush = [];
for (var i = 0; i < obj[prop].length; i ++) {
toPush.push(prop + '=' + obj[prop][i]);
}
resultArray.push(toPush.join(separator));
}
else {
// Should be string
resultArray.push(prop + '=' + obj[prop]);
}
}
return resultArray.join(separator);
};
$.fn = Dom7.prototype;
|
Remove supportTouch, add new serializeObject util
|
Remove supportTouch, add new serializeObject util
|
JavaScript
|
mit
|
thdoan/Framework7,akio46/Framework7,luistapajos/Lista7,Iamlars/Framework7,Janusorz/Framework7,JustAMisterE/Framework7,Dr1ks/Framework7,Liu-Young/Framework7,dingxin/Framework7,yangfeiloveG/Framework7,pandoraui/Framework7,lilien1010/Framework7,youprofit/Framework7,framework7io/Framework7,quannt/Framework7,xuyuanxiang/Framework7,hanziwang/Framework7,megaplan/Framework7,yucopowo/Framework7,DmitryNek/Framework7,zd9027/Framework7-Plus,luistapajos/Lista7,jvrunion/mercury-seed,ks3dev/Framework7,pratikbutani/Framework7,xuyuanxiang/Framework7,Janusorz/Framework7,ks3dev/Framework7,nolimits4web/Framework7,Dr1ks/Framework7,LeoHuiyi/Framework7,pingjiang/Framework7,quietdog/Framework7,stonegithubs/Framework7,iamxiaoma/Framework7,NichenLg/Framework7,StudyForFun/Framework7-Plus,Iamlars/Framework7,zhangzuoqiang/Framework7-Plus,Logicify/Framework7,Liu-Young/Framework7,gank0326/HTMLINIOS,DmitryNek/Framework7,tiptronic/Framework7,megaplan/Framework7,EhteshamMehmood/Framework7,Miantang/FrameWrork7-Demo,ina9er/bein,Iamlars/Framework7,pleshevskiy/Framework7,tranc99/Framework7,iamxiaoma/Framework7,121595113/Framework7,121595113/Framework7,romanticcup/Framework7,ChineseDron/Framework7,stonegithubs/Framework7-Plus,shuai959980629/Framework7,Logicify/Framework7,NichenLg/Framework7,DrGo/Framework7,LeoHuiyi/Framework7,itstar4tech/Framework7,makelivedotnet/Framework7,Carrotzpc/Framework7,johnjamesjacoby/Framework7,vulcan/Framework7-Plus,pandoraui/Framework7,zhangzuoqiang/Framework7-Plus,thdoan/Framework7,dgilliam/Ref7,elma-cao/Framework7,crazyurus/Framework7,lihongxun945/Framework7,ks3dev/Framework7,crazyurus/Framework7,iamxiaoma/Framework7,RubenDjOn/Framework7,trunk-studio/demo20151024,dingxin/Framework7,quannt/Framework7,domhnallohanlon/Framework7,tiptronic/Framework7,xpyctum/Framework7,RubenDjOn/Framework7,luistapajos/Lista7,johnjamesjacoby/Framework7,Carrotzpc/Framework7,trunk-studio/demo20151024,gagustavo/Framework7,akio46/Framework7,nolimits4web/Framework7,DmitryNek/Framework7,pingjiang/Framework7,StudyForFun/Framework7-Plus,ChineseDron/Framework7,NichenLg/Framework7,chenbk85/Framework7-Plus,gagustavo/Framework7,pandoraui/Framework7,Logicify/Framework7,makelivedotnet/Framework7,gank0326/HTMLINIOS,JustAMisterE/Framework7,thdoan/Framework7,wicky-info/Framework7,RubenDjOn/Framework7,Miantang/FrameWrork7-Demo,DrGo/Framework7,Dr1ks/Framework7,wicky-info/Framework7,trunk-studio/demo20151024,megaplan/Framework7,xpyctum/Framework7,faustinoloeza/Framework7,microlv/Framework7,tiptronic/Framework7,jeremykenedy/Framework7,AdrianV/Framework7,lihongxun945/Framework7,yangfeiloveG/Framework7,ina9er/bein,framework7io/Framework7,chenbk85/Framework7-Plus,quietdog/Framework7,trunk-studio/demo20151024,elma-cao/Framework7,AdrianV/Framework7,etsb5z/Framework7,StudyForFun/Framework7-Plus,ina9er/bein,crazyurus/Framework7,itstar4tech/Framework7,lihongxun945/Framework7,trunk-studio/demo20151024,insionng/Framework7,makelivedotnet/Framework7,Miantang/FrameWrork7-Demo,quannt/Framework7,pratikbutani/Framework7,yucopowo/Framework7,etsb5z/Framework7,stonegithubs/Framework7,romanticcup/Framework7,pleshevskiy/Framework7,shuai959980629/Framework7,mgesmundo/Framework7,prashen/Framework7,microlv/Framework7,chenbk85/Framework7-Plus,mgesmundo/Framework7,faustinoloeza/Framework7,iamxiaoma/Framework7,nolimits4web/Framework7,JustAMisterE/Framework7,shuai959980629/Framework7,zhangzuoqiang/Framework7-Plus,hanziwang/Framework7,etsb5z/Framework7,lilien1010/Framework7,wicky-info/Framework7,yucopowo/Framework7,gagustavo/Framework7,xpyctum/Framework7,lilien1010/Framework7,dgilliam/Ref7,jvrunion/mercury-seed,yangfeiloveG/Framework7,jvrunion/mercury-seed,itstar4tech/Framework7,romanticcup/Framework7,pleshevskiy/Framework7,dgilliam/Ref7,wjb12/Framework7,ChineseDron/Framework7,Carrotzpc/Framework7,EhteshamMehmood/Framework7,elma-cao/Framework7,stonegithubs/Framework7-Plus,hanziwang/Framework7,DrGo/Framework7,johnjamesjacoby/Framework7,EhteshamMehmood/Framework7,zd9027/Framework7-Plus,tranc99/Framework7,zd9027/Framework7-Plus,microlv/Framework7,jeremykenedy/Framework7,vulcan/Framework7-Plus,prashen/Framework7,akio46/Framework7,AdrianV/Framework7,youprofit/Framework7,prashen/Framework7,domhnallohanlon/Framework7,LeoHuiyi/Framework7,quietdog/Framework7,xuyuanxiang/Framework7,pratikbutani/Framework7,insionng/Framework7,Liu-Young/Framework7,insionng/Framework7,stonegithubs/Framework7,mgesmundo/Framework7,Janusorz/Framework7,vulcan/Framework7-Plus,wjb12/Framework7,tranc99/Framework7,wjb12/Framework7,pingjiang/Framework7,faustinoloeza/Framework7,youprofit/Framework7,jeremykenedy/Framework7,stonegithubs/Framework7-Plus
|
a667210d417520082ea946342a64f16f18d1a2e3
|
src/js/notifications.js
|
src/js/notifications.js
|
const push = require('push.js');
angular.module('opentok-meet').factory('Push', () => push);
angular.module('opentok-meet').factory('NotificationService', ['$window', 'OTSession', 'Push',
function NotificationService($window, OTSession, Push) {
let focused = true;
$window.addEventListener('blur', () => {
focused = false;
});
$window.addEventListener('focus', () => {
focused = true;
});
const notifyOnConnectionCreated = () => {
if (!OTSession.session) {
OTSession.on('init', notifyOnConnectionCreated);
} else {
OTSession.session.on('connectionCreated', (event) => {
if (!focused &&
event.connection.connectionId !== OTSession.session.connection.connectionId) {
Push.create('New Participant', {
body: 'Someone joined your meeting',
icon: '/icon.png',
tag: 'new-participant',
timeout: 5000,
onClick() {
$window.focus();
this.close();
},
});
}
});
}
};
return {
init() {
if (Push.Permission.has()) {
notifyOnConnectionCreated();
} else {
try {
Push.Permission.request(() => {
notifyOnConnectionCreated();
}, (err) => {
console.warn(err);
});
} catch (err) {
console.warn(err);
}
}
},
};
},
]);
|
const push = require('push.js');
angular.module('opentok-meet').factory('Push', () => push);
angular.module('opentok-meet').factory('NotificationService', ['$window', 'OTSession', 'Push',
function NotificationService($window, OTSession, Push) {
let focused = true;
$window.addEventListener('blur', () => {
focused = false;
});
$window.addEventListener('focus', () => {
focused = true;
});
const notifyOnConnectionCreated = () => {
if (!OTSession.session) {
OTSession.on('init', notifyOnConnectionCreated);
} else {
OTSession.session.on('connectionCreated', (event) => {
const visible = $window.document.visibilityState === 'visible';
if ((!focused || !visible) &&
event.connection.connectionId !== OTSession.session.connection.connectionId) {
Push.create('New Participant', {
body: 'Someone joined your meeting',
icon: '/icon.png',
tag: 'new-participant',
timeout: 5000,
onClick() {
$window.focus();
this.close();
},
});
}
});
}
};
return {
init() {
if (Push.Permission.has()) {
notifyOnConnectionCreated();
} else {
try {
Push.Permission.request(() => {
notifyOnConnectionCreated();
}, (err) => {
console.warn(err);
});
} catch (err) {
console.warn(err);
}
}
},
};
},
]);
|
Add extra condition to show "user joined" notification
|
Add extra condition to show "user joined" notification
If you open the page and without clicking anything you go to other app, then you won't get the notification => I don't know how to solve this.
If you open the page and without clicking anything you go to other tab, then you won't get the notification => It should be fixed with this change because in that case visibilityState === 'hidden'.
(Disclaimer: Didn't test it inside opentok-meet but in my own app)
|
JavaScript
|
mit
|
opentok/opentok-meet,aullman/opentok-meet,opentok/opentok-meet,opentok/opentok-meet,aullman/opentok-meet
|
7bf21890f9b24b6afde0d5ff83ffa70ecf7163e2
|
src/database/json-file-manager.js
|
src/database/json-file-manager.js
|
import fileSystem from 'fs';
const JsonFileManager = {
load(fileName) {
console.log(`[INFO] Loading data from ${__dirname}/${fileName} file`);
return JSON.parse(fileSystem.readFileSync(`${__dirname}/${fileName}`));
},
save(fileName, json) {
console.log(`[INFO] Saving data in ${__dirname}/${fileName} file`);
fileSystem.writeFileSync(`${__dirname}/${fileName}`, JSON.stringify(json));
}
};
export default JsonFileManager;
|
import fileSystem from 'fs';
const JsonFileManager = {
load(path) {
console.log(`[INFO] Loading data from ${path} file`);
return JSON.parse(fileSystem.readFileSync(`${path}`));
},
save(path, json) {
console.log(`[INFO] Saving data in ${path} file`);
fileSystem.writeFileSync(`${path}`, JSON.stringify(json));
}
};
export default JsonFileManager;
|
Add some changes in path settings for JsonFIleManager
|
Add some changes in path settings for JsonFIleManager
|
JavaScript
|
mit
|
adrianobrito/vaporwave
|
914b86f5c0351599a9a168c5f0dc65b9bfa942d5
|
src/runner/typecheck.js
|
src/runner/typecheck.js
|
import { execFile } from 'child_process'
import flow from 'flow-bin'
import { logError, log } from '../util/log'
const errorCodes = {
TYPECHECK_ERROR: 2
}
export default (saguiOptions) => new Promise((resolve, reject) => {
const commandArgs = ['check', '--color=always']
if (saguiOptions.javaScript && saguiOptions.javaScript.typeCheckAll) {
commandArgs.push('--all')
}
execFile(flow, commandArgs, (err, stdout, stderr) => {
if (err) {
logError('Type check failed:\n')
switch (err.code) {
case errorCodes.TYPECHECK_ERROR:
console.log(stdout)
break
default:
console.log(err)
}
reject()
} else {
log('Type check completed without errors')
resolve()
}
})
})
|
import { execFile } from 'child_process'
import flow from 'flow-bin'
import { logError, logWarning, log } from '../util/log'
const errorCodes = {
TYPECHECK_ERROR: 2
}
export default (saguiOptions) => new Promise((resolve, reject) => {
// Currently Facebook does not provide Windows builds.
// https://github.com/flowtype/flow-bin#flow-bin-
//
// Instead of using `flow`, we show a warning and ignore this task
// For further discussion, you can go to:
// https://github.com/saguijs/sagui/issues/179
if (process.platform === 'win32') {
logWarning('Type checking in Windows is not currently supported')
log('Official flow builds for Windows are not currently provided.')
log('We are exploring options in https://github.com/saguijs/sagui/issues/179')
return resolve()
}
const commandArgs = ['check', '--color=always']
if (saguiOptions.javaScript && saguiOptions.javaScript.typeCheckAll) {
commandArgs.push('--all')
}
execFile(flow, commandArgs, (err, stdout, stderr) => {
if (err) {
logError('Type check failed:\n')
switch (err.code) {
case errorCodes.TYPECHECK_ERROR:
console.log(stdout)
break
default:
console.log(err)
}
reject()
} else {
log('Type check completed without errors')
resolve()
}
})
})
|
Disable type checking in Windows 😞
|
Disable type checking in Windows 😞
|
JavaScript
|
mit
|
saguijs/sagui,saguijs/sagui
|
b6c7749859a6bba20301d5b0ad01754624964829
|
coeus-webapp/src/main/webapp/scripts/common/global.js
|
coeus-webapp/src/main/webapp/scripts/common/global.js
|
var Kc = Kc || {};
Kc.Global = Kc.Global || {};
(function (namespace, $) {
// set all modals to static behavior (clicking out does not close)
$.fn.modal.Constructor.DEFAULTS.backdrop = "static";
})(Kc.Global, jQuery);
|
var Kc = Kc || {};
Kc.Global = Kc.Global || {};
(function (namespace, $) {
// set all modals to static behavior (clicking out does not close)
$.fn.modal.Constructor.DEFAULTS.backdrop = "static";
$(document).on("ready", function(){
// date conversion for date fields to full leading 0 - for days and months and to full year dates
$(document).on("blur", ".uif-dateControl", function(){
var dateFormat = $.datepicker._defaults.dateFormat;
var date = $(this).val();
if (!date) {
return;
}
date = date.replace(/-/g, "/");
if (date && (date.match(/\//g) || []).length === 2) {
// find the expected position and value of year in the string based on date format
var year;
if (dateFormat.indexOf("y") === 0) {
year = date.substr(0, date.indexOf("/"));
}
else {
year = date.substr(date.lastIndexOf("/") + 1, date.length - 1);
}
// when year is length of 2 append the first 2 numbers of the current full year (ie 14 -> 2014)
if (year.length === 2) {
var currentDate = new Date();
year = currentDate.getFullYear().toString().substr(0,2) + year;
}
var dateObj = new Date(date);
if (isNaN(dateObj.valueOf())) {
// not valid abandon conversion
return;
}
dateObj.setFullYear(year);
var formattedDate = $.datepicker.formatDate(dateFormat, dateObj);
$(this).val(formattedDate);
}
});
});
})(Kc.Global, jQuery);
|
Convert non-full date to full date on loss of focus in js
|
[KRACOEUS-8479] Convert non-full date to full date on loss of focus in js
|
JavaScript
|
agpl-3.0
|
geothomasp/kcmit,geothomasp/kcmit,geothomasp/kcmit,geothomasp/kcmit,geothomasp/kcmit
|
e041a79fdfa455939b44436677b6ee40d3534e24
|
app/scripts/pipelineDirectives/droprowsfunction.js
|
app/scripts/pipelineDirectives/droprowsfunction.js
|
'use strict';
/**
* @ngdoc directive
* @name grafterizerApp.directive:dropRowsFunction
* @description
* # dropRowsFunction
*/
angular.module('grafterizerApp')
.directive('dropRowsFunction', function(transformationDataModel) {
return {
templateUrl: 'views/pipelineFunctions/dropRowsFunction.html',
restrict: 'E',
link: function postLink(scope, element, attrs) {
if (!scope.function) {
scope.function = {
numberOfRows: 1,
take: true,
docstring: null
};
}
scope.$parent.generateCurrFunction = function() {
return new transformationDataModel.DropRowsFunction(parseInt(
scope.function.numberOfRows), scope.function.take, scope.function.docstring);
};
scope.doGrep = function() {
scope.$parent.selectefunctionName = 'grep';
};
scope.showUsage = false;
scope.switchShowUsage = function() {
scope.showUsage = !scope.showUsage;
};
}
};
});
|
'use strict';
/**
* @ngdoc directive
* @name grafterizerApp.directive:dropRowsFunction
* @description
* # dropRowsFunction
*/
angular.module('grafterizerApp')
.directive('dropRowsFunction', function(transformationDataModel) {
return {
templateUrl: 'views/pipelineFunctions/dropRowsFunction.html',
restrict: 'E',
link: function postLink(scope, element, attrs) {
if (!scope.function) {
scope.function = {
numberOfRows: 1,
take: false,
docstring: null
};
}
scope.$parent.generateCurrFunction = function() {
return new transformationDataModel.DropRowsFunction(parseInt(
scope.function.numberOfRows), scope.function.take, scope.function.docstring);
};
scope.doGrep = function() {
scope.$parent.selectefunctionName = 'grep';
};
scope.showUsage = false;
scope.switchShowUsage = function() {
scope.showUsage = !scope.showUsage;
};
}
};
});
|
Use drop row by default
|
Use drop row by default
|
JavaScript
|
epl-1.0
|
dapaas/grafterizer,dapaas/grafterizer,datagraft/grafterizer,datagraft/grafterizer
|
387fe28bf03d894ea37483455067c43edb7ef947
|
public/app/scripts/controllers/users.js
|
public/app/scripts/controllers/users.js
|
'use strict';
angular.module('publicApp')
.controller('UsersCtrl', ['$scope', '$http', '$location', '$routeParams', 'UserService', function ($scope, $http, $location, $user, $routeParams) {
console.log('user id', $routeParams.id);
if ($user) {
console.log('user is logged in');
if (($user.id == $routeParams.id) || $user.admin) {
console.log('user is allowed to access this resource');
} else {
$location.path = '/users/'+$user.id;
}
} else {
$location.path = '/login';
}
}]);
|
'use strict';
angular.module('publicApp')
.controller('UsersCtrl', ['$scope', '$http', '$location', '$route', '$routeParams', 'UserService', function ($scope, $http, $location, $route, $routeParams, $user) {
$scope.user = $user;
if ($user.isLogged) {
if (($user.id == $routeParams.id) || $user.admin) {
// do ALL THE THINGS!
setupDashboard();
console.log($scope.user);
} else {
$location.path('/users/'+$user.id);
}
} else {
$location.path('/login');
}
function setupDashboard() {
$scope.user.balances = [{ currency: 'USD', amount: 1510 }, { currency: 'XAG', amount: 75 }];
$scope.user.ripple_transactions = [];
$scope.user.external_transaction = [];
$scope.user.external_accounts = [];
$scope.user.ripple_addresses = [];
}
}]);
|
Add user data variables to scope
|
[FEATURE] Add user data variables to scope
|
JavaScript
|
isc
|
Parkjeahwan/awegeeks,Parkjeahwan/awegeeks,crazyquark/gatewayd,xdv/gatewayd,whotooktwarden/gatewayd,zealord/gatewayd,zealord/gatewayd,crazyquark/gatewayd,xdv/gatewayd,whotooktwarden/gatewayd
|
a005ed629f02f7f61ac2719ad7286693935fbfab
|
tut5/script.js
|
tut5/script.js
|
$(document).ready(function () {
})
|
$(document).ready(function main() {
$("#add").click(function addRow() {
var name = $("<td></td>").text($("#name").val());
var up = $("<button></button>").text("Move up").click(moveUp);
var down = $("<button></button>").text("Move down").click(moveDown);
var operations = $("<td></td>").append(up, down);
var row = $("<tr></tr>").append(name, operations);
$("#nameList").append(row);
$("#name").val("");
})
})
function moveUp() {
}
function moveDown() {
}
|
Implement adding rows to the table
|
Implement adding rows to the table
|
JavaScript
|
mit
|
benediktg/DDS-tutorial,benediktg/DDS-tutorial,benediktg/DDS-tutorial
|
66297d71ac6675625201c20ef3a24c0156839469
|
src/javascripts/frigging_bootstrap/components/text.js
|
src/javascripts/frigging_bootstrap/components/text.js
|
let React = require("react")
let {errorList, sizeClassNames, formGroupCx, label} = require("../util.js")
let {div, textarea} = React.DOM
let cx = require("classnames")
export default class extends React.Component {
static displayName = "Frig.friggingBootstrap.Text"
static defaultProps = Object.assign(require("../default_props.js"))
_inputHtml() {
return Object.assign({}, this.props.inputHtml, {
className: `${this.props.className || ""} form-control`.trim(),
valueLink: this.props.valueLink,
})
}
_cx() {
return cx({
"form-group": true,
"has-error": this.props.errors != null,
"has-success": this.state.edited && this.props.errors == null,
})
}
_label() {
if (this.props.label == null) return ""
return label(this.props.labelHtml, this.props.label)
}
render() {
return div({className: cx(sizeClassNames(this.props))},
div({className: this._cx()},
this._label(),
div({className: "controls"},
textarea(this._inputHtml()),
),
this._errorList(this.props.errors),
),
)
}
}
|
let React = require("react")
let {errorList, sizeClassNames, formGroupCx, label} = require("../util.js")
let {div, textarea} = React.DOM
let cx = require("classnames")
export default class extends React.Component {
static displayName = "Frig.friggingBootstrap.Text"
static defaultProps = Object.assign(require("../default_props.js"))
_inputHtml() {
return Object.assign({}, this.props.inputHtml, {
className: `${this.props.className || ""} form-control`.trim(),
valueLink: this.props.valueLink,
})
}
_cx() {
return cx({
"form-group": true,
"has-error": this.props.errors != null,
"has-success": this.state.edited && this.props.errors == null,
})
}
render() {
return div({className: cx(sizeClassNames(this.props))},
div({className: this._cx()},
label(this.props),
div({className: "controls"},
textarea(this._inputHtml()),
),
errorList(this.props.errors),
),
)
}
}
|
Remove Textarea Label, Use Frig Version Instead
|
Remove Textarea Label, Use Frig Version Instead
|
JavaScript
|
mit
|
TouchBistro/frig,frig-js/frig,frig-js/frig,TouchBistro/frig
|
9e5ab890d8ca61ee5d86b2bc4ae29a5ddada60f7
|
website/app/application/core/projects/project/home/home.js
|
website/app/application/core/projects/project/home/home.js
|
(function (module) {
module.controller('ProjectHomeController', ProjectHomeController);
ProjectHomeController.$inject = ["project", "mcmodal", "templates", "$state", "Restangular"];
function ProjectHomeController(project, mcmodal, templates, $state, Restangular) {
var ctrl = this;
ctrl.project = project;
ctrl.chooseTemplate = chooseTemplate;
ctrl.chooseExistingProcess = chooseExistingProcess;
ctrl.templates = templates;
ctrl.hasFavorites = _.partial(_.any, ctrl.templates, _.matchesProperty('favorite', true));
/////////////////////////
function chooseTemplate() {
mcmodal.chooseTemplate(ctrl.project, templates).then(function (processTemplateName) {
$state.go('projects.project.processes.create', {process: processTemplateName, process_id: ''});
});
}
function chooseExistingProcess() {
Restangular.one('v2').one("projects", project.id).one("processes").getList().then(function(processes) {
mcmodal.chooseExistingProcess(processes).then(function (existingProcess) {
var processName = existingProcess.process_name ? existingProcess.process_name : 'TEM';
$state.go('projects.project.processes.create', {process: processName, process_id: existingProcess.id});
});
});
}
}
}(angular.module('materialscommons')));
|
(function (module) {
module.controller('ProjectHomeController', ProjectHomeController);
ProjectHomeController.$inject = ["project", "mcmodal", "templates", "$state", "Restangular"];
function ProjectHomeController(project, mcmodal, templates, $state, Restangular) {
var ctrl = this;
ctrl.project = project;
ctrl.chooseTemplate = chooseTemplate;
ctrl.chooseExistingProcess = chooseExistingProcess;
ctrl.templates = templates;
ctrl.hasFavorites = _.partial(_.any, ctrl.templates, _.matchesProperty('favorite', true));
/////////////////////////
function chooseTemplate() {
mcmodal.chooseTemplate(ctrl.project, templates).then(function (processTemplateName) {
$state.go('projects.project.processes.create', {process: processTemplateName, process_id: ''});
});
}
function chooseExistingProcess() {
Restangular.one('v2').one("projects", project.id).one("processes").getList().then(function(processes) {
mcmodal.chooseExistingProcess(processes).then(function (existingProcess) {
$state.go('projects.project.processes.create',
{process: existingProcess.process_name, process_id: existingProcess.id});
});
});
}
}
}(angular.module('materialscommons')));
|
Remove the hard coded process name now that the process name has been set.
|
Remove the hard coded process name now that the process name has been set.
|
JavaScript
|
mit
|
materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org
|
aff1582fbd5163dcf299897751bff0c21f99a408
|
app/services/report-results.js
|
app/services/report-results.js
|
import Ember from 'ember';
const { inject } = Ember;
const { service } = inject;
export default Ember.Service.extend({
store: service(),
getResults(subject, object, objectId){
return this.get('store').query(
this.getModel(subject),
this.getQuery(object, objectId)
).then(results => {
return results.map(result => {
return this.mapResult(result, object);
});
});
},
getModel(subject){
let model = subject.dasherize();
if(model === 'instructor'){
model = 'user';
}
if(model === 'mesh-term'){
model = 'mesh-descriptor';
}
return model;
},
getQuery(object, objectId){
let query = {
limit: 1000
};
if(object && objectId){
query.filter = {};
query.filter[object] = objectId;
}
return query;
},
mapResult(result, object){
let titleParam = 'title';
if(object === 'instructor'){
titleParam = 'fullName';
}
if(object === 'mesh-term'){
titleParam = 'name';
}
return {
value: result.get(titleParam)
};
}
});
|
import Ember from 'ember';
const { inject } = Ember;
const { service } = inject;
export default Ember.Service.extend({
store: service(),
getResults(subject, object, objectId){
return this.get('store').query(
this.getModel(subject),
this.getQuery(object, objectId)
).then(results => {
return results.map(result => {
return this.mapResult(result, object);
});
});
},
getModel(subject){
let model = subject.dasherize();
if(model === 'instructor'){
model = 'user';
}
if(model === 'mesh-term'){
model = 'mesh-descriptor';
}
return model;
},
getQuery(object, objectId){
let query = {
limit: 1000
};
if(object && objectId){
query.filters = {};
query.filters[object] = objectId;
}
return query;
},
mapResult(result, object){
let titleParam = 'title';
if(object === 'instructor'){
titleParam = 'fullName';
}
if(object === 'mesh-term'){
titleParam = 'name';
}
return {
value: result.get(titleParam)
};
}
});
|
Fix report query to actually query
|
Fix report query to actually query
|
JavaScript
|
mit
|
dartajax/frontend,jrjohnson/frontend,gboushey/frontend,thecoolestguy/frontend,dartajax/frontend,gabycampagna/frontend,thecoolestguy/frontend,stopfstedt/frontend,jrjohnson/frontend,stopfstedt/frontend,ilios/frontend,gboushey/frontend,gabycampagna/frontend,ilios/frontend,djvoa12/frontend,djvoa12/frontend
|
8d20035df56fcc1d40c6d28ad8e7a4ff30900636
|
script.js
|
script.js
|
var ctx = document.getElementById("chart").getContext("2d");
var myLineChart = new Chart(ctx).Line(data, {
tooltipTemplate = function(valuesObject){
var label = valuesObject.label;
var idx = data.labels.indexOf(label);
var result = data.datasets[0].time[idx];
if (data.datasets[0].languages[idx] !== 0)
result += '[' + data.datasets[0].languages[idx].join(", ") + "]"
return result;
}
});
document.getElementById("summary").innerHTML = "I have written code for " + totalTime + " in the the last week in mostly " + languages.join(", ") + ".";
|
var data = {"labels": ["12 December", "13 December", "14 December", "15 December", "16 December", "17 December", "18 December"], "datasets": [{"languages": [[], [], [], [], [], ["Python", "Other"], ["Python", "JavaScript", "Bash"]], "pointHighlightFill": "#fff", "fillColor": "rgba(151,187,205,0.2)", "pointHighlightStroke": "rgba(151,187,205,1)", "time": [" 0 secs", " 0 secs", " 0 secs", " 0 secs", " 0 secs", "53 mins", "2 hrs 17 mins"], "pointColor": "rgba(151,187,205,1)", "strokeColor": "rgba(151,187,205,1)", "pointStrokeColor": "#fff", "data": [0.0, 0.0, 0.0, 0.0, 0.0, 0.8852777777777778, 2.2880555555555557], "label": "Dataset"}]};
var totalTime = "3 hours 10 minutes";
var languages = ["Python", "JavaScript", "Bash"];
var ctx = document.getElementById("chart").getContext("2d");
var myLineChart = new Chart(ctx).Line(data, {
tooltipTemplate = function(valuesObject){
var label = valuesObject.label;
var idx = data.labels.indexOf(label);
var result = data.datasets[0].time[idx];
if (data.datasets[0].languages[idx] !== 0)
result += '[' + data.datasets[0].languages[idx].join(", ") + "]"
return result;
}
});
document.getElementById("summary").innerHTML = "I have written code for " + totalTime + " in the the last week in mostly " + languages.join(", ") + ".";
|
Update dashboard at Fri Dec 18 02:17:47 NPT 2015
|
Update dashboard at Fri Dec 18 02:17:47 NPT 2015
|
JavaScript
|
mit
|
switchkiller/HaloTracker,switchkiller/HaloTracker,switchkiller/HaloTracker
|
6af74e45b203a159b1401c7815c68b476b8835e0
|
src/test/helper/database/index.js
|
src/test/helper/database/index.js
|
import mongoose from "mongoose"
async function createConnection() {
mongoose.Promise = Promise
// Don't forget to add a user for this connection
const connection = await mongoose.connect("mongodb://localhost/twi-test", {
useMongoClient: true,
promiseLibrary: Promise
})
return connection
}
async function closeConnection() {
return await mongoose.disconnect()
}
export {
createConnection,
closeConnection
}
|
import mongoose from "mongoose"
async function createConnection() {
mongoose.Promise = Promise
// Don't forget to add a user for this connection
const connection = await mongoose.connect("mongodb://localhost/twi-test", {
promiseLibrary: Promise
})
return connection
}
async function closeConnection() {
return await mongoose.disconnect()
}
export {
createConnection,
closeConnection
}
|
Fix db connection in tests helper
|
Fix db connection in tests helper
|
JavaScript
|
mit
|
octet-stream/ponyfiction-js,octet-stream/twi,octet-stream/ponyfiction-js,twi-project/twi-server
|
45d8406eea3afee7049c26d5449e5b86e46eef61
|
migrations/20170310124040_add_event_id_for_actions.js
|
migrations/20170310124040_add_event_id_for_actions.js
|
exports.up = function(knex, Promise) {
return knex.schema.table('actions', function(table) {
table.string('event_id').index();
table.foreign('event_id')
.references('id')
.inTable('events')
.onDelete('RESTRICT')
.onUpdate('CASCADE');
})
.raw(`
CREATE UNIQUE INDEX
only_one_check_in_per_event
ON
actions(user_id, event_id)
WHERE action_type_id = 9;
`);
};
// ALTER TABLE actions ADD CONSTRAINT actions_user_event_uniq UNIQUE (user_id, event_id)
exports.down = function(knex, Promise) {
return knex.schema.table('actions', function(table) {
table.dropColumn('event_id');
});
}
|
exports.up = function(knex, Promise) {
return knex.schema.table('actions', function(table) {
table.string('event_id').index();
table.foreign('event_id')
.references('id')
.inTable('events')
.onDelete('RESTRICT')
.onUpdate('CASCADE');
})
.raw(`
CREATE UNIQUE INDEX
only_one_check_in_per_event
ON
actions(user_id, event_id)
-- Magic number 9 is CHECK_IN_EVENT action type ID.
WHERE action_type_id = 9;
`);
};
exports.down = function(knex, Promise) {
return knex.schema.table('actions', function(table) {
table.dropColumn('event_id');
});
}
|
Comment to explain the magic number
|
Comment to explain the magic number
|
JavaScript
|
mit
|
futurice/wappuapp-backend,futurice/wappuapp-backend,kaupunki-apina/prahapp-backend,kaupunki-apina/prahapp-backend
|
9e0376684a68efedbfa5a4c43dedb1de966ec15f
|
lib/lookup-reopen/main.js
|
lib/lookup-reopen/main.js
|
Ember.ComponentLookup.reopen({
lookupFactory: function(name) {
var Component = this._super.apply(this, arguments);
if (!Component) { return; }
name = name.replace(".","/");
if (Component.prototype.classNames.indexOf(Ember.COMPONENT_CSS_LOOKUP[name]) > -1){
return Component;
}
return Component.reopen({
classNames: [Ember.COMPONENT_CSS_LOOKUP[name]]
});
},
componentFor: function(name) {
var Component = this._super.apply(this, arguments);
if (!Component) { return; }
name = name.replace(".","/");
if (Component.prototype.classNames.indexOf(Ember.COMPONENT_CSS_LOOKUP[name]) > -1){
return Component;
}
return Component.reopen({
classNames: [Ember.COMPONENT_CSS_LOOKUP[name]]
});
}
});
|
(function() {
function componentHasBeenReopened(Component, className) {
return Component.prototype.classNames.indexOf(className) > -1;
}
function reopenComponent(_Component, className) {
var Component = _Component.reopen({
classNames: [className]
});
return Component;
}
function ensureComponentCSSClassIncluded(_Component, _name) {
var Component = _Component;
var name = name.replace(".","/");
var className = Ember.COMPONENT_CSS_LOOKUP[name];
if (!componentHasBeenReopened(Component)) {
Component = reopenComponent(Component, className);
}
return Component;
}
Ember.ComponentLookup.reopen({
lookupFactory: function(name) {
var Component = this._super.apply(this, arguments);
if (!Component) { return; }
return ensureComponentCSSClassIncluded(Component, name);
},
componentFor: function(name) {
var Component = this._super.apply(this, arguments);
if (!Component) { return; }
return ensureComponentCSSClassIncluded(Component, name);
}
});
})()
|
Refactor monkey-patch to include less duplication.
|
Refactor monkey-patch to include less duplication.
|
JavaScript
|
mit
|
samselikoff/ember-component-css,samselikoff/ember-component-css,webark/ember-component-css,ebryn/ember-component-css,ebryn/ember-component-css,webark/ember-component-css
|
a7bf2991eb9c5d093cc2f90ca5491bf0d7ee3433
|
frontend/src/karma.conf.js
|
frontend/src/karma.conf.js
|
// Karma configuration file, see link for more information
// https://karma-runner.github.io/1.0/config/configuration-file.html
module.exports = function (config) {
config.set({
basePath: '',
frameworks: ['jasmine', '@angular-devkit/build-angular'],
plugins: [
require('karma-jasmine'),
require('karma-chrome-launcher'),
require('karma-jasmine-html-reporter'),
require('karma-coverage-istanbul-reporter'),
require('karma-mocha-reporter'),
require('@angular-devkit/build-angular/plugins/karma')
],
client: {
clearContext: false // leave Jasmine Spec Runner output visible in browser
},
coverageIstanbulReporter: {
dir: require('path').join(__dirname, '../coverage'),
reports: ['html', 'lcovonly'],
fixWebpackSourcePaths: true
},
reporters: ['kjhtml', 'mocha'],
port: 9876,
colors: true,
logLevel: config.LOG_INFO,
autoWatch: true,
singleRun: false,
customLaunchers: {
ChromeHeadlessForDocker: {
base: 'ChromeHeadless',
flags: [
'--disable-web-security',
'--disable-gpu',
'--no-sandbox'
],
displayName: 'Chrome Headless for docker'
}
},
browsers: ['Chrome']
});
};
|
// Karma configuration file, see link for more information
// https://karma-runner.github.io/1.0/config/configuration-file.html
module.exports = function (config) {
config.set({
basePath: '',
frameworks: ['jasmine', '@angular-devkit/build-angular'],
plugins: [
require('karma-jasmine'),
require('karma-chrome-launcher'),
require('karma-jasmine-html-reporter'),
require('karma-coverage-istanbul-reporter'),
require('karma-mocha-reporter'),
require('@angular-devkit/build-angular/plugins/karma')
],
client: {
clearContext: false // leave Jasmine Spec Runner output visible in browser
},
coverageIstanbulReporter: {
dir: require('path').join(__dirname, '../coverage'),
reports: ['html', 'lcovonly'],
fixWebpackSourcePaths: true
},
reporters: ['kjhtml', 'mocha'],
port: 9876,
colors: true,
logLevel: config.LOG_INFO,
autoWatch: true,
singleRun: false,
customLaunchers: {
ChromeHeadlessForDocker: {
base: 'ChromeHeadless',
flags: [
'--disable-web-security',
'--disable-gpu',
'--no-sandbox'
],
displayName: 'Chrome Headless for docker'
}
},
browsers: ['ChromeHeadlessForDocker']
});
};
|
Use headless Chrome for Angular tests again.
|
Fix: Use headless Chrome for Angular tests again.
|
JavaScript
|
apache-2.0
|
iteratec/OpenSpeedMonitor,iteratec/OpenSpeedMonitor,IteraSpeed/OpenSpeedMonitor,IteraSpeed/OpenSpeedMonitor,iteratec/OpenSpeedMonitor,iteratec/OpenSpeedMonitor,iteratec/OpenSpeedMonitor,IteraSpeed/OpenSpeedMonitor
|
4393047a5ca961d06eedb3501b8d1e0b0a68b279
|
player.js
|
player.js
|
var game = require('socket.io-client')('http://192.168.0.24:3000'),
lobby = require('socket.io-client')('http://192.168.0.24:3030'),
Chess = require('chess.js').Chess,
name = 'RndJesus_' + Math.floor(Math.random() * 100);;
lobby.on('connect', function () {
console.log('Player ' + name + ' is connected to lobby');
});
lobby.on('join', function (gameId) {
console.log('Player is joining game: ' + gameId);
game.emit('join', gameId);
});
game.on('connect', function () {
console.log('Player ' + name + ' is connected to game');
//game.emit('join', 'test_game');
});
game.on('move', function (gameState) {
var chess = new Chess();
chess.load(gameState.board);
var moves = chess.moves(),
move = moves[Math.floor(Math.random() * moves.length)];
console.log(move);
gameState.move = move;
game.emit('move', gameState);
});
|
var game = require('socket.io-client')('http://localhost:3000'),
lobby = require('socket.io-client')('http://localhost:3030'),
Chess = require('chess.js').Chess,
name = 'RndJesus_' + Math.floor(Math.random() * 100);;
lobby.on('connect', function () {
console.log('Player ' + name + ' is connected to lobby');
});
lobby.on('join', function (gameId) {
console.log('Player is joining game: ' + gameId);
game.emit('join', gameId);
});
game.on('connect', function () {
console.log('Player ' + name + ' is connected to game');
//game.emit('join', 'test_game');
});
game.on('move', function (gameState) {
var chess = new Chess();
chess.load(gameState.board);
var moves = chess.moves(),
move = moves[Math.floor(Math.random() * moves.length)];
console.log(move);
gameState.move = move;
game.emit('move', gameState);
});
|
Use localhost when running locally
|
Use localhost when running locally
|
JavaScript
|
mit
|
cheslie-team/cheslie-player,cheslie-team/cheslie-player
|
542a5dc9cb71b9bcb402620b82d4c5c8c8c98109
|
lib/node_modules/@stdlib/utils/timeit/lib/min_time.js
|
lib/node_modules/@stdlib/utils/timeit/lib/min_time.js
|
'use strict';
// MAIN //
/**
* Computes the minimum time.
*
* @private
* @param {ArrayArray} times - times
* @returns {NonNegativeIntegerArray} minimum time
*/
function min( times ) {
var out;
var t;
var i;
out = times[ 0 ];
for ( i = 1; i < times.length; i++ ) {
t = times[ i ];
if (
t[ 0 ] <= out[ 0 ] &&
t[ 1 ] < out[ 1 ]
) {
out = t;
}
}
return out;
} // end FUNCTION min()
// EXPORTS //
module.exports = min;
|
'use strict';
// MAIN //
/**
* Computes the minimum time.
*
* @private
* @param {ArrayArray} times - times
* @returns {NonNegativeIntegerArray} minimum time
*/
function min( times ) {
var out;
var t;
var i;
out = times[ 0 ];
for ( i = 1; i < times.length; i++ ) {
t = times[ i ];
if (
t[ 0 ] < out[ 0 ] ||
(
t[ 0 ] === out[ 0 ] &&
t[ 1 ] < out[ 1 ]
)
) {
out = t;
}
}
return out;
} // end FUNCTION min()
// EXPORTS //
module.exports = min;
|
Fix bug when calculating minimum time
|
Fix bug when calculating minimum time
|
JavaScript
|
apache-2.0
|
stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib,stdlib-js/stdlib
|
a48d5a1ae957db81aa464d463a4aab0b15ff29a2
|
lib/server.js
|
lib/server.js
|
var st = require('st')
, http = require('http')
, js = require('atomify-js')
, css = require('atomify-css')
, open = require('open')
module.exports = function (args) {
var mount = st(args.server.st || process.cwd())
, port = args.server.port || 1337
, launch = args.server.open
, path = args.server.path || ''
, url = args.server.url || 'http://localhost:' + port + path
http.createServer(function(req, res) {
switch (req.url) {
case args.js.alias || args.js.entry:
js(args.js, responder('javascript', res))
break
case args.css.alias || args.css.entry:
css(args.css, responder('css', res))
break
default:
mount(req, res)
break
}
}).listen(port)
if (launch) open(url)
}
function responder (type, res) {
return function (err, src) {
if (!res.headersSent) res.setHeader('Content-Type', 'text/' + type)
res.end(src)
}
}
|
var st = require('st')
, http = require('http')
, js = require('atomify-js')
, css = require('atomify-css')
, open = require('open')
module.exports = function (args) {
var mount = st(args.server.st || process.cwd())
, port = args.server.port || 1337
, launch = args.server.open
, path = args.server.path || '/'
, url
if (path.charAt(0) !== '/') path = '/' + path
url = args.server.url || 'http://localhost:' + port + path
http.createServer(function (req, res) {
switch (req.url) {
case args.js.alias || args.js.entry:
js(args.js, responder('javascript', res))
break
case args.css.alias || args.css.entry:
css(args.css, responder('css', res))
break
default:
mount(req, res)
break
}
}).listen(port)
if (launch) open(url)
}
function responder (type, res) {
return function (err, src) {
if (!res.headersSent) res.setHeader('Content-Type', 'text/' + type)
res.end(src)
}
}
|
Add leading slash to path if not provided
|
Add leading slash to path if not provided
|
JavaScript
|
mit
|
atomify/atomify
|
18dba001d139a01cfc8a52b9122dd821c72139d7
|
backend/app/assets/javascripts/spree/backend/user_picker.js
|
backend/app/assets/javascripts/spree/backend/user_picker.js
|
$.fn.userAutocomplete = function () {
'use strict';
function formatUser(user) {
return Select2.util.escapeMarkup(user.email);
}
this.select2({
minimumInputLength: 1,
multiple: true,
initSelection: function (element, callback) {
$.get(Spree.routes.users_api, {
ids: element.val()
}, function (data) {
callback(data.users);
});
},
ajax: {
url: Spree.routes.users_api,
datatype: 'json',
params: { "headers": { "X-Spree-Token": Spree.api_key } },
data: function (term) {
return {
m: 'or',
email_start: term,
addresses_firstname_start: term,
addresses_lastname_start: term
};
},
results: function (data) {
return {
results: data.users,
more: data.current_page < data.pages
};
}
},
formatResult: formatUser,
formatSelection: formatUser
});
};
$(document).ready(function () {
$('.user_picker').userAutocomplete();
});
|
$.fn.userAutocomplete = function () {
'use strict';
function formatUser(user) {
return Select2.util.escapeMarkup(user.email);
}
this.select2({
minimumInputLength: 1,
multiple: true,
initSelection: function (element, callback) {
Spree.ajax({
url: Spree.routes.users_api,
data: {
ids: element.val()
},
success: function(data) {
callback(data.users);
}
});
},
ajax: {
url: Spree.routes.users_api,
datatype: 'json',
params: { "headers": { "X-Spree-Token": Spree.api_key } },
data: function (term) {
return {
m: 'or',
email_start: term,
addresses_firstname_start: term,
addresses_lastname_start: term
};
},
results: function (data) {
return {
results: data.users,
more: data.current_page < data.pages
};
}
},
formatResult: formatUser,
formatSelection: formatUser
});
};
$(document).ready(function () {
$('.user_picker').userAutocomplete();
});
|
Fix user picker's select2 initial selection
|
Fix user picker's select2 initial selection
- was failing because of missing token: `Spree.api_key`
- going through the Spree.ajax automatically adds the `api_key`
|
JavaScript
|
bsd-3-clause
|
jordan-brough/solidus,Arpsara/solidus,jordan-brough/solidus,pervino/solidus,pervino/solidus,Arpsara/solidus,Arpsara/solidus,jordan-brough/solidus,pervino/solidus,Arpsara/solidus,pervino/solidus,jordan-brough/solidus
|
d5c4c7b0e48c736abf56022be40ba962cea78d9b
|
Resources/public/scripts/date-time-pickers-init.js
|
Resources/public/scripts/date-time-pickers-init.js
|
$(document).ready(function () {
var locale = 'en' !== LOCALE ? LOCALE : '';
var options = $.extend({}, $.datepicker.regional[locale], $.timepicker.regional[locale], {
dateFormat: 'dd.mm.yy'
});
var init;
(init = function () {
$('input.date').datepicker(options);
$('input.datetime').datetimepicker(options);
$('input.time').timepicker(options);
})();
$(document).bind('ajaxSuccess', init);
});
|
$(document).ready(function () {
var locale = 'en' !== LOCALE ? LOCALE : '';
var options = $.extend({}, $.datepicker.regional[locale], $.timepicker.regional[locale], {
dateFormat: 'dd.mm.yy'
});
var init;
(init = function () {
['date', 'datetime', 'time'].map(function (type) {
$('input.' + type)[type + 'picker'](options);
});
})();
$(document).bind('ajaxSuccess', init);
});
|
Simplify date time pickers init JS.
|
Simplify date time pickers init JS.
|
JavaScript
|
mit
|
DarvinStudio/DarvinAdminBundle,DarvinStudio/DarvinAdminBundle,DarvinStudio/DarvinAdminBundle
|
1c8f5cc3126258472e9e80928f9cb9f9ac358899
|
objects/barrier.js
|
objects/barrier.js
|
'use strict';
const audioUtil = require('../utils/audio');
const PhysicsSprite = require('./physics-sprite');
class Barrier extends PhysicsSprite {
constructor(game, x, y) {
super(game, x, y, 'barrier', 2, true);
this.animations.add('up', [ 2, 1, 0 ], 10, false);
this.animations.add('down', [ 0, 1, 2 ], 10, false);
this.introSfx = audioUtil.addSfx(
game, 'barrier', game.rnd.integerInRange(0, 2)
);
}
playIntro() {
this.animations.play('up');
this.introSfx.play();
}
playOutro() {
this.animations.play('down');
}
}
module.exports = Barrier;
|
'use strict';
const audioUtil = require('../utils/audio');
const PhysicsSprite = require('./physics-sprite');
class Barrier extends PhysicsSprite {
constructor(game, x, y) {
super(game, x, y, 'barrier', 2, true);
this.animations.add('up', [ 2, 1, 0 ], 10, false);
this.animations.add('down', [ 0, 1, 2 ], 10, false);
this.introSfx = audioUtil.addSfx('barrier', game.rnd.integerInRange(0, 2));
}
playIntro() {
this.animations.play('up');
this.introSfx.play();
}
playOutro() {
this.animations.play('down');
}
}
module.exports = Barrier;
|
Fix the call to addSfx broken by the signature change
|
Fix the call to addSfx broken by the signature change
|
JavaScript
|
mit
|
to-the-end/to-the-end,to-the-end/to-the-end
|
2f1a55fa66279b8f15d9fa3b5c2c6d3056b2a3bd
|
ghost/admin/views/posts.js
|
ghost/admin/views/posts.js
|
import {mobileQuery, responsiveAction} from 'ghost/utils/mobile';
var PostsView = Ember.View.extend({
target: Ember.computed.alias('controller'),
classNames: ['content-view-container'],
tagName: 'section',
mobileInteractions: function () {
Ember.run.scheduleOnce('afterRender', this, function () {
var self = this;
$(window).resize(function () {
if (!mobileQuery.matches) {
self.send('resetContentPreview');
}
});
// ### Show content preview when swiping left on content list
$('.manage').on('click', '.content-list ol li', function (event) {
responsiveAction(event, '(max-width: 800px)', function () {
self.send('showContentPreview');
});
});
// ### Hide content preview
$('.manage').on('click', '.content-preview .button-back', function (event) {
responsiveAction(event, '(max-width: 800px)', function () {
self.send('hideContentPreview');
});
});
});
}.on('didInsertElement'),
});
export default PostsView;
|
import {mobileQuery, responsiveAction} from 'ghost/utils/mobile';
var PostsView = Ember.View.extend({
target: Ember.computed.alias('controller'),
classNames: ['content-view-container'],
tagName: 'section',
mobileInteractions: function () {
Ember.run.scheduleOnce('afterRender', this, function () {
var self = this;
$(window).resize(function () {
if (!mobileQuery.matches) {
self.send('resetContentPreview');
}
});
// ### Show content preview when swiping left on content list
$('.manage').on('click', '.content-list ol li', function (event) {
responsiveAction(event, '(max-width: 800px)', function () {
self.send('showContentPreview');
});
});
// ### Hide content preview
$('.manage').on('click', '.content-preview .button-back', function (event) {
responsiveAction(event, '(max-width: 800px)', function () {
self.send('hideContentPreview');
});
});
$('[data-off-canvas]').attr('href', this.get('controller.ghostPaths.blogRoot'));
});
}.on('didInsertElement'),
});
export default PostsView;
|
Fix Ghost icon is not clickable
|
Fix Ghost icon is not clickable
closes #3623
- Initialization of the link was done on login page where the ‚burger‘
did not exist.
- initialization in application needs to be done to make it work on
refresh
|
JavaScript
|
mit
|
TryGhost/Ghost,TryGhost/Ghost,TryGhost/Ghost
|
a707671862e95b88c827f835187c1d3f96f899bd
|
test/system/bootcode-size.test.js
|
test/system/bootcode-size.test.js
|
const fs = require('fs'),
path = require('path'),
CACHE_DIR = path.join(__dirname, '/../../.cache'),
THRESHOLD = 3.4 * 1024 * 1024; // 3.4 MB
describe('bootcode size', function () {
this.timeout(60 * 1000);
it('should not exceed the threshold', function (done) {
fs.readdir(CACHE_DIR, function (err, files) {
if (err) { return done(err); }
files.forEach(function (file) {
var size = fs.statSync(CACHE_DIR + '/' + file).size;
expect(size, (file + ' threshold exceeded')).to.be.below(THRESHOLD);
});
done();
});
});
});
|
const fs = require('fs'),
path = require('path'),
CACHE_DIR = path.join(__dirname, '/../../.cache'),
THRESHOLD = 4 * 1024 * 1024; // 4 MB
describe('bootcode size', function () {
this.timeout(60 * 1000);
it('should not exceed the threshold', function (done) {
fs.readdir(CACHE_DIR, function (err, files) {
if (err) { return done(err); }
files.forEach(function (file) {
var size = fs.statSync(CACHE_DIR + '/' + file).size;
expect(size, (file + ' threshold exceeded')).to.be.below(THRESHOLD);
});
done();
});
});
});
|
Update bootcode threshold to 4 MB
|
Update bootcode threshold to 4 MB
|
JavaScript
|
apache-2.0
|
postmanlabs/postman-sandbox
|
100f84cc123ea99b366e314d15e534eb50912fde
|
backend/server/model-loader.js
|
backend/server/model-loader.js
|
module.exports = function modelLoader(isParent) {
'use strict';
if (isParent || process.env.MCTEST) {
console.log('using mocks/model');
return require('./mocks/model');
}
let ropts = {
db: 'materialscommons',
port: 30815
};
let r = require('rethinkdbdash')(ropts);
return require('./db/model')(r);
};
|
module.exports = function modelLoader(isParent) {
'use strict';
if (isParent || process.env.MCTEST) {
return require('./mocks/model');
}
let ropts = {
db: process.env.MCDB || 'materialscommons',
port: process.env.MCPORT || 30815
};
let r = require('rethinkdbdash')(ropts);
return require('./db/model')(r);
};
|
Add environment variables for testing, database and database server port.
|
Add environment variables for testing, database and database server port.
|
JavaScript
|
mit
|
materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org
|
27c448c3672b174df3dcfa3cff1e29f85983b2b3
|
app/helpers/register-helpers/helper-config.js
|
app/helpers/register-helpers/helper-config.js
|
var ConfigBuilder = require('../builders/ConfigBuilder');
module.exports.register = function(Handlebars, options) {
options = options || {};
var helpers = {
helper_config: function(key) {
var config = new ConfigBuilder().build();
return config.get(key);
}
};
for (var helper in helpers) {
if (helpers.hasOwnProperty(helper)) {
Handlebars.registerHelper(helper, helpers[helper]);
}
}
}
|
var ConfigBuilder = require('../builders/ConfigBuilder');
module.exports.register = function(Handlebars, options) {
options = options || {};
var helperName = 'helper_config';
function validateArguments(arguments) {
if (arguments.length < 2) {
throw new ReferenceError(`${helperName}: config key must be passed from template; nothing was passed`);
}
if (arguments.length === 2 && typeof arguments[0] != 'string') {
var argType = typeof arguments[0];
throw new TypeError(`${helperName}: config key must be a string when passed from template; ${argType} was passed`);
}
}
var helpers = {
[helperName]: function(key, options) {
validateArguments(arguments);
var config = new ConfigBuilder({helperName: helperName}).build();
return config.get(key);
}
};
for (var helper in helpers) {
if (helpers.hasOwnProperty(helper)) {
Handlebars.registerHelper(helper, helpers[helper]);
}
}
}
|
Validate arguments passed from template to helper_config
|
Validate arguments passed from template to helper_config
|
JavaScript
|
mit
|
oksana-khristenko/assemble-starter,oksana-khristenko/assemble-starter
|
c6b618f37cb48bcde0d858d0e0627ac734a9970f
|
static/js/settings.js
|
static/js/settings.js
|
/****************************************************************************
#
# This file is part of the Vilfredo Client.
#
# Copyright © 2009-2014 Pietro Speroni di Fenizio / Derek Paterson.
#
# VilfredoReloadedCore is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published by
# the Free Software Foundation version 3 of the License.
#
# VilfredoReloadedCore is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
# FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License
# for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with VilfredoReloadedCore. If not, see <http://www.gnu.org/licenses/>.
#
****************************************************************************/
var VILFREDO_URL = 'http://0.0.0.0:8080';
var API_VERSION = 'v1';
var ALGORITHM_VERSION = 1;
// Don't edit below
//
var VILFREDO_API = VILFREDO_URL + '/api/' + API_VERSION;
var STATIC_FILES = VILFREDO_URL + '/static';
var Q_READ = 0x1
var Q_VOTE = 0x2
var Q_PROPOSE = 0x4
var Q_INVITE = 0x8
|
/****************************************************************************
#
# This file is part of the Vilfredo Client.
#
# Copyright © 2009-2014 Pietro Speroni di Fenizio / Derek Paterson.
#
# VilfredoReloadedCore is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published by
# the Free Software Foundation version 3 of the License.
#
# VilfredoReloadedCore is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
# FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License
# for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with VilfredoReloadedCore. If not, see <http://www.gnu.org/licenses/>.
#
****************************************************************************/
var VILFREDO_URL = 'http://0.0.0.0:8080';
var API_VERSION = 'v1';
var ALGORITHM_VERSION = 1;
// radius of circle representing a vote
var radius = 10;
// Don't edit below
//
var VILFREDO_API = VILFREDO_URL + '/api/' + API_VERSION;
var STATIC_FILES = VILFREDO_URL + '/static';
var Q_READ = 0x1
var Q_VOTE = 0x2
var Q_PROPOSE = 0x4
var Q_INVITE = 0x8
|
Add setting for vote radius
|
Add setting for vote radius
|
JavaScript
|
agpl-3.0
|
fairdemocracy/vilfredo-client,fairdemocracy/vilfredo-client,fairdemocracy/vilfredo-client,fairdemocracy/vilfredo-client
|
76c698424bcfaa28a0de3b78779595f51ec9a63f
|
source/icsm/toolbar/toolbar.js
|
source/icsm/toolbar/toolbar.js
|
/*!
* Copyright 2015 Geoscience Australia (http://www.ga.gov.au/copyright.html)
*/
(function(angular) {
'use strict';
angular.module("icsm.toolbar", [])
.directive("icsmToolbar", [function() {
return {
controller: 'toolbarLinksCtrl'
};
}])
/**
* Override the default mars tool bar row so that a different implementation of the toolbar can be used.
*/
.directive('icsmToolbarRow', [function() {
return {
scope:{
map:"="
},
restrict:'AE',
templateUrl:'icsm/toolbar/toolbar.html'
};
}])
.directive('icsmToolbarInfo', [function() {
return {
templateUrl: 'radwaste/toolbar/toolbarInfo.html'
};
}])
.controller("toolbarLinksCtrl", ["$scope", "configService", function($scope, configService) {
var self = this;
configService.getConfig().then(function(config) {
self.links = config.toolbarLinks;
});
$scope.item = "";
$scope.toggleItem = function(item) {
$scope.item = ($scope.item == item) ? "" : item;
};
}]);
})(angular);
|
/*!
* Copyright 2015 Geoscience Australia (http://www.ga.gov.au/copyright.html)
*/
(function(angular) {
'use strict';
angular.module("icsm.toolbar", [])
.directive("icsmToolbar", [function() {
return {
controller: 'toolbarLinksCtrl'
};
}])
/**
* Override the default mars tool bar row so that a different implementation of the toolbar can be used.
*/
.directive('icsmToolbarRow', [function() {
return {
scope:{
map:"="
},
restrict:'AE',
templateUrl:'icsm/toolbar/toolbar.html'
};
}])
.directive('icsmToolbarInfo', [function() {
return {
templateUrl: 'radwaste/toolbar/toolbarInfo.html'
};
}])
.controller("toolbarLinksCtrl", ["$scope", "configService", function($scope, configService) {
var self = this;
configService.getConfig().then(function(config) {
self.links = config.toolbarLinks;
});
$scope.item = "";
$scope.toggleItem = function(item) {
$scope.item = ($scope.item === item) ? "" : item;
};
}]);
})(angular);
|
Implement eslint suggestion around equals comparison
|
Implement eslint suggestion around equals comparison
|
JavaScript
|
apache-2.0
|
Tomella/fsdf-elvis,Tomella/fsdf-elvis,Tomella/fsdf-elvis
|
40bad4868b572bf0753cdc7bcc7b9a856f2f6bda
|
render.js
|
render.js
|
var page = require('webpage').create(),
system = require('system'),
fs = require('fs');
var userAgent = "Grabshot"
var url = system.args[1];
var format = system.args[2] || "PNG"
page.viewportSize = {
width: 1280
// height: ...
}
function render() {
result = {
title: page.evaluate(function() { return document.title }),
imageData: page.renderBase64(format),
format: format
}
console.log(JSON.stringify(result))
phantom.exit();
}
page.onError = phantom.onError = function() {
console.log("PhantomJS error :(");
phantom.exit(1);
};
page.onLoadFinished = function (status) {
if (status !== 'success') {
phantom.exit(1);
}
setTimeout(render, 50);
}
page.open(url);
|
var page = require('webpage').create(),
system = require('system'),
fs = require('fs');
var userAgent = "Grabshot"
var url = system.args[1];
var format = system.args[2] || "PNG"
page.viewportSize = {
width: 1280
// height: ...
}
function render() {
result = {
title: page.evaluate(function() { return document.title }),
imageData: page.renderBase64(format),
format: format
}
console.log(JSON.stringify(result))
phantom.exit();
}
page.onError = phantom.onError = function() {
console.log("PhantomJS error :(");
phantom.exit(1);
};
page.onLoadFinished = function (status) {
if (status !== 'success') {
phantom.exit(1);
}
setTimeout(render, 300);
}
page.open(url);
|
Increase timeout to give time for loading transitions to complete
|
Increase timeout to give time for loading transitions to complete
TODO: Use JavaScript to try to predict when loading is done...
|
JavaScript
|
mit
|
bjeanes/grabshot,bjeanes/grabshot
|
ba8d433ab2cccdfa652e45494543428c093a85ce
|
app/javascript/gobierto_participation/modules/application.js
|
app/javascript/gobierto_participation/modules/application.js
|
function currentLocationMatches(action_path) {
return $("body.gobierto_participation_" + action_path).length > 0
}
$(document).on('turbolinks:load', function() {
// Toggle description for Process#show stages diagram
$('.toggle_description').click(function() {
$(this).parents('.timeline_row').toggleClass('toggled');
$(this).find('.fa').toggleClass('fa-caret-right fa-caret-down');
$(this).siblings('.description').toggle();
});
$.fn.extend({
toggleText: function(a, b){
return this.text(this.text() == b ? a : b);
}
});
$('.button_toggle').on('click', function() {
$('.button.hidden').toggleClass('hidden');
})
if (currentLocationMatches("processes_poll_answers_new")) {
window.GobiertoParticipation.process_polls_controller.show();
} else if (currentLocationMatches("processes_show")) {
window.GobiertoParticipation.processes_controller.show();
}
// fix this to be only in the home
window.GobiertoParticipation.poll_teaser_controller.show();
});
|
function currentLocationMatches(action_path) {
return $("body.gobierto_participation_" + action_path).length > 0
}
$(document).on('turbolinks:load', function() {
// Toggle description for Process#show stages diagram
$('.toggle_description').click(function() {
$(this).parents('.timeline_row').toggleClass('toggled');
$(this).find('.fa').toggleClass('fa-caret-right fa-caret-down');
$(this).siblings('.description').toggle();
});
$.fn.extend({
toggleText: function(a, b){
return this.text(this.text() == b ? a : b);
}
});
$('.button_toggle').on('click', function() {
$('.button.hidden').toggleClass('hidden');
})
if (currentLocationMatches("processes_poll_answers_new")) {
window.GobiertoParticipation.process_polls_controller.show();
} else if (currentLocationMatches("processes_show")) {
window.GobiertoParticipation.processes_controller.show();
}
// fix this to be only in the home
window.GobiertoParticipation.poll_teaser_controller.show();
// Add active class to menu
$('nav a[href="' + window.location.pathname + '"]').parent().addClass('active');
});
|
Add active class in participation navigation menu using JS
|
Add active class in participation navigation menu using JS
|
JavaScript
|
agpl-3.0
|
PopulateTools/gobierto-dev,PopulateTools/gobierto,PopulateTools/gobierto,PopulateTools/gobierto,PopulateTools/gobierto,PopulateTools/gobierto-dev,PopulateTools/gobierto-dev,PopulateTools/gobierto-dev
|
3c9c39915271ff611c7dbcacddde379c78301303
|
src/client/reducers/StatusReducer.js
|
src/client/reducers/StatusReducer.js
|
import initialState from './initialState';
import {
LOGO_SPIN_STARTED,
LOGO_SPIN_ENDED,
PAGE_SCROLL_STARTED,
PAGE_SCROLL_ENDED,
APP_INIT,
STATUS_UPDATE,
PROVIDER_CHANGE,
BOARD_CHANGE,
SCROLL_HEADER,
THREAD_REQUESTED,
BOARD_REQUESTED,
} from '../constants';
export default function (state = initialState.status, action) {
switch (action.type) {
// case APP_INIT:
// return Object.assign({}, state, {
// isMainPage: true
// })
case PAGE_SCROLL_STARTED:
return Object.assign({}, state, {
isScrolling: true,
currentPage: action.payload
})
case PAGE_SCROLL_ENDED:
return Object.assign({}, state, {
isScrolling: false,
currentPage: action.payload
})
case SCROLL_HEADER:
return Object.assign({}, state, {
isHeaderVisible: action.payload
})
case PROVIDER_CHANGE:
return Object.assign({}, state, {
provider: action.payload
})
case BOARD_REQUESTED:
return Object.assign({}, state, {
boardID: action.payload
})
case THREAD_REQUESTED:
return Object.assign({}, state, {
threadID: action.payload
})
case STATUS_UPDATE:
return Object.assign({}, state, {
statusMessage: action.payload
})
default:
return state
}
}
|
import initialState from './initialState';
import {
LOGO_SPIN_STARTED,
LOGO_SPIN_ENDED,
PAGE_SCROLL_STARTED,
PAGE_SCROLL_ENDED,
APP_INIT,
STATUS_UPDATE,
PROVIDER_CHANGE,
BOARD_CHANGE,
SCROLL_HEADER,
THREAD_REQUESTED,
THREAD_DESTROYED,
BOARD_REQUESTED,
BOARD_DESTROYED,
} from '../constants';
export default function (state = initialState.status, action) {
switch (action.type) {
// case APP_INIT:
// return Object.assign({}, state, {
// isMainPage: true
// })
case PAGE_SCROLL_STARTED:
return Object.assign({}, state, {
isScrolling: true,
currentPage: action.payload
})
case PAGE_SCROLL_ENDED:
return Object.assign({}, state, {
isScrolling: false,
currentPage: action.payload
})
case SCROLL_HEADER:
return Object.assign({}, state, {
isHeaderVisible: action.payload
})
case PROVIDER_CHANGE:
return Object.assign({}, state, {
provider: action.payload
})
case BOARD_REQUESTED:
return Object.assign({}, state, {
boardID: action.payload
})
case THREAD_REQUESTED:
return Object.assign({}, state, {
threadID: action.payload
})
case STATUS_UPDATE:
return Object.assign({}, state, {
alertMessage: action.payload
})
case THREAD_DESTROYED:
return Object.assign({}, state, {
threadID: null
})
case BOARD_DESTROYED:
return Object.assign({}, state, {
boardID: null
})
default:
return state
}
}
|
Add reducer cases for thread/board destroyed
|
Add reducer cases for thread/board destroyed
|
JavaScript
|
mit
|
AdamSalma/Lurka,AdamSalma/Lurka
|
d6328b1e65daf111720f76b70f6d469a91a96335
|
pointergestures.js
|
pointergestures.js
|
/*
* Copyright 2013 The Polymer Authors. All rights reserved.
* Use of this source code is governed by a BSD-style
* license that can be found in the LICENSE file.
*/
/**
* @module PointerGestures
*/
(function() {
var thisFile = 'pointergestures.js';
var scopeName = 'PointerGestures';
var modules = [
'src/PointerGestureEvent.js',
'src/initialize.js',
'src/sidetable.js',
'src/pointermap.js',
'src/dispatcher.js',
'src/hold.js',
'src/track.js',
'src/flick.js',
'src/tap.js'
];
window[scopeName] = {
entryPointName: thisFile,
modules: modules
};
var script = document.querySelector('script[src $= "' + thisFile + '"]');
var src = script.attributes.src.value;
var basePath = src.slice(0, src.indexOf(thisFile));
if (!window.PointerEventPolyfill) {
document.write('<script src="' + basePath + '../PointerEvents/pointerevents.js"></script>');
}
if (!window.Loader) {
var path = basePath + 'tools/loader/loader.js';
document.write('<script src="' + path + '"></script>');
}
document.write('<script>Loader.load("' + scopeName + '")</script>');
})();
|
/*
* Copyright 2013 The Polymer Authors. All rights reserved.
* Use of this source code is governed by a BSD-style
* license that can be found in the LICENSE file.
*/
/**
* @module PointerGestures
*/
(function() {
var thisFile = 'pointergestures.js';
var scopeName = 'PointerGestures';
var modules = [
'src/PointerGestureEvent.js',
'src/initialize.js',
'src/sidetable.js',
'src/pointermap.js',
'src/dispatcher.js',
'src/hold.js',
'src/track.js',
'src/flick.js',
'src/tap.js'
];
window[scopeName] = {
entryPointName: thisFile,
modules: modules
};
var script = document.querySelector('script[src $= "' + thisFile + '"]');
var src = script.attributes.src.value;
var basePath = src.slice(0, src.indexOf(thisFile));
if (!window.PointerEvent) {
document.write('<script src="' + basePath + '../PointerEvents/pointerevents.js"></script>');
}
if (!window.Loader) {
var path = basePath + 'tools/loader/loader.js';
document.write('<script src="' + path + '"></script>');
}
document.write('<script>Loader.load("' + scopeName + '")</script>');
})();
|
Use PointerEvent to be check for loading PointerEvents polyfill
|
Use PointerEvent to be check for loading PointerEvents polyfill
|
JavaScript
|
bsd-3-clause
|
Polymer/PointerGestures
|
3495b9e94ffb9dc03bf6c3699f9484343829171c
|
test/highlightAuto.js
|
test/highlightAuto.js
|
'use strict';
var fs = require('fs');
var hljs = require('../build');
var path = require('path');
var utility = require('./utility');
function testAutoDetection(language) {
it('should be detected as ' + language, function() {
var languagePath = utility.buildPath('detect', language),
examples = fs.readdirSync(languagePath);
examples.forEach(function(example) {
var filename = path.join(languagePath, example),
content = fs.readFileSync(filename, 'utf-8'),
expected = language,
actual = hljs.highlightAuto(content).language;
actual.should.equal(expected);
});
});
}
describe('hljs', function() {
describe('.highlightAuto', function() {
var languages = utility.languagesList();
languages.forEach(testAutoDetection);
});
});
|
'use strict';
var fs = require('fs');
var hljs = require('../build');
var path = require('path');
var utility = require('./utility');
function testAutoDetection(language) {
it('should be detected as ' + language, function() {
var languagePath = utility.buildPath('detect', language),
examples = fs.readdirSync(languagePath);
examples.forEach(function(example) {
var filename = path.join(languagePath, example),
content = fs.readFileSync(filename, 'utf-8'),
expected = language,
actual = hljs.highlightAuto(content).language;
actual.should.equal(expected);
});
});
}
describe('hljs', function() {
describe('.highlightAuto', function() {
var languages = hljs.listLanguages();
languages.forEach(testAutoDetection);
});
});
|
Use hljs.listLanguages for auto-detection tests
|
Use hljs.listLanguages for auto-detection tests
|
JavaScript
|
bsd-3-clause
|
snegovick/highlight.js,iOctocat/highlight.js,dYale/highlight.js,dbkaplun/highlight.js,kevinrodbe/highlight.js,dirkk/highlight.js,abhishekgahlot/highlight.js,kevinrodbe/highlight.js,daimor/highlight.js,Ajunboys/highlight.js,cicorias/highlight.js,isagalaev/highlight.js,xing-zhi/highlight.js,yxxme/highlight.js,STRML/highlight.js,daimor/highlight.js,rla/highlight.js,J2TeaM/highlight.js,bogachev-pa/highlight.js,christoffer/highlight.js,StanislawSwierc/highlight.js,robconery/highlight.js,Delermando/highlight.js,Sannis/highlight.js,carlokok/highlight.js,taoger/highlight.js,kayyyy/highlight.js,highlightjs/highlight.js,drmohundro/highlight.js,krig/highlight.js,robconery/highlight.js,gitterHQ/highlight.js,brennced/highlight.js,brennced/highlight.js,alvarotrigo/highlight.js,drmohundro/highlight.js,kayyyy/highlight.js,dublebuble/highlight.js,zachaysan/highlight.js,yxxme/highlight.js,snegovick/highlight.js,1st1/highlight.js,liang42hao/highlight.js,aurusov/highlight.js,ilovezy/highlight.js,xing-zhi/highlight.js,kba/highlight.js,1st1/highlight.js,dx285/highlight.js,Ajunboys/highlight.js,abhishekgahlot/highlight.js,martijnrusschen/highlight.js,Aaron1992/highlight.js,tenbits/highlight.js,teambition/highlight.js,adam-lynch/highlight.js,adjohnson916/highlight.js,weiyibin/highlight.js,Aaron1992/highlight.js,JoshTheGeek-graveyard/highlight.js,axter/highlight.js,tenbits/highlight.js,adjohnson916/highlight.js,axter/highlight.js,palmin/highlight.js,alex-zhang/highlight.js,ysbaddaden/highlight.js,dYale/highlight.js,iOctocat/highlight.js,lizhil/highlight.js,highlightjs/highlight.js,lizhil/highlight.js,VoldemarLeGrand/highlight.js,Aaron1992/highlight.js,adjohnson916/highlight.js,krig/highlight.js,iOctocat/highlight.js,devmario/highlight.js,bluepichu/highlight.js,CausalityLtd/highlight.js,liang42hao/highlight.js,adam-lynch/highlight.js,yxxme/highlight.js,tenbits/highlight.js,lead-auth/highlight.js,kba/highlight.js,Ankirama/highlight.js,StanislawSwierc/highlight.js,delebash/highlight.js,jean/highlight.js,STRML/highlight.js,cicorias/highlight.js,taoger/highlight.js,teambition/highlight.js,ilovezy/highlight.js,bogachev-pa/highlight.js,CausalityLtd/highlight.js,dYale/highlight.js,ysbaddaden/highlight.js,sourrust/highlight.js,ponylang/highlight.js,0x7fffffff/highlight.js,dublebuble/highlight.js,dirkk/highlight.js,aurusov/highlight.js,robconery/highlight.js,VoldemarLeGrand/highlight.js,ponylang/highlight.js,zachaysan/highlight.js,VoldemarLeGrand/highlight.js,Ajunboys/highlight.js,MakeNowJust/highlight.js,Sannis/highlight.js,cicorias/highlight.js,dx285/highlight.js,palmin/highlight.js,Amrit01/highlight.js,MakeNowJust/highlight.js,liang42hao/highlight.js,snegovick/highlight.js,bluepichu/highlight.js,highlightjs/highlight.js,devmario/highlight.js,SibuStephen/highlight.js,alex-zhang/highlight.js,0x7fffffff/highlight.js,palmin/highlight.js,dirkk/highlight.js,aristidesstaffieri/highlight.js,J2TeaM/highlight.js,sourrust/highlight.js,dublebuble/highlight.js,0x7fffffff/highlight.js,christoffer/highlight.js,kba/highlight.js,delebash/highlight.js,sourrust/highlight.js,STRML/highlight.js,jean/highlight.js,martijnrusschen/highlight.js,rla/highlight.js,brennced/highlight.js,JoshTheGeek-graveyard/highlight.js,teambition/highlight.js,1st1/highlight.js,krig/highlight.js,SibuStephen/highlight.js,carlokok/highlight.js,ehornbostel/highlight.js,ehornbostel/highlight.js,ysbaddaden/highlight.js,kayyyy/highlight.js,jean/highlight.js,Delermando/highlight.js,kevinrodbe/highlight.js,highlightjs/highlight.js,aurusov/highlight.js,SibuStephen/highlight.js,carlokok/highlight.js,isagalaev/highlight.js,Amrit01/highlight.js,taoger/highlight.js,dbkaplun/highlight.js,ilovezy/highlight.js,xing-zhi/highlight.js,weiyibin/highlight.js,gitterHQ/highlight.js,lizhil/highlight.js,alex-zhang/highlight.js,Ankirama/highlight.js,martijnrusschen/highlight.js,aristidesstaffieri/highlight.js,alvarotrigo/highlight.js,MakeNowJust/highlight.js,CausalityLtd/highlight.js,Amrit01/highlight.js,ehornbostel/highlight.js,bogachev-pa/highlight.js,aristidesstaffieri/highlight.js,Sannis/highlight.js,Delermando/highlight.js,axter/highlight.js,carlokok/highlight.js,dbkaplun/highlight.js,dx285/highlight.js,daimor/highlight.js,weiyibin/highlight.js,ponylang/highlight.js,Ankirama/highlight.js,devmario/highlight.js,delebash/highlight.js,christoffer/highlight.js,abhishekgahlot/highlight.js,J2TeaM/highlight.js,bluepichu/highlight.js,zachaysan/highlight.js,adam-lynch/highlight.js
|
3248f52485a8cf44788a070744378f4e421b1529
|
app/assets/javascripts/application.js
|
app/assets/javascripts/application.js
|
// This is a manifest file that'll be compiled into application.js, which will include all the files
// listed below.
//
// Any JavaScript/Coffee file within this directory, lib/assets/javascripts, vendor/assets/javascripts,
// or vendor/assets/javascripts of plugins, if any, can be referenced here using a relative path.
//
// It's not advisable to add code directly here, but if you do, it'll appear at the bottom of the
// compiled file.
//
// Read Sprockets README (https://github.com/sstephenson/sprockets#sprockets-directives) for details
// about supported directives.
//
//= require jquery
//= require jquery_ujs
//= require foundation
//= require turbolinks
//= require_tree .
$(function(){ $(document).foundation(); });
|
// This is a manifest file that'll be compiled into application.js, which will include all the files
// listed below.
//
// Any JavaScript/Coffee file within this directory, lib/assets/javascripts, vendor/assets/javascripts,
// or vendor/assets/javascripts of plugins, if any, can be referenced here using a relative path.
//
// It's not advisable to add code directly here, but if you do, it'll appear at the bottom of the
// compiled file.
//
// Read Sprockets README (https://github.com/sstephenson/sprockets#sprockets-directives) for details
// about supported directives.
//
//= require jquery
//= require foundation
//= require turbolinks
//= require_tree .
|
Remove code from Application.js to remedy errors seen in browser console
|
Remove code from Application.js to remedy errors seen in browser console
|
JavaScript
|
mit
|
TerrenceLJones/not-bored-tonight,TerrenceLJones/not-bored-tonight
|
83322ef4a60598c58adedcec4240f83e659d5349
|
app/controllers/abstractController.js
|
app/controllers/abstractController.js
|
core.controller('AbstractController', function ($scope, StorageService) {
$scope.isAssumed = function() {
return StorageService.get("assumed");
};
$scope.isAssuming = function() {
return StorageService.get("assuming");
};
$scope.isAnonymous = function() {
return (sessionStorage.role == "ROLE_ANONYMOUS");
};
$scope.isUser = function() {
return (sessionStorage.role == "ROLE_USER");
};
$scope.isAnnotator = function() {
return (sessionStorage.role == "ROLE_ANNOTATOR");
};
$scope.isManager = function() {
return (sessionStorage.role == "ROLE_MANAGER");
};
$scope.isAdmin = function() {
return (sessionStorage.role == "ROLE_ADMIN");
};
});
|
core.controller('AbstractController', function ($scope, StorageService) {
$scope.storage = StorageService;
$scope.isAssumed = function() {
return StorageService.get("assumed");
};
$scope.isAssuming = function() {
return StorageService.get("assuming");
};
$scope.isAnonymous = function() {
return (sessionStorage.role == "ROLE_ANONYMOUS");
};
$scope.isUser = function() {
return (sessionStorage.role == "ROLE_USER");
};
$scope.isAnnotator = function() {
return (sessionStorage.role == "ROLE_ANNOTATOR");
};
$scope.isManager = function() {
return (sessionStorage.role == "ROLE_MANAGER");
};
$scope.isAdmin = function() {
return (sessionStorage.role == "ROLE_ADMIN");
};
});
|
Put storage service on scope for abstract controller.
|
Put storage service on scope for abstract controller.
|
JavaScript
|
mit
|
TAMULib/Weaver-UI-Core,TAMULib/Weaver-UI-Core
|
ba555027b6ce0815cc3960d31d1bd56fbf8c04a3
|
client/components/Dashboard.js
|
client/components/Dashboard.js
|
import React, { Component } from 'react'
import Affirmations from './analytics/Affirmations'
export default class Dashboard extends Component {
constructor(props) {
super(props);
this.state = {
data: {
url: 'https://s3-us-west-2.amazonaws.com/s.cdpn.io/98887/d3pack-flare-short.json',
elementDelay: 100
},
startDelay: 2000
};
}
componentDidMount() {
console.log('rendering');
}
render() {
var style = {
width: '100%',
height: '100%'
};
return (
<div style={style}>
<Affirmations
startDelay={this.state.startDelay}
elementDelay={this.state.data.elementDelay}
json={this.state.data.url}
/>
</div>
)
}
}
|
import React, { Component } from 'react'
import Circles from './analytics/Circles'
export default class Dashboard extends Component {
constructor(props) {
super(props);
this.state = {
data: {
url: './data/sample.json',
elementDelay: 100
},
startDelay: 2000
};
}
componentDidMount() {
console.log('rendering');
}
render() {
return (
<div className="dashboard-container">
<Circles
startDelay={this.state.startDelay}
elementDelay={this.state.data.elementDelay}
json={this.state.data.url}
/>
</div>
)
}
}
|
Update for circles and new sample data
|
Update for circles and new sample data
|
JavaScript
|
mit
|
scrumptiousAmpersand/journey,scrumptiousAmpersand/journey
|
24317f5dc7b9e2e363e9424bdbcdb007e9704908
|
src/types/Config.js
|
src/types/Config.js
|
// @flow
export type Config = {
disabledPages: string[],
showUserDomainInput: boolean,
defaultUserDomain: string,
showOpenstackCurrentUserSwitch: boolean,
useBarbicanSecrets: boolean,
requestPollTimeout: number,
sourceOptionsProviders: string[],
instancesListBackgroundLoading: { default: number, [string]: number },
sourceProvidersWithExtraOptions: Array<string | { name: string, envRequiredFields: string[] }>,
destinationProvidersWithExtraOptions: Array<string | { name: string, envRequiredFields: string[] }>,
providerSortPriority: { [providerName: string]: number }
hiddenUsers: string[],
}
|
// @flow
export type Config = {
disabledPages: string[],
showUserDomainInput: boolean,
defaultUserDomain: string,
showOpenstackCurrentUserSwitch: boolean,
useBarbicanSecrets: boolean,
requestPollTimeout: number,
sourceOptionsProviders: string[],
instancesListBackgroundLoading: { default: number, [string]: number },
sourceProvidersWithExtraOptions: Array<string | { name: string, envRequiredFields: string[] }>,
destinationProvidersWithExtraOptions: Array<string | { name: string, envRequiredFields: string[] }>,
providerSortPriority: { [providerName: string]: number },
hiddenUsers: string[],
}
|
Add missing comma to type file
|
Add missing comma to type file
|
JavaScript
|
agpl-3.0
|
aznashwan/coriolis-web,aznashwan/coriolis-web
|
03ee8adc1cf7bde21e52386e72bc4a663d6834f3
|
script.js
|
script.js
|
$('body').scrollspy({ target: '#side-menu' , offset : 10});
var disableEvent = function(e) {
e.preventDefault();
};
$('a[href="#"]').click(disableEvent);
$('button[type="submit"]').click(disableEvent);
// Initialize popovers
$('[data-toggle="popover"]').popover();
$('#openGithub').click(function(e){
e.preventDefault();
window.location = "https://github.com/caneruguz/osf-style";
});
|
$('body').scrollspy({ target: '#side-menu' , offset : 10});
var disableEvent = function(e) {
e.preventDefault();
};
$('a[href="#"]').click(disableEvent);
$('button[type="submit"]').click(disableEvent);
// Initialize popovers
$('[data-toggle="popover"]').popover();
$('#openGithub').click(function(e){
e.preventDefault();
window.location = "https://github.com/caneruguz/osf-style";
});
$('[data-toggle="tooltip"]').tooltip();
|
Fix commit mistake with tooltip
|
Fix commit mistake with tooltip
|
JavaScript
|
apache-2.0
|
CenterForOpenScience/osf-style,CenterForOpenScience/osf-style
|
0915cc2024564c1ee79f9695c82eda8adb1f9980
|
src/vibrant.directive.js
|
src/vibrant.directive.js
|
angular
.module('ngVibrant')
.directive('vibrant', vibrant);
function vibrant($vibrant) {
var directive = {
restrict: 'AE',
scope: {
model: '=ngModel', //Model
url: '@?',
swatch: '@?',
quality: '@?',
colors: '@?'
},
link: link
};
return directive;
function link(scope, element, attrs) {
scope.model = [];
if (angular.isUndefined(attrs.quality)) {
attrs.quality = $vibrant.getDefaultQuality();
}
if (angular.isUndefined(attrs.colors)) {
attrs.colors = $vibrant.getDefaultColors();
}
if (angular.isDefined(attrs.url)) {
$vibrant.get(attrs.url).then(function(swatches) {
scope.model = angular.isDefined(attrs.swatch) ? swatches[attrs.swatch] : swatches;
});
}else {
element.on('load', function() {
var swatches = $vibrant(element[0], attrs.colors, attrs.quality);
scope.model = angular.isDefined(attrs.swatch) ? swatches[attrs.swatch] : swatches;
});
}
}
}
|
angular
.module('ngVibrant')
.directive('vibrant', vibrant);
function vibrant($vibrant) {
var directive = {
restrict: 'AE',
scope: {
model: '=ngModel', //Model
url: '@?',
swatch: '@?',
quality: '@?',
colors: '@?'
},
link: link
};
return directive;
function link(scope, element, attrs) {
scope.model = [];
if (angular.isUndefined(attrs.quality)) {
attrs.quality = $vibrant.getDefaultQuality();
}
if (angular.isUndefined(attrs.colors)) {
attrs.colors = $vibrant.getDefaultColors();
}
if (angular.isDefined(attrs.url)) {
$vibrant.get(attrs.url, attrs.colors, attrs.quality).then(function(swatches) {
scope.model = angular.isDefined(attrs.swatch) ? swatches[attrs.swatch] : swatches;
});
}else {
element.on('load', function() {
var swatches = $vibrant(element[0], attrs.colors, attrs.quality);
scope.model = angular.isDefined(attrs.swatch) ? swatches[attrs.swatch] : swatches;
});
}
}
}
|
Use colors and quality attributes on manual image fetching
|
Use colors and quality attributes on manual image fetching
|
JavaScript
|
apache-2.0
|
maxjoehnk/ngVibrant
|
2a1b7b1b0b9706dba23e45703b996bba616018e3
|
static/service-worker.js
|
static/service-worker.js
|
const cacheName = 'cache-v4'
const precacheResources = [
'/',
'/posts/',
'index.html',
'/bundle.min.js',
'/main.min.css',
'/fonts/Inter-UI-Bold.woff',
'/fonts/Inter-UI-Medium.woff',
'/fonts/Inter-UI-Medium.woff2',
'/fonts/Inter-UI-Italic.woff',
'/fonts/Inter-UI-Regular.woff',
'/fonts/Inter-UI-Italic.woff2',
'/fonts/Inter-UI-MediumItalic.woff2',
'/fonts/Inter-UI-MediumItalic.woff',
'/fonts/Inter-UI-BoldItalic.woff',
'/fonts/Inter-UI-Regular.woff2',
'/fonts/Inter-UI-Bold.woff2',
'/fonts/Inter-UI-BoldItalic.woff2',
'/static/fonts/icomoon.eot',
'/static/fonts/icomoon.svg',
'/static/fonts/icomoon.ttf',
'/static/fonts/icomoon.woff',
'/posts/how-to-get-involved-in-open-source/index.html',
'/posts/i-m-gonna-blog/index.html',
'/posts/tools-for-effective-rust-development/index.html',
'/posts/understanding-and-resolving-selinux-denials-on-android/index.html',
'/posts/teaching-kotlin-kotlin-for-android-java-developers/index.html',
'/posts/teaching-kotlin-classes-and-objects/index.html',
'/posts/teaching-kotlin-variables/index.html'
]
self.addEventListener('install', event => {
event.waitUntil(
caches.open(cacheName).then(cache => {
return cache.addAll(precacheResources)
})
)
})
self.addEventListener('activate', event => {
var cacheKeeplist = [cacheName]
event.waitUntil(
caches
.keys()
.then(keyList => {
return Promise.all(
keyList.map(key => {
if (cacheKeeplist.indexOf(key) === -1) {
return caches.delete(key)
}
})
)
})
.then(self.clients.claim())
)
})
self.addEventListener('fetch', event => {
event.respondWith(
caches.match(event.request).then(cachedResponse => {
if (cachedResponse) {
return cachedResponse
}
return fetch(event.request)
})
)
})
|
self.addEventListener('activate', event => {
event.waitUntil(
caches
.keys()
.then(keyList => {
return Promise.all(
keyList.map(key => {
return caches.delete(key)
})
)
})
.then(self.clients.claim())
)
})
navigator.serviceWorker.getRegistrations().then(registrations => {
registrations.forEach(registration => {
registration.unregister()
})
})
|
Stop caching things and remove existing service worker registrations
|
Stop caching things and remove existing service worker registrations
Signed-off-by: Harsh Shandilya <[email protected]>
|
JavaScript
|
mit
|
MSF-Jarvis/msf-jarvis.github.io
|
d250bb1ac822aa7beb8a3602698001559c7e7c83
|
karma.conf.js
|
karma.conf.js
|
module.exports = function (config) {
config.set({
port: 9876,
logLevel: config.LOG_INFO,
autoWatch: true,
singleRun: false,
colors: true,
plugins: [
'karma-jasmine',
'karma-sinon',
'karma-spec-reporter',
'karma-phantomjs-launcher',
'karma-chrome-launcher',
'karma-firefox-launcher',
'karma-browserify',
'karma-sourcemap-loader'
],
browsers: process.env.CI === true ? ['PhantomJS'] : [],
frameworks: ['jasmine', 'sinon', 'browserify'],
reporters: ['spec'],
files: [
'spec/helpers/**/*.coffee',
'spec/**/*-behavior.coffee',
'spec/**/*-spec.coffee'
],
preprocessors: {
'src/**/*.coffee': ['browserify', 'sourcemap'],
'spec/**/*.coffee': ['browserify', 'sourcemap']
},
browserify: {
extensions: ['.coffee'],
transform: ['coffeeify'],
watch: true,
debug: true
}
});
};
|
module.exports = function (config) {
config.set({
port: 9876,
logLevel: config.LOG_INFO,
autoWatch: true,
singleRun: false,
colors: true,
plugins: [
'karma-jasmine',
'karma-sinon',
'karma-spec-reporter',
'karma-phantomjs-launcher',
'karma-chrome-launcher',
'karma-firefox-launcher',
'karma-browserify',
'karma-sourcemap-loader'
],
browsers: ['PhantomJS'],
frameworks: ['jasmine', 'sinon', 'browserify'],
reporters: ['spec'],
files: [
'spec/helpers/**/*.coffee',
'spec/**/*-behavior.coffee',
'spec/**/*-spec.coffee'
],
preprocessors: {
'src/**/*.coffee': ['browserify', 'sourcemap'],
'spec/**/*.coffee': ['browserify', 'sourcemap']
},
browserify: {
extensions: ['.coffee'],
transform: ['coffeeify'],
watch: true,
debug: true
}
});
};
|
Revert "Conditionally set browser for karma"
|
Revert "Conditionally set browser for karma"
This reverts commit 9f43fe898e74a0541430a06532ba8b504796af6c.
|
JavaScript
|
mit
|
mavenlink/brainstem-js
|
f0117c0242844550f6aed2dc1b706c0ffb44c769
|
src/cli/require-qunit.js
|
src/cli/require-qunit.js
|
// Depending on the exact usage, QUnit could be in one of several places, this
// function handles finding it.
module.exports = function requireQUnit( resolve = require.resolve ) {
try {
// First we attempt to find QUnit relative to the current working directory.
const localQUnitPath = resolve( "qunit", { paths: [ process.cwd() ] } );
delete require.cache[ localQUnitPath ];
return require( localQUnitPath );
} catch ( e ) {
try {
// Second, we use the globally installed QUnit
delete require.cache[ resolve( "../../qunit/qunit" ) ];
// eslint-disable-next-line node/no-missing-require, node/no-unpublished-require
return require( "../../qunit/qunit" );
} catch ( e ) {
if ( e.code === "MODULE_NOT_FOUND" ) {
// Finally, we use the local development version of QUnit
delete require.cache[ resolve( "../../dist/qunit" ) ];
// eslint-disable-next-line node/no-missing-require, node/no-unpublished-require
return require( "../../dist/qunit" );
}
throw e;
}
}
};
|
// Depending on the exact usage, QUnit could be in one of several places, this
// function handles finding it.
module.exports = function requireQUnit( resolve = require.resolve ) {
try {
// First we attempt to find QUnit relative to the current working directory.
const localQUnitPath = resolve( "qunit", {
// Support: Node 10. Explicitly check "node_modules" to avoid a bug.
// Fixed in Node 12+. See https://github.com/nodejs/node/issues/35367.
paths: [ process.cwd() + "/node_modules", process.cwd() ]
} );
delete require.cache[ localQUnitPath ];
return require( localQUnitPath );
} catch ( e ) {
try {
// Second, we use the globally installed QUnit
delete require.cache[ resolve( "../../qunit/qunit" ) ];
// eslint-disable-next-line node/no-missing-require, node/no-unpublished-require
return require( "../../qunit/qunit" );
} catch ( e ) {
if ( e.code === "MODULE_NOT_FOUND" ) {
// Finally, we use the local development version of QUnit
delete require.cache[ resolve( "../../dist/qunit" ) ];
// eslint-disable-next-line node/no-missing-require, node/no-unpublished-require
return require( "../../dist/qunit" );
}
throw e;
}
}
};
|
Fix 'qunit' require error on Node 10 if qunit.json exists
|
CLI: Fix 'qunit' require error on Node 10 if qunit.json exists
If the project using QUnit has a local qunit.json file in the
repository root, then the CLI was unable to find the 'qunit'
package. Instead, it first found a local 'qunit.json' file.
This affected an ESLint plugin with a 'qunit' preset file.
This bug was fixed in Node 12, and thus only affects Node 10 for us.
The bug is also specific to require.resolve(). Regular use of
require() was not affected and always correctly found the
local package. (A local file would only be considered if the
require started with dot-slash like `./qunit`.)
Ref https://github.com/nodejs/node/issues/35367.
Fixes https://github.com/qunitjs/qunit/issues/1484.
|
JavaScript
|
mit
|
qunitjs/qunit,qunitjs/qunit
|
a27021ff9d42fbe10e8d5107387dbaafab96e654
|
lib/router.js
|
lib/router.js
|
Router.configure({
layoutTemplate : 'layout',
loadingTemplate : 'loading',
notFoundTemplate : 'notFound'
// waitOn : function () {
// return Meteor.subscribe('posts');
// }
});
Router.route('/', {name : 'landing'});
Router.route('/goalsettings', {name : 'showGoals'});
Router.route('/crylevel', {name : 'cryLevel'});
Router.route('/posts/:_id', {
name : 'postPage',
data : function() {
return Posts.findOne(this.params._id);
}
});
Router.route('/posts/:_id/edit', {
name : 'postEdit',
data : function () {
return Posts.findOne(this.params._id);
}
})
Router.route('/submit', {name : 'postSubmit'})
var requireLogin = function () {
if (!Meteor.userId()) {
if (Meteor.loggingIn()) {
this.render('loadingTemplate');
} else {
Router.go('landing');
}
this.stop();
} else {
this.next();
}
}
Router.onBeforeAction('dataNotFound', {only : 'postPage'});
Router.onBeforeAction(requireLogin, {except : 'landing'});
|
Router.configure({
layoutTemplate : 'layout',
loadingTemplate : 'loading',
notFoundTemplate : 'notFound'
// waitOn : function () {
// return Meteor.subscribe('posts');
// }
});
Router.route('/', {name : 'landing'});
Router.route('/goal-settings', {name : 'showGoals'});
Router.route('/cry-level', {name : 'cryLevel'});
Router.route('/posts/:_id', {
name : 'postPage',
data : function() {
return Posts.findOne(this.params._id);
}
});
Router.route('/posts/:_id/edit', {
name : 'postEdit',
data : function () {
return Posts.findOne(this.params._id);
}
})
Router.route('/submit', {name : 'postSubmit'})
var requireLogin = function () {
if (!Meteor.userId()) {
if (Meteor.loggingIn()) {
this.render('loadingTemplate');
} else {
Router.go('landing');
}
this.stop();
} else {
this.next();
}
}
Router.onBeforeAction('dataNotFound', {only : 'postPage'});
Router.onBeforeAction(requireLogin, {except : 'landing'});
|
Add dashes to route paths
|
Add dashes to route paths
|
JavaScript
|
mit
|
JohnathanWeisner/man_tears,JohnathanWeisner/man_tears
|
cac8899b7ff10268146c9d150faa94f5126284de
|
lib/server.js
|
lib/server.js
|
Counter = function (name, cursor, interval) {
this.name = name;
this.cursor = cursor;
this.interval = interval || 1000 * 10;
this._collectionName = 'counters-collection';
}
// every cursor must provide a collection name via this method
Counter.prototype._getCollectionName = function() {
return "counter-" + this.name;
};
// the api to publish
Counter.prototype._publishCursor = function(sub) {
var self = this;
var count = self.cursor.count();
sub.added(self._collectionName, self.name, {count: count});
var handler = Meteor.setInterval(function() {
var count = self.cursor.count();
sub.changed(self._collectionName, self.name, {count: count});
}, this.interval);
sub.onStop(function() {
Meteor.clearTimeout(handler);
});
};
|
Counter = function (name, cursor, interval) {
this.name = name;
this.cursor = cursor;
this.interval = interval || 1000 * 10;
this._collectionName = 'counters-collection';
}
// every cursor must provide a collection name via this method
Counter.prototype._getCollectionName = function() {
return "counter-" + this.name;
};
// the api to publish
Counter.prototype._publishCursor = function(sub) {
var self = this;
var count = self.cursor.count();
sub.added(self._collectionName, self.name, {count: count});
var handler = Meteor.setInterval(function() {
var count = self.cursor.count();
sub.changed(self._collectionName, self.name, {count: count});
}, this.interval);
sub.onStop(function() {
Meteor.clearTimeout(handler);
});
return {
stop: sub.onStop.bind(sub)
}
};
|
Make _publishCursor return a handle with a stop method
|
Make _publishCursor return a handle with a stop method
|
JavaScript
|
mit
|
nate-strauser/meteor-publish-performant-counts
|
aae8f83338ed69a28e8c8279e738857b13364841
|
examples/walk-history.js
|
examples/walk-history.js
|
var nodegit = require("../"),
path = require("path");
// This code walks the history of the master branch and prints results
// that look very similar to calling `git log` from the command line
nodegit.Repository.open(path.resolve(__dirname, "../.git"))
.then(function(repo) {
return repo.getMasterCommit();
})
.then(function(firstCommitOnMaster){
// History returns an event.
var history = firstCommitOnMaster.history(nodegit.Revwalk.SORT.Time);
// History emits "commit" event for each commit in the branch's history
history.on("commit", function(commit) {
console.log("commit " + commit.sha());
console.log("Author:", commit.author().name() +
" <" + commit.author().email() + ">");
console.log("Date:", commit.date());
console.log("\n " + commit.message());
});
// Don't forget to call `start()`!
history.start();
})
.done();
|
var nodegit = require("../"),
path = require("path");
// This code walks the history of the master branch and prints results
// that look very similar to calling `git log` from the command line
nodegit.Repository.open(path.resolve(__dirname, "../.git"))
.then(function(repo) {
return repo.getMasterCommit();
})
.then(function(firstCommitOnMaster){
// History returns an event.
var history = firstCommitOnMaster.history(nodegit.Revwalk.SORT.TIME);
// History emits "commit" event for each commit in the branch's history
history.on("commit", function(commit) {
console.log("commit " + commit.sha());
console.log("Author:", commit.author().name() +
" <" + commit.author().email() + ">");
console.log("Date:", commit.date());
console.log("\n " + commit.message());
});
// Don't forget to call `start()`!
history.start();
})
.done();
|
Fix incorrect api usage, not Time rather TIME
|
Fix incorrect api usage, not Time rather TIME
|
JavaScript
|
mit
|
nodegit/nodegit,nodegit/nodegit,nodegit/nodegit,nodegit/nodegit,jmurzy/nodegit,jmurzy/nodegit,jmurzy/nodegit,jmurzy/nodegit,jmurzy/nodegit,nodegit/nodegit
|
a76bbc0d7afe1136b8768ef0aadc57024fa88d55
|
test/mithril.withAttr.js
|
test/mithril.withAttr.js
|
describe("m.withAttr()", function () {
"use strict"
it("calls the handler with the right value/context without callbackThis", function () { // eslint-disable-line
var spy = sinon.spy()
var object = {}
m.withAttr("test", spy).call(object, {currentTarget: {test: "foo"}})
expect(spy).to.be.calledOn(object).and.calledWith("foo")
})
it("calls the handler with the right value/context with callbackThis", function () { // eslint-disable-line
var spy = sinon.spy()
var object = {}
m.withAttr("test", spy, object)({currentTarget: {test: "foo"}})
expect(spy).to.be.calledOn(object).and.calledWith("Bfoo")
})
})
|
describe("m.withAttr()", function () {
"use strict"
it("calls the handler with the right value/context without callbackThis", function () { // eslint-disable-line
var spy = sinon.spy()
var object = {}
m.withAttr("test", spy).call(object, {currentTarget: {test: "foo"}})
expect(spy).to.be.calledOn(object).and.calledWith("foo")
})
it("calls the handler with the right value/context with callbackThis", function () { // eslint-disable-line
var spy = sinon.spy()
var object = {}
m.withAttr("test", spy, object)({currentTarget: {test: "foo"}})
expect(spy).to.be.calledOn(object).and.calledWith("foo")
})
})
|
Fix the test of the new suite
|
Fix the test of the new suite
|
JavaScript
|
mit
|
tivac/mithril.js,MithrilJS/mithril.js,lhorie/mithril.js,impinball/mithril.js,barneycarroll/mithril.js,pygy/mithril.js,pygy/mithril.js,impinball/mithril.js,MithrilJS/mithril.js,barneycarroll/mithril.js,lhorie/mithril.js,tivac/mithril.js
|
e1a896d31ace67e33986b78b04f9fab50536dddb
|
extensions/API/Client.js
|
extensions/API/Client.js
|
let origBot, origGuild;
// A dummy message object so ESLint doesn't complain
class Message {}
class Client {
constructor(bot, guild) {
origBot = bot;
origGuild = guild;
}
get guilds() {
return origBot.guilds.size
}
get users() {
return origBot.users.size
}
waitForMessage(authorId, channelId, timeout, check) {
if (!authorId || !channelId) return Promise.reject("Missing author/channel ID");
if (!check || typeof check !== "function") check = () => true;
let c = msg => {
if (msg.author.id == authorId && msg.channel.id == channelId
&& msg.channel.guild && msg.channel.guild.id == origGuild.id
&& check()) return true;
else return false;
};
origBot.waitForEvent("messageCreate", timeout, c)
.then((eventReturn) => new Message(eventReturn[0]));
}
}
module.exports = Client;
|
let origBot, origGuild;
// A dummy message object so ESLint doesn't complain
class Message {}
class Client {
constructor(bot, guild) {
origBot = bot;
origGuild = guild;
// TODO: sandboxed user
// this.user = bot.user
// TODO: sandboxed guild
// this.currentGuild = guild;
}
get guilds() {
return origBot.guilds.size;
}
get users() {
return origBot.users.size;
}
waitForMessage(authorId, channelId, timeout, check) {
if (!authorId || !channelId) return Promise.reject("Missing author/channel ID");
if (!check || typeof check !== "function") check = () => true;
let c = msg => {
if (msg.author.id == authorId && msg.channel.id == channelId
&& msg.channel.guild && msg.channel.guild.id == origGuild.id
&& check()) return true;
else return false;
};
origBot.waitForEvent("messageCreate", timeout, c)
.then((eventReturn) => new Message(eventReturn[0]));
}
}
module.exports = Client;
|
Add new properties, to be sandboxed
|
Add new properties, to be sandboxed
|
JavaScript
|
mit
|
TTtie/TTtie-Bot,TTtie/TTtie-Bot,TTtie/TTtie-Bot
|
afdd27cc9e852d2aa4c311a67635cc6ffa55455b
|
test/unit/icon-toggle.js
|
test/unit/icon-toggle.js
|
describe('icon-toggle tests', function () {
it('Should have MaterialIconToggle globally available', function () {
expect(MaterialIconToggle).to.be.a('function');
});
it('Should be upgraded to a MaterialIconToggle successfully', function () {
var el = document.createElement('div');
el.innerHTML = '<input type="checkbox" class="wsk-icon-toggle__input">';
componentHandler.upgradeElement(el, 'MaterialIconToggle');
var upgraded = el.getAttribute('data-upgraded');
expect(upgraded).to.contain('MaterialIconToggle');
});
});
|
describe('icon-toggle tests', function () {
it('Should have MaterialIconToggle globally available', function () {
expect(MaterialIconToggle).to.be.a('function');
});
it('Should be upgraded to a MaterialIconToggle successfully', function () {
var el = document.createElement('div');
el.innerHTML = '<input type="checkbox" class="wsk-icon-toggle__input">';
componentHandler.upgradeElement(el, 'MaterialIconToggle');
expect($(el)).to.have.data('upgraded', ',MaterialIconToggle');
});
});
|
Update MaterialIconToggle unit test with chai-jquery
|
Update MaterialIconToggle unit test with chai-jquery
|
JavaScript
|
apache-2.0
|
hassanabidpk/material-design-lite,yonjar/material-design-lite,LuanNg/material-design-lite,coraxster/material-design-lite,hebbet/material-design-lite,snice/material-design-lite,i9-Technologies/material-design-lite,craicoverflow/material-design-lite,Saber-Kurama/material-design-lite,pedroha/material-design-lite,it-andy-hou/material-design-lite,AliMD/material-design-lite,lahmizzar/material-design-lite,AntonGulkevich/material-design-lite,andyyou/material-design-lite,kidGodzilla/material-design-lite,hcxiong/material-design-lite,ananthmysore/material-design-lite,craicoverflow/material-design-lite,achalv/material-design-lite,ovaskevich/material-design-lite,yinxufeng/material-design-lite,shairez/material-design-lite,victorhaggqvist/material-design-lite,nickretallack/material-design-lite,schobiwan/material-design-lite,NaveenNs123/material-design-lite,stevenliuit/material-design-lite,paulirish/material-design-lite,jvkops/material-design-lite,narendrashetty/material-design-lite,ArmendGashi/material-design-lite,paulirish/material-design-lite,innovand/material-design-lite,nandollorella/material-design-lite,stevenliuit/material-design-lite,shairez/material-design-lite,praveenscience/material-design-lite,rschmidtz/material-design-lite,two9seven/material-design-lite,hebbet/material-design-lite,hsnunes/material-design-lite,hcxiong/material-design-lite,rmccutcheon/material-design-lite,stealba/mdl,puncoz/material-design-lite,pj19060/material-design-lite,mayhem-ahmad/material-design-lite,achalv/material-design-lite,citypeople/material-design-lite,haapanen/material-design-lite,joyouscob/material-design-lite,thunsaker/material-design-lite,BrUn3y/material-design-lite,silvolu/material-design-lite,vrajakishore/material-design-lite,iamrudra/material-design-lite,mdixon47/material-design-lite,yongxu/material-design-lite,palimadra/material-design-lite,marekswiecznik/material-design-lite,fjvalencian/material-design-lite,manisoni28/material-design-lite,danbenn93/material-design-lite,lintangarief/material-design-lite,koddsson/material-design-lite,gwokudasam/material-design-lite,leeleo26/material-design-lite,NaveenNs123/material-design-lite,hobbyquaker/material-design-lite,TejaSedate/material-design-lite,serdimoa/material-design-lite,Heart2009/material-design-lite,andrect/material-design-lite,zckrs/material-design-lite,gbn972/material-design-lite,modulexcite/material-design-lite,gaurav1981/material-design-lite,Ycfx/material-design-lite,Kushmall/material-design-lite,l0rd0fwar/material-design-lite,anton-kachurin/material-components-web,manohartn/material-design-lite,Ninir/material-design-lite,ProfNandaa/material-design-lite,ojengwa/material-design-lite,ZNosX/material-design-lite,nikhil2kulkarni/material-design-lite,tornade0913/material-design-lite,erickacevedor/material-design-lite,NicolasJEngler/material-design-lite,martnga/material-design-lite,tangposmarvin/material-design-lite,ForsakenNGS/material-design-lite,milkcreation/material-design-lite,l0rd0fwar/material-design-lite,Kabele/material-design-lite,rtoya/material-design-lite,lebas/material-design-lite,jbnicolai/material-design-lite,mikepuerto/material-design-lite,milkcreation/material-design-lite,hassanabidpk/material-design-lite,palimadra/material-design-lite,udhayam/material-design-lite,pierr/material-design-lite,Messi10AP/material-design-lite,coraxster/material-design-lite,gaurav1981/material-design-lite,devbeta/material-design-lite,NaokiMiyata/material-design-lite,Jonekee/material-design-lite,zckrs/material-design-lite,icdev/material-design-lite,wendaleruan/material-design-lite,2947721120/material-design-lite,lawhump/material-design-lite,libinbensin/material-design-lite,quannt/material-design-lite,SeasonFour/material-design-lite,odin3/material-design-lite,manohartn/material-design-lite,tornade0913/material-design-lite,levonter/material-design-lite,srinivashappy/material-design-lite,Franklin-vaz/material-design-lite,yonjar/material-design-lite,andrewpetrovic/material-design-lite,tradeserve/material-design-lite,DigitalCoder/material-design-lite,Endika/material-design-lite,ctuwuzida/material-design-lite,rogerhu/material-design-lite,gabimanea/material-design-lite,nickretallack/material-design-lite,ananthmysore/material-design-lite,eidehua/material-design-lite,sindhusrao/material-design-lite,domingossantos/material-design-lite,AntonGulkevich/material-design-lite,afvieira/material-design-lite,lebas/material-design-lite,bendroid/material-design-lite,nikhil2kulkarni/material-design-lite,jahnaviancha/material-design-lite,warshanks/material-design-lite,shardul-cr7/DazlingCSS,devbeta/material-design-lite,Ubynano/material-design-lite,unya-2/material-design-lite,joyouscob/material-design-lite,alitedi/material-design-lite,ahmadhmoud/material-design-lite,suman28/material-design-lite,ovaskevich/material-design-lite,fernandoPalaciosGit/material-design-lite,fernandoPalaciosGit/material-design-lite,ObviouslyGreen/material-design-lite,jjj117/material-design-lite,rawrsome/material-design-lite,b-cuts/material-design-lite,glizer/material-design-lite,FredrikAppelros/material-design-lite,Creepypastas/material-design-lite,material-components/material-components-web,JonFerrera/material-design-lite,JacobDorman/material-design-lite,serdimoa/material-design-lite,chinovian/material-design-lite,GilFewster/material-design-lite,ThiagoGarciaAlves/material-design-lite,gwokudasam/material-design-lite,imskojs/material-design-lite,rrenwick/material-design-lite,mailtoharshit/material-design-lite,eboominathan/material-design-lite,wengqi/material-design-lite,alisterlf/material-design-lite,zeroxfire/material-design-lite,pedroha/material-design-lite,samthor/material-design-lite,afonsopacifer/material-design-lite,glebm/material-design-lite,ebulay/material-design-lite,WeRockStar/material-design-lite,vluong/material-design-lite,kamilik26/material-design-lite,two9seven/material-design-lite,urandu/material-design-lite,JonReppDoneD/google-material-design-lite,jvkops/material-design-lite,odin3/material-design-lite,sangupandi/material-design-lite,wilsson/material-design-lite,anton-kachurin/material-components-web,abhishekgahlot/material-design-lite,chaimanat/material-design-lite,ProgLan/material-design-lite,weiwei695/material-design-lite,chalermporn/material-design-lite,yongxu/material-design-lite,billychappell/material-design-lite,codeApeFromChina/material-design-lite,s4050855/material-design-lite,Kekanto/material-design-lite,Frankistan/material-design-lite,DigitalCoder/material-design-lite,sraskin/material-design-lite,thechampanurag/material-design-lite,callumlocke/material-design-lite,sindhusrao/material-design-lite,KageKirin/material-design-lite,alihalabyah/material-design-lite,urandu/material-design-lite,razchiriac/material-design-lite,warshanks/material-design-lite,marlcome/material-design-lite,fizzvr/material-design-lite,eidehua/material-design-lite,CreevDesign/material-design-lite,wendaleruan/material-design-lite,ojengwa/material-design-lite,Daiegon/material-design-lite,pierr/material-design-lite,yamingd/material-design-lite,hanachin/material-design-lite,ithinkihaveacat/material-design-lite,WritingPanda/material-design-lite,Treevil/material-design-lite,davidjahns/material-design-lite,fizzvr/material-design-lite,Zagorakiss/material-design-lite,thanhnhan2tn/material-design-lite,miragshin/material-design-lite,tangposmarvin/material-design-lite,GilFewster/material-design-lite,youknow0709/material-design-lite,BrUn3y/material-design-lite,JonFerrera/material-design-lite,google/material-design-lite,Zagorakiss/material-design-lite,xiezhe/material-design-lite,elizad/material-design-lite,ilovezy/material-design-lite,rschmidtz/material-design-lite,ThiagoGarciaAlves/material-design-lite,katchoua/material-design-lite,marekswiecznik/material-design-lite,ElvisMoVi/material-design-lite,ProfNandaa/material-design-lite,AliMD/material-design-lite,listatt/material-design-lite,Treevil/material-design-lite,b-cuts/material-design-lite,howtomake/material-design-lite,howtomake/material-design-lite,levonter/material-design-lite,nakamuraagatha/material-design-lite,eboominathan/material-design-lite,mdixon47/material-design-lite,billychappell/material-design-lite,afonsopacifer/material-design-lite,gshireesh/material-design-lite,shoony86/material-design-lite,yinxufeng/material-design-lite,tradeserve/material-design-lite,voumir/material-design-lite,dgash/material-design-lite,egobrightan/material-design-lite,ston380/material-design-lite,dgrubelic/material-design-lite,SeasonFour/material-design-lite,puncoz/material-design-lite,rtoya/material-design-lite,marlcome/material-design-lite,WebRTL/material-design-lite-rtl,elizad/material-design-lite,pauloedspinho20/material-design-lite,bendroid/material-design-lite,bruninja/material-design-lite,nakamuraagatha/material-design-lite,youknow0709/material-design-lite,ChipCastleDotCom/material-design-lite,mibcadet/material-design-lite,huoxudong125/material-design-lite,KMikhaylovCTG/material-design-lite,mlc0202/material-design-lite,tomatau/material-design-lite,udhayam/material-design-lite,thechampanurag/material-design-lite,Endika/material-design-lite,andrewpetrovic/material-design-lite,diegodsgarcia/material-design-lite,zlotas/material-design-lite,Sahariar/material-design-lite,Kabele/material-design-lite,tahaipek/material-design-lite,kenlojt/material-design-lite,glebm/material-design-lite,afvieira/material-design-lite,sejr/material-design-lite,rogerhu/material-design-lite,gs-akhan/material-design-lite,sylvesterwillis/material-design-lite,wonder-coders/material-design-lite,kwangkim/material-design-lite,stevewithington/material-design-lite,chaimanat/material-design-lite,kamilik26/material-design-lite,mweimerskirch/material-design-lite,david84/material-design-lite,scrapp-uk/material-design-lite,material-components/material-components-web,gabimanea/material-design-lite,garylgh/material-design-lite,Frankistan/material-design-lite,WritingPanda/material-design-lite,wilsson/material-design-lite,ilovezy/material-design-lite,Heart2009/material-design-lite,TejaSedate/material-design-lite,egobrightan/material-design-lite,listatt/material-design-lite,DeXterMarten/material-design-lite,lucianna/material-design-lite,tschiela/material-design-lite,ForsakenNGS/material-design-lite,alanpassos/material-design-lite,codephillip/material-design-lite,xumingjie1658/material-design-lite,sbrieuc/material-design-lite,jackielii/material-design-lite,qiujuer/material-design-lite,fchuks/material-design-lite,kidGodzilla/material-design-lite,jorgeucano/material-design-lite,Mararesliu/material-design-lite,genmacg/material-design-lite,mroell/material-design-lite,citypeople/material-design-lite,iamrudra/material-design-lite,NaokiMiyata/material-design-lite,haapanen/material-design-lite,killercup/material-design-lite,stealba/mdl,rohanthacker/material-design-lite,KMikhaylovCTG/material-design-lite,praveenscience/material-design-lite,gs-akhan/material-design-lite,chinovian/material-design-lite,jorgeucano/material-design-lite,youprofit/material-design-lite,scrapp-uk/material-design-lite,Jonekee/material-design-lite,peiche/material-design-lite,Yizhachok/material-components-web,poljeff/material-design-lite,marc-f/material-design-lite,timkrins/material-design-lite,lawhump/material-design-lite,huoxudong125/material-design-lite,ahmadhmoud/material-design-lite,rkmax/material-design-lite,qiujuer/material-design-lite,pudgereyem/material-design-lite,ElvisMoVi/material-design-lite,gxcnupt08/material-design-lite,zeroxfire/material-design-lite,ganglee/material-design-lite,dylannnn/material-design-lite,ithinkihaveacat/material-design-lite,hanachin/material-design-lite,srinivashappy/material-design-lite,tomatau/material-design-lite,ganglee/material-design-lite,lijanele/material-design-lite,koddsson/material-design-lite,leeleo26/material-design-lite,JuusoV/material-design-lite,jackielii/material-design-lite,nandollorella/material-design-lite,zlotas/material-design-lite,alitedi/material-design-lite,dMagsAndroid/material-design-lite,rrenwick/material-design-lite,samccone/material-design-lite,CreevDesign/material-design-lite,Zodiase/material-design-lite,ominux/material-design-lite,Ninir/material-design-lite,UmarMughal/material-design-lite,Creepypastas/material-design-lite,xdissent/material-design-lite,tschiela/material-design-lite,miragshin/material-design-lite,Franklin-vaz/material-design-lite,dMagsAndroid/material-design-lite,alisterlf/material-design-lite,2947721120/material-design-lite,chinasb/material-design-lite,vluong/material-design-lite,rvanmarkus/material-design-lite,samthor/material-design-lite,abhishekgahlot/material-design-lite,DCSH2O/material-design-lite,katchoua/material-design-lite,mike-north/material-design-lite,hdolinski/material-design-lite,daviddenbigh/material-design-lite,mroell/material-design-lite,samccone/material-design-lite,ryancford/material-design-lite,Ubynano/material-design-lite,imskojs/material-design-lite,jjj117/material-design-lite,Yizhachok/material-components-web,ominux/material-design-lite,razchiriac/material-design-lite,xumingjie1658/material-design-lite,poljeff/material-design-lite,jahnaviancha/material-design-lite,callumlocke/material-design-lite,material-components/material-components-web,Daiegon/material-design-lite,Kekanto/material-design-lite,pgbross/material-components-web,dylannnn/material-design-lite,daviddenbigh/material-design-lite,luisbrito/material-design-lite,sraskin/material-design-lite,StephanieMak/material-design-lite,schobiwan/material-design-lite,johannchen/material-design-lite,hsnunes/material-design-lite,rvanmarkus/material-design-lite,trendchaser4u/material-design-lite,kwangkim/material-design-lite,glizer/material-design-lite,fonai/material-design-lite,icdev/material-design-lite,DCSH2O/material-design-lite,pandoraui/material-design-lite,MuZT3/material-design-lite,francisco-filho/material-design-lite,rohanthacker/material-design-lite,Ycfx/material-design-lite,modulexcite/material-design-lite,hdolinski/material-design-lite,luisbrito/material-design-lite,bruninja/material-design-lite,basicsharp/material-design-lite,xiezhe/material-design-lite,bright-sparks/material-design-lite,tvoli/material-design-zero,chunwei/material-design-lite,wonder-coders/material-design-lite,libinbensin/material-design-lite,suman28/material-design-lite,fonai/material-design-lite,FredrikAppelros/material-design-lite,danbenn93/material-design-lite,ebulay/material-design-lite,peterblazejewicz/material-design-lite,Mannaio/javascript-course,pauloedspinho20/material-design-lite,weiwei695/material-design-lite,lucianna/material-design-lite,leomiranda92/material-design-lite,voumir/material-design-lite,lahmizzar/material-design-lite,shoony86/material-design-lite,davidjahns/material-design-lite,mike-north/material-design-lite,unya-2/material-design-lite,Victorgichohi/material-design-lite,OoNaing/material-design-lite,hairychris/material-design-lite,rawrsome/material-design-lite,andrect/material-design-lite,wengqi/material-design-lite,LuanNg/material-design-lite,mattbutlar/mattbutlar.github.io,hobbyquaker/material-design-lite,coreyaus/material-design-lite,Mannaio/javascript-course,MuZT3/material-design-lite,WebRTL/material-design-lite-rtl,fjvalencian/material-design-lite,KageKirin/material-design-lite,gbn972/material-design-lite,quannt/material-design-lite,lijanele/material-design-lite,vrajakishore/material-design-lite,jermspeaks/material-design-lite,genmacg/material-design-lite,diegodsgarcia/material-design-lite,it-andy-hou/material-design-lite,victorhaggqvist/material-design-lite,ObviouslyGreen/material-design-lite,OoNaing/material-design-lite,sejr/material-design-lite,bright-sparks/material-design-lite,manisoni28/material-design-lite,fhernandez173/material-design-lite,snice/material-design-lite,ArmendGashi/material-design-lite,cbmeeks/material-design-lite,i9-Technologies/material-design-lite,innovand/material-design-lite,vladikoff/material-design-lite,WeRockStar/material-design-lite,JacobDorman/material-design-lite,Vincent2015/material-design-lite,xdissent/material-design-lite,mweimerskirch/material-design-lite,pgbross/material-components-web,garylgh/material-design-lite,johannchen/material-design-lite,mikepuerto/material-design-lite,ryancford/material-design-lite,hairychris/material-design-lite,DeXterMarten/material-design-lite,rkmax/material-design-lite,thunsaker/material-design-lite,codephillip/material-design-lite,ctuwuzida/material-design-lite,yamingd/material-design-lite,fhernandez173/material-design-lite,Messi10AP/material-design-lite,chunwei/material-design-lite,stevewithington/material-design-lite,cbmeeks/material-design-lite,codeApeFromChina/material-design-lite,sylvesterwillis/material-design-lite,vasiliy-pdk/material-design-lite,basicsharp/material-design-lite,silvolu/material-design-lite,pandoraui/material-design-lite,tainanboy/material-design-lite,mlc0202/material-design-lite,tainanboy/material-design-lite,sangupandi/material-design-lite,timkrins/material-design-lite,EllieAdam/material-design-lite,MaxvonStein/material-design-lite,alihalabyah/material-design-lite,domingossantos/material-design-lite,peiche/material-design-lite,pudgereyem/material-design-lite,Vincent2015/material-design-lite,s4050855/material-design-lite,erickacevedor/material-design-lite,martnga/material-design-lite,Kushmall/material-design-lite,WPG/material-design-lite,tvoli/material-design-zero,ProgLan/material-design-lite,Wyvan/material-design-lite,pj19060/material-design-lite,EllieAdam/material-design-lite,ZNosX/material-design-lite,tahaipek/material-design-lite,MaxvonStein/material-design-lite,mayhem-ahmad/material-design-lite,lintangarief/material-design-lite,rmccutcheon/material-design-lite,Mararesliu/material-design-lite,gshireesh/material-design-lite,chinasb/material-design-lite,Zodiase/material-design-lite,francisco-filho/material-design-lite,mibcadet/material-design-lite,alanpassos/material-design-lite,marc-f/material-design-lite,google/material-design-lite,narendrashetty/material-design-lite,youprofit/material-design-lite,JuusoV/material-design-lite,gxcnupt08/material-design-lite,StephanieMak/material-design-lite,dgash/material-design-lite,killercup/material-design-lite,vasiliy-pdk/material-design-lite,Victorgichohi/material-design-lite,fchuks/material-design-lite,Saber-Kurama/material-design-lite,Wyvan/material-design-lite,UmarMughal/material-design-lite,sbrieuc/material-design-lite,kenlojt/material-design-lite,vladikoff/material-design-lite,jbnicolai/material-design-lite,mailtoharshit/material-design-lite,ston380/material-design-lite,jermspeaks/material-design-lite,leomiranda92/material-design-lite,WPG/material-design-lite,andyyou/material-design-lite,peterblazejewicz/material-design-lite,chalermporn/material-design-lite,dgrubelic/material-design-lite,JonReppDoneD/google-material-design-lite,ChipCastleDotCom/material-design-lite,shardul-cr7/DazlingCSS,david84/material-design-lite,Sahariar/material-design-lite,trendchaser4u/material-design-lite,NicolasJEngler/material-design-lite,coreyaus/material-design-lite,thanhnhan2tn/material-design-lite
|
bdd1d8705399c1c9272499a300a3bc869717ef04
|
request-builder.js
|
request-builder.js
|
'use strict';
const _ = require('underscore');
function buildSlots(slots) {
const res = {};
_.each(slots, (value, key) => {
if ( _.isString(value)) {
res[key] = {
name: key,
value: value
};
} else {
res[key] = {
name: key,
...value
};
}
});
return res;
}
function buildSession(e) {
return e ? e.sessionAttributes : {};
}
function init(options) {
let isNew = true;
// public API
const api = {
init,
build
};
function build(intentName, slots, prevEvent) {
if (!options.appId) throw String('AppId not specified. Please run events.init(appId) before building a Request');
const res = { // override more stuff later as we need
session: {
sessionId: options.sessionId,
application: {
applicationId: options.appId
},
attributes: buildSession(prevEvent),
user: {
userId: options.userId,
accessToken: options.accessToken
},
new: isNew
},
request: {
type: 'IntentRequest',
requestId: options.requestId,
locale: options.locale,
timestamp: (new Date()).toISOString(),
intent: {
name: intentName,
slots: buildSlots(slots)
}
},
version: '1.0'
};
isNew = false;
return res;
}
return api;
}
module.exports = {init};
|
'use strict';
const _ = require('underscore');
function buildSlots(slots) {
const res = {};
_.each(slots, (value, key) => {
if ( _.isString(value)) {
res[key] = {
name: key,
value: value
};
} else {
res[key] = {
...value,
name: key
};
}
});
return res;
}
function buildSession(e) {
return e ? e.sessionAttributes : {};
}
function init(options) {
let isNew = true;
// public API
const api = {
init,
build
};
function build(intentName, slots, prevEvent) {
if (!options.appId) throw String('AppId not specified. Please run events.init(appId) before building a Request');
const res = { // override more stuff later as we need
session: {
sessionId: options.sessionId,
application: {
applicationId: options.appId
},
attributes: buildSession(prevEvent),
user: {
userId: options.userId,
accessToken: options.accessToken
},
new: isNew
},
request: {
type: 'IntentRequest',
requestId: options.requestId,
locale: options.locale,
timestamp: (new Date()).toISOString(),
intent: {
name: intentName,
slots: buildSlots(slots)
}
},
version: '1.0'
};
isNew = false;
return res;
}
return api;
}
module.exports = {init};
|
Make sure to keep the property 'name'
|
Make sure to keep the property 'name'
|
JavaScript
|
mit
|
ExpediaDotCom/alexa-conversation
|
819ba6bfb8cb4b8a329520a09c05abf276e12148
|
src/buildScripts/nodeServer.js
|
src/buildScripts/nodeServer.js
|
"use strict";
/* eslint-disable no-console */
/* eslint-disable import/default */
var chalk = require('chalk');
var app = require('../app.js'); // This initializes the Express application
var config = require('../../config.js');
var port = config.port || 5000;
var server = app.listen(port, err => {
if (err) {
console.log(chalk.red(err));
} else {
console.log(chalk.green('Server listening on port'), chalk.blue(port));
}
});
module.exports = server;
|
"use strict";
/* eslint-disable no-console */
/* eslint-disable import/default */
var chalk = require('chalk');
var app = require('../app.js'); // This initializes the Express application
// var config = require('../../config.js');
var port = process.env.PORT || 5000;
var server = app.listen(port, err => {
if (err) {
console.log(chalk.red(err));
} else {
console.log(chalk.green('Server listening on port'), chalk.blue(port));
}
});
module.exports = server;
|
Move npm dotenv to dependencies instead of dev-dependencies
|
app(env): Move npm dotenv to dependencies instead of dev-dependencies
|
JavaScript
|
mit
|
zklinger2000/fcc-heroku-rest-api
|
cd3b959d10b8ac8c8011715a7e8cd3308f366cb2
|
js/scripts.js
|
js/scripts.js
|
var pingPong = function(i) {
if ((i % 3 === 0) && (i % 5 != 0)) {
return "ping";
} else if ((i % 5 === 0) && (i % 6 != 0)) {
return "pong";
} else if ((i % 3 === 0) && (i % 5 === 0)) {
return "ping pong";
} else {
return false;
}
};
$(function() {
$("#game").submit(function(event) {
$('#outputList').empty();
var number = parseInt($("#userNumber").val());
for (var i = 1; i <= number; i += 1) {
if (i % 15 === 0) {
$('#outputList').append("<li>ping pong</li>");
} else if ((winner) && (i % 5 != 0)) {
$('#outputList').append("<li>ping</li>");
} else if ((winner) && (i % 3 != 0)) {
$('#outputList').append("<li>pong</li>");
} else {
$('#outputList').append("<li>" + i + "</li>");
}
}
event.preventDefault();
});
});
|
var pingPong = function(i) {
if ((i % 5 === 0) || (i % 3 === 0)) {
return true;
} else {
return false;
}
};
$(function() {
$("#game").submit(function(event) {
$('#outputList').empty();
var number = parseInt($("#userNumber").val());
for (var i = 1; i <= number; i += 1) {
if (i % 15 === 0) {
$('#outputList').append("<li>ping pong</li>");
} else if (i % 3 === 0) {
$('#outputList').append("<li>ping</li>");
} else if (i % 5 === 0) {
$('#outputList').append("<li>pong</li>");
} else {
$('#outputList').append("<li>" + i + "</li>");
}
}
event.preventDefault();
});
});
|
Change spec test back to true/false, rewrite loop for better clarity of changes
|
Change spec test back to true/false, rewrite loop for better clarity of changes
|
JavaScript
|
mit
|
kcmdouglas/pingpong,kcmdouglas/pingpong
|
ef7450d5719b591b4517c9e107afe142de4246a8
|
test/test-config.js
|
test/test-config.js
|
var BATCH_API_ENDPOINT = 'http://127.0.0.1:8080/api/v1/sql/job';
module.exports = {
db: {
host: 'localhost',
port: 5432,
dbname: 'analysis_api_test_db',
user: 'postgres',
pass: ''
},
batch: {
endpoint: BATCH_API_ENDPOINT,
username: 'localhost',
apiKey: 1234
}
};
|
'use strict';
var BATCH_API_ENDPOINT = 'http://127.0.0.1:8080/api/v1/sql/job';
function create (override) {
override = override || {
db: {},
batch: {}
};
override.db = override.db || {};
override.batch = override.batch || {};
return {
db: defaults(override.db, {
host: 'localhost',
port: 5432,
dbname: 'analysis_api_test_db',
user: 'postgres',
pass: ''
}),
batch: defaults(override.batch, {
endpoint: BATCH_API_ENDPOINT,
username: 'localhost',
apiKey: 1234
})
};
}
function defaults (obj, def) {
Object.keys(def).forEach(function(key) {
if (!obj.hasOwnProperty(key)) {
obj[key] = def[key];
}
});
return obj;
}
module.exports = create();
module.exports.create = create;
|
Allow to create test config with overrided options
|
Allow to create test config with overrided options
|
JavaScript
|
bsd-3-clause
|
CartoDB/camshaft
|
9a4c99a0f8ff0076c4803fe90d904ca4a8f8f05e
|
karma.conf.js
|
karma.conf.js
|
module.exports = function(config) {
config.set({
frameworks: ['mocha'],
browsers: ['Firefox', 'PhantomJS'],
files: [require.resolve('es5-shim'), 'build/test.js'],
reporters: ['dots']
});
if (process.env.CI && process.env.SAUCE_ACCESS_KEY) {
var customLaunchers = {
sauceLabsFirefox: {
base: 'SauceLabs',
browserName: 'firefox'
},
sauceLabsChrome: {
base: 'SauceLabs',
browserName: 'chrome'
},
sauceLabsIE11: {
base: 'SauceLabs',
browserName: 'internet explorer',
version: 11
},
sauceLabsIE10: {
base: 'SauceLabs',
browserName: 'internet explorer',
version: 10
},
sauceLabsIE9: {
base: 'SauceLabs',
browserName: 'internet explorer',
version: 9
},
sauceLabsIE8: {
base: 'SauceLabs',
browserName: 'internet explorer',
version: 8
}
};
config.set({
browsers: Object.keys(customLaunchers),
reporters: ['dots', 'saucelabs'],
captureTimeout: 120000,
sauceLabs: {
testName: 'Loud'
},
customLaunchers: customLaunchers
});
}
};
|
module.exports = function(config) {
config.set({
frameworks: ['mocha'],
browsers: ['Firefox', 'PhantomJS'],
files: [require.resolve('es5-shim'), 'build/test.js'],
reporters: ['dots']
});
if (process.env.CI && process.env.SAUCE_ACCESS_KEY) {
var customLaunchers = {
sauceLabsFirefox: {
base: 'SauceLabs',
browserName: 'firefox'
},
sauceLabsChrome: {
base: 'SauceLabs',
browserName: 'chrome'
}
};
config.set({
browsers: Object.keys(customLaunchers),
reporters: ['dots', 'saucelabs'],
captureTimeout: 120000,
sauceLabs: {
testName: 'Loud'
},
customLaunchers: customLaunchers
});
}
};
|
Revert "Test in Internet Explorer in SauceLabs"
|
Revert "Test in Internet Explorer in SauceLabs"
This reverts commit c65a817bf6dad9c9610baa00bf8d8d3143e9822e.
|
JavaScript
|
mit
|
ruslansagitov/loud
|
1a77bdfc1cd0106d2a0c9813f41c86e0ed6bd677
|
frontend/src/app/users/components/detail/Record.js
|
frontend/src/app/users/components/detail/Record.js
|
import React from "react";
import moment from "moment";
class Record extends React.Component {
render() {
const {record} = this.props;
return (
<dl className="dl-horizontal">
<dt className="text-muted">Id</dt>
<dd>{record.id}</dd>
<dt className="text-muted">First Name</dt>
<dd>{record.first_name}</dd>
<dt className="text-muted">Last Name</dt>
<dd>{record.last_name}</dd>
<dt className="text-muted">Email</dt>
<dd><a href={`mailto:${record.email}`}>{record.email}</a></dd>
<dt className="text-muted">Date Joined</dt>
<dd>{moment(record.date_joined).format('dddd MMMM Do YYYY, h:mm A')}</dd>
<dt className="text-muted">Last Login</dt>
<dd>{moment(record.last_login).format('dddd MMMM Do YYYY, h:mm A')}</dd>
</dl>
);
}
}
export default Record;
|
import React from "react";
import moment from "moment";
class Record extends React.Component {
render() {
const {record} = this.props;
return (
<dl className="dl-horizontal">
<dt className="text-muted">Id</dt>
<dd>{record.id}</dd>
<dt className="text-muted">First Name</dt>
<dd>{record.first_name}</dd>
<dt className="text-muted">Last Name</dt>
<dd>{record.last_name}</dd>
<dt className="text-muted">Email</dt>
<dd><a href={`mailto:${record.email}`}>{record.email}</a></dd>
<dt className="text-muted">Date Joined</dt>
<dd>{moment(record.date_joined).format('ddd. MMM. Do YYYY, h:mm A')}</dd>
<dt className="text-muted">Last Login</dt>
<dd>{moment(record.last_login).format('ddd. MMM. Do YYYY, h:mm A')}</dd>
</dl>
);
}
}
export default Record;
|
Use short format when displaying dates on user record
|
Use short format when displaying dates on user record
|
JavaScript
|
mit
|
scottwoodall/django-react-template,scottwoodall/django-react-template,scottwoodall/django-react-template
|
fb92f710ead91a13d0bfa466b195e4e8ea975679
|
lib/formats/json/parser.js
|
lib/formats/json/parser.js
|
var Spec02 = require("../../specs/spec_0_2.js");
const spec02 = new Spec02();
function JSONParser(_spec) {
this.spec = (_spec) ? _spec : new Spec02();
}
/**
* Level 0 of validation: is that string? is that JSON?
*/
function validate_and_parse_as_json(payload) {
var json = payload;
if(payload) {
if( (typeof payload) == "string"){
try {
json = JSON.parse(payload);
}catch(e) {
throw {message: "invalid json payload", errors: e};
}
} else if( (typeof payload) != "object"){
// anything else
throw {message: "invalid payload type, allowed are: string or object"};
}
} else {
throw {message: "null or undefined payload"};
}
return json;
}
/*
* Level 1 of validation: is that follow a spec?
*/
function validate_spec(payload, spec) {
// is that follow the spec?
spec.check(payload);
return payload;
}
JSONParser.prototype.parse = function(payload) {
// Level 0 of validation: is that string? is that JSON?
var valid0 = validate_and_parse_as_json(payload);
// Level 1 of validation: is that follow a spec?
var valid1 = validate_spec(valid0, this.spec);
return valid1;
}
module.exports = JSONParser;
|
function JSONParser() {
}
/**
* Level 0 of validation: is that string? is that JSON?
*/
function validate_and_parse_as_json(payload) {
var json = payload;
if(payload) {
if( (typeof payload) == "string"){
try {
json = JSON.parse(payload);
}catch(e) {
throw {message: "invalid json payload", errors: e};
}
} else if( (typeof payload) != "object"){
// anything else
throw {message: "invalid payload type, allowed are: string or object"};
}
} else {
throw {message: "null or undefined payload"};
}
return json;
}
/*
* Level 1 of validation: is that follow a spec?
*/
function validate_spec(payload, spec) {
// is that follow the spec?
spec.check(payload);
return payload;
}
JSONParser.prototype.parse = function(payload) {
//is that string? is that JSON?
var valid = validate_and_parse_as_json(payload);
return valid;
}
module.exports = JSONParser;
|
Remove the responsability of spec checking
|
Remove the responsability of spec checking
Signed-off-by: Fabio José <[email protected]>
|
JavaScript
|
apache-2.0
|
cloudevents/sdk-javascript,cloudevents/sdk-javascript
|
d04acd77fc9ac2d911bcaf36e4714ec141645371
|
lib/server/routefactory.js
|
lib/server/routefactory.js
|
'use strict';
module.exports = function RouteFactory(options) {
return ([
require('./routes/credits'),
require('./routes/debits'),
require('./routes/users'),
require('./routes/graphql'),
require('./routes/referrals')
]).map(function(Router) {
return Router({
config: options.config,
network: options.network,
storage: options.storage,
mailer: options.mailer,
contracts: options.contracts
}).getEndpointDefinitions();
}).reduce(function(set1, set2) {
return set1.concat(set2);
}, []);
};
|
'use strict';
module.exports = function RouteFactory(options) {
return ([
require('./routes/credits'),
require('./routes/debits'),
require('./routes/users'),
require('./routes/graphql'),
require('./routes/referrals'),
require('./routes/marketing')
]).map(function(Router) {
return Router({
config: options.config,
network: options.network,
storage: options.storage,
mailer: options.mailer,
contracts: options.contracts
}).getEndpointDefinitions();
}).reduce(function(set1, set2) {
return set1.concat(set2);
}, []);
};
|
Add marketing route to factory
|
Add marketing route to factory
|
JavaScript
|
agpl-3.0
|
bryanchriswhite/billing,bryanchriswhite/billing
|
ac05b52e7fbaeef5d6e09d5552da0f4a4fe17e7f
|
palette/js/picker-main.js
|
palette/js/picker-main.js
|
(function( window, document, undefined ) {
'use strict';
var hslEl = document.createElement( 'div' );
hslEl.classList.add( 'hsl' );
document.body.appendChild( hslEl );
window.addEventListener( 'mousemove', function( event ) {
var x = event.pageX,
y = event.pageY;
var h = x / window.innerWidth * 360,
s = ( window.innerHeight - y ) / window.innerHeight * 100,
l = 50;
var hsl = 'hsl(' +
Math.round( h ) + ', ' +
Math.round( s ) + '%, ' +
Math.round( l ) + '%)';
document.body.style.backgroundColor = hsl;
hslEl.textContent = hsl;
});
}) ( window, document );
|
(function( window, document, undefined ) {
'use strict';
function clamp( value, min, max ) {
return Math.min( Math.max( value, min ), max );
}
var hslEl = document.createElement( 'div' );
hslEl.classList.add( 'hsl' );
document.body.appendChild( hslEl );
var h = 0,
s = 50,
l = 50;
function update() {
var hsl = 'hsl(' +
Math.round( h ) + ', ' +
Math.round( s ) + '%, ' +
Math.round( l ) + '%)';
document.body.style.backgroundColor = hsl;
hslEl.textContent = hsl;
}
window.addEventListener( 'mousemove', function( event ) {
var x = event.pageX,
y = event.pageY;
h = x / window.innerWidth * 360;
s = ( window.innerHeight - y ) / window.innerHeight * 100;
update();
});
window.addEventListener( 'wheel', function( event ) {
event.preventDefault();
l = clamp( l - event.deltaY, 0, 100 );
update();
});
update();
}) ( window, document );
|
Use mouse wheel to control HSL lightness.
|
palette[picker]: Use mouse wheel to control HSL lightness.
|
JavaScript
|
mit
|
razh/experiments,razh/experiments,razh/experiments
|
cd8a7f8facceddf2ffa0eae165438cfa31e8044e
|
lib/config.js
|
lib/config.js
|
var nconf = require('nconf')
, path = require('path');
const defaults = {
username: "",
password: "",
guardcode: "",
twofactor: "",
sentryauth: false,
sentryfile: "",
autojoin: [],
"24hour": false,
userlistwidth: 26, // 26 characters
scrollback: 1000, // 1000 lines
ghostcheck: 5*60*1000, // 5 minutes
max_reconnect: 5, // 5 attempts
reconnect_timeout: 30*1000, // 30 seconds
reconnect_long_timeout: 10*60*1000 // 10 minutes
};
function setPath(configPath) {
nconf.file(configPath);
nconf.stores.file.store =
Object.assign({}, defaults, nconf.stores.file.store);
}
setPath(path.join(__dirname, '..', 'config.json'));
module.exports = {
set: (...args) => nconf.set(...args),
get: (...args) => nconf.get(...args),
save: (...args) => nconf.save(...args),
reload: (...args) => nconf.load(...args),
getPath: () => nconf.stores.file.file,
setPath,
isValidKey: (key) => Object.keys(defaults).includes(key)
};
|
var nconf = require('nconf')
, path = require('path');
const defaults = {
username: "",
password: "",
guardcode: "",
twofactor: "",
sentryauth: false,
sentryfile: "",
autojoin: [],
"24hour": false,
userlistwidth: 26, // 26 characters
scrollback: 1000, // 1000 lines
ghostcheck: 5*60*1000, // 5 minutes
max_reconnect: 5, // 5 attempts
reconnect_timeout: 30*1000, // 30 seconds
reconnect_long_timeout: 10*60*1000 // 10 minutes
};
module.exports = {
set: (...args) => nconf.set(...args),
get: (...args) => nconf.get(...args),
save: (...args) => nconf.save(...args),
reload: (...args) => nconf.load(...args),
getPath: () => nconf.stores.file.file,
setPath: (configPath) => {
nconf.file(configPath);
nconf.stores.file.store =
Object.assign({}, defaults, nconf.stores.file.store);
},
isValidKey: (key) => Object.keys(defaults).includes(key),
checkType: (key) => module.exports.isValidKey(key)
&& typeof(defaults[key])
};
module.exports.setPath(path.join(__dirname, '..', 'config.json'));
|
Add checkType method and prettify code
|
Add checkType method and prettify code
|
JavaScript
|
mit
|
rubyconn/steam-chat
|
4b24302999e934ad7d3cb0ad042b9d6678ed13de
|
bin/spider.js
|
bin/spider.js
|
#!/usr/local/bin/node
var options = {},
args = process.argv.slice( 0 ),
spider = require( "../index.js" );
args.splice( 0, 2 );
args.forEach( function( value ) {
var arg = value.match( /^(?:--)((?:[a-zA-Z])*)(?:=)((?:.)*)/ );
options[ arg[ 1 ] ] = arg[ 2 ];
});
spider( options, function( statusCode ) {
process.exit( statusCode );
} );
|
#!/usr/bin/env node
var options = {},
args = process.argv.slice( 0 ),
spider = require( "../index.js" );
args.splice( 0, 2 );
args.forEach( function( value ) {
var arg = value.match( /^(?:--)((?:[a-zA-Z])*)(?:=)((?:.)*)/ );
options[ arg[ 1 ] ] = arg[ 2 ];
});
spider( options, function( statusCode ) {
process.exit( statusCode );
} );
|
Fix hardcoded path to node executable
|
Fix hardcoded path to node executable
|
JavaScript
|
mit
|
arschmitz/spider.js
|
9a5547d4c754d5594d2a8f64a3cb4937642e9bb1
|
packages/strapi-hook-mongoose/lib/utils/index.js
|
packages/strapi-hook-mongoose/lib/utils/index.js
|
'use strict';
/**
* Module dependencies
*/
module.exports = mongoose => {
var Decimal = require('mongoose-float').loadType(mongoose, 2);
var Float = require('mongoose-float').loadType(mongoose, 20);
return {
convertType: mongooseType => {
switch (mongooseType.toLowerCase()) {
case 'array':
return Array;
case 'boolean':
return 'Boolean';
case 'binary':
return 'Buffer';
case 'date':
case 'datetime':
case 'time':
case 'timestamp':
return Date;
case 'decimal':
return Decimal;
case 'float':
return Float;
case 'json':
return 'Mixed';
case 'biginteger':
case 'integer':
return 'Number';
case 'uuid':
return 'ObjectId';
case 'email':
case 'enumeration':
case 'password':
case 'string':
case 'text':
return 'String';
default:
}
},
};
};
|
'use strict';
/**
* Module dependencies
*/
module.exports = mongoose => {
mongoose.Schema.Types.Decimal = require('mongoose-float').loadType(mongoose, 2);
mongoose.Schema.Types.Float = require('mongoose-float').loadType(mongoose, 20);
return {
convertType: mongooseType => {
switch (mongooseType.toLowerCase()) {
case 'array':
return Array;
case 'boolean':
return 'Boolean';
case 'binary':
return 'Buffer';
case 'date':
case 'datetime':
case 'time':
case 'timestamp':
return Date;
case 'decimal':
return 'Decimal';
case 'float':
return 'Float';
case 'json':
return 'Mixed';
case 'biginteger':
case 'integer':
return 'Number';
case 'uuid':
return 'ObjectId';
case 'email':
case 'enumeration':
case 'password':
case 'string':
case 'text':
return 'String';
default:
}
},
};
};
|
Fix mongoose float and decimal problems
|
Fix mongoose float and decimal problems
|
JavaScript
|
mit
|
wistityhq/strapi,wistityhq/strapi
|
43cd349bba9405b35b94678d03d65fe5ed7635b2
|
lib/logger.js
|
lib/logger.js
|
'use strict';
var aFrom = require('es5-ext/array/from')
, partial = require('es5-ext/function/#/partial')
, extend = require('es5-ext/object/extend-properties')
, ee = require('event-emitter')
, o;
o = ee(exports = {
init: function () {
this.msg = [];
this.passed = [];
this.errored = [];
this.failed = [];
this.started = new Date();
return this;
},
in: function (msg) {
this.msg.push(msg);
},
out: function () {
this.msg.pop();
},
log: function (type, data) {
var o = { type: type, time: new Date(), data: data, msg: aFrom(this.msg) };
this.push(o);
this[type + 'ed'].push(o);
this.emit('data', o);
},
end: function () {
this.emit('end');
}
});
o.log.partial = partial;
o.error = o.log.partial('error');
o.pass = o.log.partial('pass');
o.fail = o.log.partial('fail');
module.exports = function () {
return extend([], o).init();
};
|
'use strict';
var aFrom = require('es5-ext/array/from')
, partial = require('es5-ext/function/#/partial')
, mixin = require('es5-ext/object/mixin')
, ee = require('event-emitter')
, o;
o = ee(exports = {
init: function () {
this.msg = [];
this.passed = [];
this.errored = [];
this.failed = [];
this.started = new Date();
return this;
},
in: function (msg) {
this.msg.push(msg);
},
out: function () {
this.msg.pop();
},
log: function (type, data) {
var o = { type: type, time: new Date(), data: data, msg: aFrom(this.msg) };
this.push(o);
this[type + 'ed'].push(o);
this.emit('data', o);
},
end: function () {
this.emit('end');
}
});
o.log.partial = partial;
o.error = o.log.partial('error');
o.pass = o.log.partial('pass');
o.fail = o.log.partial('fail');
module.exports = function () {
return mixin([], o).init();
};
|
Update up to changes in es5-ext
|
Update up to changes in es5-ext
|
JavaScript
|
isc
|
medikoo/tad
|
3318df78d163ba860674899a5bcec9e8b0ef9b65
|
lib/logger.js
|
lib/logger.js
|
'use strict';
const Winston = require('winston');
function Logger(level) {
const logLevel = level || 'info';
const logger = new Winston.Logger({
level: logLevel,
transports: [
new Winston.transports.Console({
colorize: true,
timestamp: true,
json: true,
stringify: true
})
]
});
return logger;
}
exports.attach = Logger;
|
'use strict';
const Winston = require('winston');
function Logger(level) {
const logLevel = level || 'info';
const logger = new Winston.Logger({
level: logLevel,
transports: [
new Winston.transports.Console({
colorize: false,
timestamp: true,
json: true,
stringify: true
})
]
});
return logger;
}
exports.attach = Logger;
|
Set colorize to false for downstream consumers
|
Set colorize to false for downstream consumers
|
JavaScript
|
mit
|
rapid7/acs,rapid7/acs,rapid7/acs
|
4a0c00a9553977ca6c8fde6ee75eb3d3b71aae37
|
app/assets/javascripts/rawnet_admin/modules/menu.js
|
app/assets/javascripts/rawnet_admin/modules/menu.js
|
var RawnetAdmin = window.RawnetAdmin || {};
RawnetAdmin.menu = function(){
function toggleNav(link) {
var active = $('#mainNav a.active'),
target = $(link.attr('href')),
activeMenu = $('#subNav nav.active');
active.removeClass('active');
activeMenu.removeClass('active');
link.addClass('active');
target.addClass('active');
}
function openSearch() {
var search = $('#searchControl');
search.fadeIn("fast").addClass('open');
search.find('input').focus();
$(document).keyup(function(e) {
if (e.keyCode === 27) {
search.fadeOut("fast").removeClass('open');
$(document).unbind("keyup");
}else if (e.keyCode === 13) {
search.find('form').trigger('submit');
}
});
}
function init() {
var activeLink = $('#subNav a.active'),
activeMenu = activeLink.closest('nav'),
activeSelector = $('#mainNav a[href="#' + activeMenu.attr('id') + '"]');
activeMenu.addClass('active');
activeSelector.addClass('active');
$(document).on('click', '#mainNav a, #dashboardNav a', function(e) {
e.preventDefault();
toggleNav($(this));
});
$(document).on('click', '#subNav a.search', function(e) {
e.preventDefault();
openSearch();
});
}
return {
init: init
};
}();
|
var RawnetAdmin = window.RawnetAdmin || {};
RawnetAdmin.menu = function(){
function toggleNav(link) {
var active = $('#mainNav a.active'),
target = $(link.attr('href')),
activeMenu = $('#subNav nav.active');
active.removeClass('active');
activeMenu.removeClass('active');
link.addClass('active');
target.addClass('active');
}
function openSearch() {
var search = $('#searchControl');
search.fadeIn("fast").addClass('open');
search.find('input').focus();
$(document).keyup(function(e) {
if (e.keyCode === 27) {
search.fadeOut("fast").removeClass('open');
$(document).unbind("keyup");
}else if (e.keyCode === 13) {
search.find('form').trigger('submit');
}
});
}
function init() {
var activeLink = $('#subNav a.active'),
activeMenu = activeLink.closest('nav'),
activeSelector = $('#mainNav a[href="#' + activeMenu.attr('id') + '"]');
activeMenu.addClass('active');
activeSelector.addClass('active');
$(document).on('click', '#mainNav a[href^="#"], #dashboardNav a[href^="#"]', function(e) {
e.preventDefault();
toggleNav($(this));
});
$(document).on('click', '#subNav a.search', function(e) {
e.preventDefault();
openSearch();
});
}
return {
init: init
};
}();
|
Allow non-anchor links to click through normally
|
Allow non-anchor links to click through normally
|
JavaScript
|
mit
|
rawnet/rawnet-admin,rawnet/rawnet-admin,rawnet/rawnet-admin
|
773c7265e8725c87a8220c2de111c7e252becc8b
|
scripts/gen-nav.js
|
scripts/gen-nav.js
|
#!/usr/bin/env node
const path = require('path');
const proc = require('child_process');
const startCase = require('lodash.startcase');
const baseDir = process.argv[2];
const files = proc.execFileSync(
'find', [baseDir, '-type', 'f'], { encoding: 'utf8' },
).split('\n').filter(s => s !== '');
console.log('.API');
const links = files.map((file) => {
const doc = file.replace(baseDir, '');
const title = path.parse(file).name;
return {
xref: `* xref:${doc}[${startCase(title)}]`,
title,
};
});
// Case-insensitive sort based on titles (so 'token/ERC20' gets sorted as 'erc20')
const sortedLinks = links.sort(function (a, b) {
return a.title.toLowerCase().localeCompare(b.title.toLowerCase(), undefined, { numeric: true });
});
for (const link of sortedLinks) {
console.log(link.xref);
}
|
#!/usr/bin/env node
const path = require('path');
const proc = require('child_process');
const startCase = require('lodash.startcase');
const baseDir = process.argv[2];
const files = proc.execFileSync(
'find', [baseDir, '-type', 'f'], { encoding: 'utf8' },
).split('\n').filter(s => s !== '');
console.log('.API');
function getPageTitle (directory) {
if (directory === 'metatx') {
return 'Meta Transactions';
} else {
return startCase(directory);
}
}
const links = files.map((file) => {
const doc = file.replace(baseDir, '');
const title = path.parse(file).name;
return {
xref: `* xref:${doc}[${getPageTitle(title)}]`,
title,
};
});
// Case-insensitive sort based on titles (so 'token/ERC20' gets sorted as 'erc20')
const sortedLinks = links.sort(function (a, b) {
return a.title.toLowerCase().localeCompare(b.title.toLowerCase(), undefined, { numeric: true });
});
for (const link of sortedLinks) {
console.log(link.xref);
}
|
Change title of meta transactions page in docs sidebar
|
Change title of meta transactions page in docs sidebar
|
JavaScript
|
mit
|
OpenZeppelin/zeppelin-solidity,OpenZeppelin/openzeppelin-contracts,OpenZeppelin/zeppelin-solidity,OpenZeppelin/openzeppelin-contracts,OpenZeppelin/zep-solidity,OpenZeppelin/openzeppelin-contracts,OpenZeppelin/zep-solidity
|
bfd61aed0e339c4043d2045146be76cd11e2f7fd
|
.eslint-config/config.js
|
.eslint-config/config.js
|
const commonRules = require("./rules");
module.exports = {
parser: "babel-eslint",
plugins: ["react", "babel", "flowtype", "prettier", "import"],
env: {
browser: true,
es6: true,
jest: true,
node: true,
},
parserOptions: {
sourceType: "module",
ecmaFeatures: {
modules: true,
jsx: true,
},
},
settings: {
flowtype: {
onlyFilesWithFlowAnnotation: true,
},
react: {
version: "detect",
},
},
rules: Object.assign(
{},
{
"prettier/prettier": [
"error",
{
printWidth: 120,
tabWidth: 4,
useTabs: false,
semi: true,
singleQuote: false,
trailingComma: "es5",
bracketSpacing: true,
jsxBracketSameLine: true,
},
],
},
commonRules,
{ "flowtype/require-return-type": ["warn", "always", { excludeArrowFunctions: true }] }
),
};
|
const commonRules = require("./rules");
module.exports = {
parser: "babel-eslint",
plugins: ["react", "babel", "flowtype", "prettier", "import"],
env: {
browser: true,
es6: true,
jest: true,
node: true,
},
parserOptions: {
sourceType: "module",
ecmaFeatures: {
modules: true,
jsx: true,
},
},
settings: {
flowtype: {
onlyFilesWithFlowAnnotation: true,
},
react: {
version: "detect",
},
},
rules: Object.assign(
{},
{
"prettier/prettier": [
"error",
{
printWidth: 120,
tabWidth: 4,
useTabs: false,
semi: true,
singleQuote: false,
trailingComma: "es5",
bracketSpacing: true,
jsxBracketSameLine: true,
},
],
},
commonRules,
{ "flowtype/require-return-type": ["warn", "always", { excludeArrowFunctions: true }] },
{ "react/prop-types": "off" }
),
};
|
Disable prop-types rule because Flow
|
Disable prop-types rule because Flow
|
JavaScript
|
mit
|
moira-alert/web2.0,moira-alert/web2.0,moira-alert/web2.0,moira-alert/web2.0
|
ab8400331070068aec4878be59fc7861daf35d2a
|
modules/mds/src/main/resources/webapp/js/app.js
|
modules/mds/src/main/resources/webapp/js/app.js
|
(function () {
'use strict';
var mds = angular.module('mds', [
'motech-dashboard', 'entityService','instanceService', 'mdsSettingsService', 'ngCookies', 'ui.directives',
'ngRoute', 'ui.directives'
]);
$.get('../mds/available/mdsTabs').done(function(data) {
mds.constant('AVAILABLE_TABS', data);
});
mds.run(function ($rootScope, AVAILABLE_TABS) {
$rootScope.AVAILABLE_TABS = AVAILABLE_TABS;
});
mds.config(function ($routeProvider, AVAILABLE_TABS) {
angular.forEach(AVAILABLE_TABS, function (tab) {
$routeProvider.when(
'/{0}'.format(tab),
{
templateUrl: '../mds/resources/partials/{0}.html'.format(tab),
controller: '{0}Ctrl'.format(tab.capitalize())
}
);
});
$routeProvider.otherwise({
redirectTo: '/{0}'.format(AVAILABLE_TABS[0])
});
});
}());
|
(function () {
'use strict';
var mds = angular.module('mds', [
'motech-dashboard', 'entityService','instanceService', 'mdsSettingsService', 'ngCookies', 'ui.directives',
'ngRoute', 'ui.directives'
]);
$.ajax({
url: '../mds/available/mdsTabs',
success: function(data) {
mds.constant('AVAILABLE_TABS', data);
},
async: false
});
mds.run(function ($rootScope, AVAILABLE_TABS) {
$rootScope.AVAILABLE_TABS = AVAILABLE_TABS;
});
mds.config(function ($routeProvider, AVAILABLE_TABS) {
angular.forEach(AVAILABLE_TABS, function (tab) {
$routeProvider.when(
'/{0}'.format(tab),
{
templateUrl: '../mds/resources/partials/{0}.html'.format(tab),
controller: '{0}Ctrl'.format(tab.capitalize())
}
);
});
$routeProvider.otherwise({
redirectTo: '/{0}'.format(AVAILABLE_TABS[0])
});
});
}());
|
Fix ajax error while checking available tabs
|
MDS: Fix ajax error while checking available tabs
Change-Id: I4f8a4d538e59dcdb03659c7f5405c40abcdafed8
|
JavaScript
|
bsd-3-clause
|
smalecki/modules,wstrzelczyk/modules,sebbrudzinski/modules,1stmateusz/modules,sebbrudzinski/modules,ScottKimball/modules,pmuchowski/modules,mkwiatkowskisoldevelo/modules,martokarski/modules,frankhuster/modules,pgesek/modules,atish160384/modules,shubhambeehyv/modules,pmuchowski/modules,sebbrudzinski/modules,ScottKimball/modules,ngraczewski/modules,1stmateusz/modules,mkwiatkowskisoldevelo/modules,wstrzelczyk/modules,koshalt/modules,tstalka/modules,frankhuster/modules,martokarski/modules,wstrzelczyk/modules,ngraczewski/modules,koshalt/modules,koshalt/modules,frankhuster/modules,atish160384/modules,martokarski/modules,smalecki/modules,1stmateusz/modules,ngraczewski/modules,shubhambeehyv/modules,tstalka/modules,sebbrudzinski/modules,tstalka/modules,pgesek/modules,justin-hayes/modules,pmuchowski/modules,LukSkarDev/modules,ScottKimball/modules,martokarski/modules,smalecki/modules,pgesek/modules,ngraczewski/modules,atish160384/modules,tstalka/modules,justin-hayes/modules,ScottKimball/modules,shubhambeehyv/modules,LukSkarDev/modules,atish160384/modules,LukSkarDev/modules,justin-hayes/modules,frankhuster/modules,LukSkarDev/modules,shubhambeehyv/modules,justin-hayes/modules,wstrzelczyk/modules,mkwiatkowskisoldevelo/modules,1stmateusz/modules,mkwiatkowskisoldevelo/modules,pgesek/modules,koshalt/modules,pmuchowski/modules,smalecki/modules
|
10b427e9ed67937b0c09f164a518f5f408dfd050
|
reactUtils.js
|
reactUtils.js
|
/**
* React-related utilities
*/
import React from 'react';
/**
* Like React.Children.forEach(), but traverses through all descendant children.
*
* @param children Children of a React element, i.e. `elem.props.children`
* @param callback {function} A function to be run for each child; parameters passed: (child, indexOfChildInImmediateParent)
*/
export function reactChildrenForEachDeep(children, callback) {
React.Children.forEach(children, (child, i) => {
callback(child, i);
if (child.props.children) {
reactChildrenForEachDeep(child.props.children, callback);
}
});
}
|
/**
* React-related utilities
*/
import React from 'react';
/**
* Like React.Children.forEach(), but traverses through all descendant children.
*
* @param children Children of a React element, i.e. `elem.props.children`
* @param callback {forEachCallback} A function to be run for each child
*/
export function reactChildrenForEachDeep(children, callback) {
React.Children.forEach(children, (child, i) => {
callback(child, i);
if (child.props.children) {
reactChildrenForEachDeep(child.props.children, callback);
}
});
}
/**
* This callback is displayed as part of the Requester class.
*
* @callback forEachCallback
* @param {*} child The React child
* @param {number} index The index of the child in its immediate parent
* @param {number} depth The number of parents traversed to react this child (top-level children have depth === 1)
*/
|
Add inline documentation for reactChildrenForEachDeep
|
Add inline documentation for reactChildrenForEachDeep
|
JavaScript
|
mit
|
elliottsj/react-children-utils
|
24557a3b1b096e96baf8cb7e99c02f2a52181ee5
|
lib/translations/es_ES.js
|
lib/translations/es_ES.js
|
// Spanish
$.extend( $.fn.pickadate.defaults, {
monthsFull: [ 'Enero', 'Febrero', 'Marzo', 'Abril', 'Mayo', 'Junio', 'Julio', 'Agosto', 'Septiembre', 'Octubre', 'Noviembre', 'Diciembre' ],
monthsShort: [ 'Ene', 'Feb', 'Mar', 'Abr', 'May', 'Jun', 'Jul', 'Ago', 'Sep', 'Oct', 'Nov', 'Dic' ],
weekdaysFull: [ 'domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado' ],
weekdaysShort: [ 'dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sab' ],
today: 'hoy',
clear: 'borrar',
firstDay: 1,
format: 'dddd d de mmmm de yyyy',
formatSubmit: 'yyyy/mm/dd'
});
|
// Spanish
$.extend( $.fn.pickadate.defaults, {
monthsFull: [ 'Enero', 'Febrero', 'Marzo', 'Abril', 'Mayo', 'Junio', 'Julio', 'Agosto', 'Septiembre', 'Octubre', 'Noviembre', 'Diciembre' ],
monthsShort: [ 'Ene', 'Feb', 'Mar', 'Abr', 'May', 'Jun', 'Jul', 'Ago', 'Sep', 'Oct', 'Nov', 'Dic' ],
weekdaysFull: [ 'domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado' ],
weekdaysShort: [ 'dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sab' ],
today: 'hoy',
clear: 'borrar',
firstDay: 1,
format: 'dddd d De mmmm De yyyy',
formatSubmit: 'yyyy/mm/dd'
});
|
Fix 'd' problem on translation
|
Fix 'd' problem on translation
Since in spanish you use 'de' to say 'of' it gets mistaken for a d in the date format. An easy way to fix this is to use 'De' with capital D so it doesn't get mistaken. It's better to have a misplaced capital letter to a useless date name (the dates get rendered as "Domingo 22 22e Junio 22e 2013" instead of "Domingo 22 de Junio de 2013"
|
JavaScript
|
mit
|
wghust/pickadate.js,nayosx/pickadate.js,okusawa/pickadate.js,b-cuts/pickadate.js,spinlister/pickadate.js,perdona/pickadate.js,mdehoog/pickadate.js,dribehance/pickadate.js,nsmith7989/pickadate.js,bluespore/pickadate.js,Drooids/pickadate.js,baminteractive/pickadatebam,mdehoog/pickadate.js,mohamnag/pickadate.js,baminteractive/pickadatebam,ivandoric/pickadate.js,mskrajnowski/pickadate.js,arkmancetz/pickadate.js,mskrajnowski/pickadate.js,atis--/pickadate.js,ryaneof/pickadate.js,grgcnnr/pickadate.js-SASS,elton0895/pickadate.js,bespoormsed/pickadate.js,bianjp/pickadate.js,spinlister/pickadate.js,okusawa/pickadate.js,rollbrettler/pickadate.js,amsul/pickadate.js,blacklane/pickadate.js,bianjp/pickadate.js,Betterez/pickadate.js,nsmith7989/pickadate.js,Betterez/pickadate.js,nikoz84/pickadate.js,cmaddalozzo/pickadate.js,blacklane/pickadate.js,amsul/pickadate.js,FOOLHOLI/pickadate.js,bluespore/pickadate.js,nayosx/pickadate.js,FronterAS/pickadate.js,ben-nsng/pickadate.js,burakkp/pickadate.js,arkmancetz/pickadate.js,loki315zx/pickadate.js,loki315zx/pickadate.js,burakkp/pickadate.js,FOOLHOLI/pickadate.js,fecori/pickadate.js,Drooids/pickadate.js,wghust/pickadate.js,fecori/pickadate.js,b-cuts/pickadate.js,ben-nsng/pickadate.js,iwanttotellyou/pickadate.js,dribehance/pickadate.js,nikoz84/pickadate.js,prashen/pickadate.js,AleksandrChukhray/pickadate.js,prashen/pickadate.js,bespoormsed/pickadate.js,AleksandrChukhray/pickadate.js,mohamnag/pickadate.js,iwanttotellyou/pickadate.js,ivandoric/pickadate.js,elton0895/pickadate.js,ryaneof/pickadate.js,perdona/pickadate.js,cmaddalozzo/pickadate.js,atis--/pickadate.js,rollbrettler/pickadate.js
|
d0fda64c6e4db63f14c894e89a9f1faace9c7eb5
|
src/components/Servers/serverReducer.js
|
src/components/Servers/serverReducer.js
|
import moment from 'moment';
import getServerList from './../../utils/getServerList';
function getInitialState() {
return {
time: undefined,
servers: getServerList().map(server => Object.assign(server, {state: 'loading', delay: 0}))
};
}
export default function serverReducer(state = getInitialState(), action) {
switch (action.type) {
case "server.current.time":
return setCurrentTime(state);
case "server.online":
return modifyServerState(state, action, 'online');
case "server.offline":
return modifyServerState(state, action, 'offline');
default:
return state;
}
}
function setCurrentTime(state) {
return {
...state,
time: moment().unix()
};
}
function modifyServerState(state, {server, responseTime}, newStateValue) {
return {
...state,
servers: state.servers.map(server => {
if (server.name === server.name) {
server.state = newStateValue;
server.delay = moment().unix() - state.time;
}
return server;
})
};
}
|
import moment from 'moment';
import getServerList from './../../utils/getServerList';
function getInitialState() {
return {
time: undefined,
servers: getServerList().map(server => Object.assign(server, {state: 'loading', delay: 0}))
};
}
export default function serverReducer(state = getInitialState(), action) {
switch (action.type) {
case "server.current.time":
return setCurrentTime(state);
case "server.online":
return modifyServerState(state, action, 'online');
case "server.offline":
return modifyServerState(state, action, 'offline');
default:
return state;
}
}
function setCurrentTime(state) {
return {
...state,
time: moment().unix()
};
}
function modifyServerState(state, {server, responseTime}, newStateValue) {
return {
...state,
servers: state.servers.map(stateServer => {
if (server.name === stateServer.name) {
return {
...stateServer,
state: newStateValue,
delay: moment().unix() - state.time
};
}
return stateServer;
})
};
}
|
Fix a bug in the reducer
|
Fix a bug in the reducer
|
JavaScript
|
mit
|
jseminck/jseminck-be-main,jseminck/jseminck-be-main
|
db46938bd0b4fe175928b9d13626f6ced9cb1206
|
src/util/getOwnObjectValues.js
|
src/util/getOwnObjectValues.js
|
/**
* Copyright 2004-present Facebook. All Rights Reserved.
*
* @flow strict
* @typechecks
* @format
*/
/**
* Retrieve an object's own values as an array. If you want the values in the
* protoype chain, too, use getObjectValuesIncludingPrototype.
*
* If you are looking for a function that creates an Array instance based
* on an "Array-like" object, use createArrayFrom instead.
*
* @param {object} obj An object.
* @return {array} The object's values.
*/
function getOwnObjectValues<TValue>(obj: {
+[key: string]: TValue,
...,
}): Array<TValue> {
return Object.keys(obj).map(key => obj[key]);
}
module.exports = getOwnObjectValues;
|
/**
* Copyright 2004-present Facebook. All Rights Reserved.
*
* @flow strict
* @typechecks
* @format
*/
/**
* Retrieve an object's own values as an array. If you want the values in the
* protoype chain, too, use getObjectValuesIncludingPrototype.
*
* If you are looking for a function that creates an Array instance based
* on an "Array-like" object, use createArrayFrom instead.
*
* @param {object} obj An object.
* @return {array} The object's values.
*/
function getOwnObjectValues<TValue>(obj: {
+[key: string]: TValue,
...
}): Array<TValue> {
return Object.keys(obj).map(key => obj[key]);
}
module.exports = getOwnObjectValues;
|
Format JavaScript files with Prettier: scripts/draft-js/__github__/src/util
|
Format JavaScript files with Prettier: scripts/draft-js/__github__/src/util
Reviewed By: creedarky
Differential Revision: D26975892
fbshipit-source-id: cee70c968071c7017fe078a1d31636b7174fcf4f
|
JavaScript
|
mit
|
facebook/draft-js
|
c699baa93814c1b50209b42e31c2108c14b4e380
|
src/client/app/states/orders/details/details.state.js
|
src/client/app/states/orders/details/details.state.js
|
(function(){
'use strict';
angular.module('app.states')
.run(appRun);
/** @ngInject */
function appRun(routerHelper) {
routerHelper.configureStates(getStates());
}
function getStates() {
return {
'orders.details': {
url: '/details/:orderId',
templateUrl: 'app/states/orders/details/details.html',
controller: StateController,
controllerAs: 'vm',
title: 'Order Details',
resolve: {
order: resolveOrder
}
}
};
}
/** @ngInject */
function resolveOrder($stateParams, Order){
return Order.get({
id: $stateParams.orderId,
'includes[]': ['product', 'project', 'service', 'staff']
}).$promise;
}
/** @ngInject */
function StateController(order) {
var vm = this;
vm.order = order;
vm.staff = order.staff;
vm.product = order.product;
vm.service = order.service;
vm.project = order.project;
vm.activate = activate;
activate();
function activate() {
}
}
})();
|
(function() {
'use strict';
angular.module('app.states')
.run(appRun);
/** @ngInject */
function appRun(routerHelper) {
routerHelper.configureStates(getStates());
}
function getStates() {
return {
'orders.details': {
url: '/details/:orderId',
templateUrl: 'app/states/orders/details/details.html',
controller: StateController,
controllerAs: 'vm',
title: 'Order Details',
resolve: {
order: resolveOrder
}
}
};
}
/** @ngInject */
function resolveOrder($stateParams, Order) {
return Order.get({
id: $stateParams.orderId,
'includes[]': ['product', 'project', 'service', 'staff']
}).$promise;
}
/** @ngInject */
function StateController(order) {
var vm = this;
vm.order = order;
vm.staff = order.staff;
vm.product = order.product;
vm.service = order.service;
vm.project = order.project;
vm.activate = activate;
activate();
function activate() {
}
}
})();
|
Fix JSCS violation that snuck in while the reporter was broken
|
Fix JSCS violation that snuck in while the reporter was broken
|
JavaScript
|
apache-2.0
|
boozallen/projectjellyfish,AllenBW/api,boozallen/projectjellyfish,mafernando/api,projectjellyfish/api,stackus/api,mafernando/api,boozallen/projectjellyfish,projectjellyfish/api,stackus/api,sonejah21/api,sreekantch/JellyFish,AllenBW/api,sreekantch/JellyFish,sreekantch/JellyFish,AllenBW/api,sonejah21/api,boozallen/projectjellyfish,stackus/api,mafernando/api,sonejah21/api,projectjellyfish/api
|
c0f0589e955cb00860f5018b12678a3c60428e9d
|
client/app/NewPledge/containers/ActivePledgeForm.js
|
client/app/NewPledge/containers/ActivePledgeForm.js
|
import { connect } from 'react-redux'
import merge from 'lodash/merge'
import { setEntity } from '../../lib/actions/entityActions'
import { toggleSessionPopup } from '../../UserSession/actions/SessionActions'
import PledgeForm from '../components/PledgeForm'
import updateAction from '../../lib/Form/actions/updateAction'
const mapStateToProps = function(state, ownProps) {
return {
availableTags: assembleTags(ownProps.tags),
currentUser: state.currentUser,
}
}
function assembleTags(tags) {
return tags.map(function(tag) {
return {
value: tag.id,
label: tag.name,
}
})
}
const mapDispatchToProps = dispatch => ({
onLinkClick: function(event) {
event.preventDefault()
dispatch(toggleSessionPopup())
window.scrollTo(0, 0)
},
})
export default connect(
mapStateToProps,
mapDispatchToProps
)(PledgeForm)
|
import { connect } from 'react-redux'
import merge from 'lodash/merge'
import I18n from 'i18n-js'
import { setEntity } from '../../lib/actions/entityActions'
import { toggleSessionPopup } from '../../UserSession/actions/SessionActions'
import PledgeForm from '../components/PledgeForm'
import updateAction from '../../lib/Form/actions/updateAction'
const mapStateToProps = function(state, ownProps) {
return {
availableTags: assembleTags(ownProps.tags),
currentUser: state.currentUser,
}
}
function assembleTags(tags) {
return tags.map(function(tag) {
return {
value: tag.id,
label: I18n.t(`tags.names.${tag.name}`),
}
})
}
const mapDispatchToProps = dispatch => ({
onLinkClick: function(event) {
event.preventDefault()
dispatch(toggleSessionPopup())
window.scrollTo(0, 0)
},
})
export default connect(
mapStateToProps,
mapDispatchToProps
)(PledgeForm)
|
Use tag name translations in new pledge form
|
Use tag name translations in new pledge form
|
JavaScript
|
agpl-3.0
|
initiatived21/d21,initiatived21/d21,initiatived21/d21
|
b3bb2ea4896414553a2b18573310eb9b7cdc4f09
|
lib/partials/in-memory.js
|
lib/partials/in-memory.js
|
'use strict';
const parser = require('../parser');
function InMemory(partials) {
this.partials = partials;
this.compiledPartials = {};
}
InMemory.prototype.get = function (id) {
if (this.compiledPartials.hasOwnProperty(id)) return this.compiledPartials[id];
if (this.partials.hasOwnProperty(id)) {
return this.compiledPartials[id] = parser(this.partials[id]);
}
return null;
};
module.exports = InMemory;
|
'use strict';
const parser = require('../parser');
function InMemory(partials) {
this.partials = partials;
this.compiledPartials = {};
}
InMemory.prototype.get = function (id) {
const compileTemplate = require('../../').compileTemplate;
if (this.compiledPartials.hasOwnProperty(id)) return this.compiledPartials[id];
if (this.partials.hasOwnProperty(id)) {
return this.compiledPartials[id] = compileTemplate(parser(this.partials[id]));
}
return null;
};
module.exports = InMemory;
|
Update InMemory partials resolved to resolve compiled templates. This makes unit tests work again
|
Update InMemory partials resolved to resolve compiled templates. This makes unit tests work again
|
JavaScript
|
mit
|
maghoff/mustachio,maghoff/mustachio,maghoff/mustachio
|
985f707ada6f4299b0c886f25550bd1a932419f4
|
lib/runner/run_phantom.js
|
lib/runner/run_phantom.js
|
var page = require('webpage').create();
var _ = require('underscore');
var fs = require('fs');
function stdout(str) {
fs.write('/dev/stdout', str, 'w')
}
function stderr(str) {
fs.write('/dev/stderr', str, 'w')
}
page.onAlert = stdout;
page.onConsoleMessage = stdout;
page.onError = stderr;
page.onLoadFinished = function() {
phantom.exit();
};
page.open(phantom.args[0]);
|
var page = require('webpage').create();
var _ = require('underscore');
var system = require('system');
page.onAlert = system.stdout.write;
page.onConsoleMessage = system.stdout.write;
page.onError = system.stderr.write;
page.onLoadFinished = function() {
phantom.exit(0);
};
page.open(phantom.args[0]);
|
Use `system` module for phantom runner script stdout/stderr
|
Use `system` module for phantom runner script stdout/stderr
|
JavaScript
|
mit
|
sclevine/jasmine-runner-node
|
2d329f918e5a5eaa5ccd19b32f745caf7beca020
|
public/javascripts/app.js
|
public/javascripts/app.js
|
$(document).ready(function () {
$('#columns .tweets').empty(); // Remove dummy content.
$('.not-signed-in #the-sign-in-menu').popover({
placement: 'below',
trigger: 'manual'
}).popover('show');
});
// __END__ {{{1
// vim: expandtab shiftwidth=2 softtabstop=2
// vim: foldmethod=marker
|
$(document).ready(function () {
$('#columns .tweets').empty(); // Remove dummy content.
$('.not-signed-in #the-sign-in-menu').popover({
placement: 'below',
trigger: 'manual'
}).popover('show');
var update_character_count = function () {
$('#character-count').text(140 - $(this).val().length); // FIXME
};
$('#status')
.keydown(update_character_count)
.keyup(update_character_count);
});
// __END__ {{{1
// vim: expandtab shiftwidth=2 softtabstop=2
// vim: foldmethod=marker
|
Update character count for new tweet
|
Update character count for new tweet
|
JavaScript
|
mit
|
kana/ddh0313,kana/ddh0313
|
ae73a9c27835b80d3f4102b9239e16506e534c75
|
packages/storybook/examples/Popover/DemoList.js
|
packages/storybook/examples/Popover/DemoList.js
|
import React from 'react';
import List from '@ichef/gypcrete/src/List';
import ListRow from '@ichef/gypcrete/src/ListRow';
import TextLabel from '@ichef/gypcrete/src/TextLabel';
function DemoList() {
return (
<List>
<ListRow>
<TextLabel basic="Row 1" />
</ListRow>
<ListRow>
<TextLabel basic="Row 2" />
</ListRow>
<ListRow>
<TextLabel basic="Row 3" />
</ListRow>
</List>
);
}
export default DemoList;
|
import React from 'react';
import { action } from '@storybook/addon-actions';
import Button from '@ichef/gypcrete/src/Button';
import List from '@ichef/gypcrete/src/List';
import ListRow from '@ichef/gypcrete/src/ListRow';
function DemoButton(props) {
return (
<Button
bold
minified={false}
color="black"
{...props} />
);
}
function DemoList() {
return (
<List>
<ListRow>
<DemoButton basic="Row 1" onClick={action('click.1')} />
</ListRow>
<ListRow>
<DemoButton basic="Row 2" onClick={action('click.2')} />
</ListRow>
<ListRow>
<DemoButton basic="Row 3" onClick={action('click.3')} />
</ListRow>
</List>
);
}
export default DemoList;
|
Update example for <Popover> to verify behavior
|
[core] Update example for <Popover> to verify behavior
|
JavaScript
|
apache-2.0
|
iCHEF/gypcrete,iCHEF/gypcrete
|
716761802895ad4a681a07e70f56532abe573075
|
test/helpers/fixtures/index.js
|
test/helpers/fixtures/index.js
|
var fixtures = require('node-require-directory')(__dirname);
exports.load = function(specificFixtures) {
return exports.unload().then(function() {
if (typeof specificFixtures === 'string') {
specificFixtures = [specificFixtures];
}
var promises = [];
Object.keys(fixtures).filter(function(key) {
if (key === 'index') {
return false;
}
if (specificFixtures && specificFixtures.indexOf(key) === -1) {
return false;
}
return true;
}).forEach(function(key) {
var promise = fixtures[key].load().then(function(instances) {
exports[key] = instances;
});
promises.push(promise);
});
return Promise.all(promises);
}).catch(function(err) {
console.error(err.stack);
});
};
exports.unload = function() {
return sequelize.query('SET FOREIGN_KEY_CHECKS = 0').then(function() {
return sequelize.sync({ force: true });
}).then(function() {
return sequelize.query('SET FOREIGN_KEY_CHECKS = 1');
});
};
|
var fixtures = require('node-require-directory')(__dirname);
exports.load = function(specificFixtures) {
return exports.unload().then(function() {
if (typeof specificFixtures === 'string') {
specificFixtures = [specificFixtures];
}
var promises = [];
Object.keys(fixtures).filter(function(key) {
if (key === 'index') {
return false;
}
if (specificFixtures && specificFixtures.indexOf(key) === -1) {
return false;
}
return true;
}).forEach(function(key) {
var promise = fixtures[key].load().then(function(instances) {
exports[key] = instances;
});
promises.push(promise);
});
return Promise.all(promises);
}).catch(function(err) {
console.error(err.stack);
});
};
exports.unload = function() {
if (sequelize.options.dialect === 'mysql') {
return sequelize.query('SET FOREIGN_KEY_CHECKS = 0').then(function() {
return sequelize.sync({ force: true });
}).then(function() {
return sequelize.query('SET FOREIGN_KEY_CHECKS = 1');
});
} else {
return sequelize.sync({ force: true });
}
};
|
Fix running SET command in sqlite
|
Fix running SET command in sqlite
|
JavaScript
|
mit
|
luin/doclab,luin/doclab
|
4388e9713abf80d4d001a86c67a447bd5a9f3beb
|
app/auth/bearer/verify.js
|
app/auth/bearer/verify.js
|
exports = module.exports = function(authenticate) {
return function verify(req, token, cb) {
authenticate(token, function(err, tkn, ctx) {
if (err) { return cb(err); }
// TODO: Check confirmation methods, etc
var info = {};
if (tkn.client) {
info.client = tkn.client;
}
if (tkn.scope) {
info.scope = tkn.scope;
}
if (!tkn.subject) {
return cb(null, false);
}
return cb(null, tkn.subject, info);
});
};
};
exports['@require'] = [
'http://i.bixbyjs.org/security/authentication/token/authenticate'
];
|
exports = module.exports = function(authenticate) {
return function verify(req, token, cb) {
authenticate(token, function(err, tkn, ctx) {
if (err) { return cb(err); }
// TODO: Check confirmation methods, etc
var info = {};
if (tkn.client) {
info.client = tkn.client;
}
if (tkn.scope) {
info.scope = tkn.scope;
}
if (!tkn.user) {
return cb(null, false);
}
return cb(null, tkn.user, info);
});
};
};
exports['@require'] = [
'http://i.bixbyjs.org/security/authentication/token/authenticate'
];
|
Switch from subject to user.
|
Switch from subject to user.
|
JavaScript
|
mit
|
bixbyjs/bixby-http
|
71ed439f9f6e5e958c4aeac5522cd37dd90ec997
|
app/components/Results.js
|
app/components/Results.js
|
import React, {PropTypes} from 'react';
const puke = (obj) => <pre>{JSON.stringify(obj, 2, ' ')}</pre>
const Results = React.createClass({
render() {
return (
<div>
Results: {puke(this.props)}
</div>
);
}
});
Results.propTypes = {
isLoading: PropTypes.bool.isRequired,
playersInfo: PropTypes.array.isRequired,
scores: PropTypes.array.isRequired
}
export default Results;
|
import React, {PropTypes} from 'react';
import {Link} from 'react-router';
import UserDetails from './UserDetails';
import UserDetailsWrapper from './UserDetailsWrapper';
const StartOver = () => {
return (
<div className="col-sm-12" style={{"margin-top": 20}}>
<Link to="/playerOne">
<button type="button" className="btn btn-lg btn-danger">
Start Over
</button>
</Link>
</div>
)
}
const Results = React.createClass({
render() {
const winnerIndex = this.props.scores[0] > this.props.scores[1] ? 0 : 1;
const loserIndex = 1 - winnerIndex; // 1 - [0] = 1 ; 1 - [1] = 0
if (this.props.isLoading) {
return (
<p>LOADING...</p>
)
}
if (this.props.scores[0] === this.props.scores[1]) {
return (
<div className="jumbotron col-sm-12 text-center">
<h1>It's a tie</h1>
<StartOver />
</div>
)
}
return (
<div className="jumbotron col-sm-12 text-center">
<h1>Results</h1>
<div className="col-sm-8 col-sm-offset-2">
<UserDetailsWrapper header="Winner">
<UserDetails score={this.props.scores[winnerIndex]} info={this.props.playersInfo[winnerIndex]} />
</UserDetailsWrapper>
<UserDetailsWrapper header="Loser">
<UserDetails score={this.props.scores[loserIndex]} info={this.props.playersInfo[loserIndex]} />
</UserDetailsWrapper>
</div>
<StartOver />
</div>
);
}
});
Results.propTypes = {
isLoading: PropTypes.bool.isRequired,
playersInfo: PropTypes.array.isRequired,
scores: PropTypes.array.isRequired
}
export default Results;
|
Add the score result to the UI to show the battle's winner
|
Add the score result to the UI to show the battle's winner
|
JavaScript
|
mit
|
DiegoCardoso/github-battle,DiegoCardoso/github-battle
|
0f4aa813546a29fb55e08bf67c2a659b0f85b0fa
|
routes/index.js
|
routes/index.js
|
var express = require('express');
var kue = require('kue');
var Bot = require('../models/bot');
var router = express.Router();
/* GET home page. */
router.get('/', function(req, res, next) {
res.render('index');
});
router.post('/destroy_jobs', function(req, res, next) {
kue.Job.rangeByState('delayed', 0, 10000, 'asc', function( err, jobs ) {
jobs.forEach(function(job) {
job.remove(function() {});
});
res.send();
});
});
router.post('/destroy_all_the_things', function(req, res, next) {
kue.Job.rangeByState('delayed', 0, 10000, 'asc', function( err, jobs ) {
jobs.forEach(function(job) {
job.remove()
.then(function(res) {
})
.catch(function(err) {
res.status(500).send(err);
});
});
});
Bot.remove({})
.then(function(result) {
})
.catch(function(err) {
res.status(500).send(err);
});
res.send();
});
module.exports = router;
|
var express = require('express');
var kue = require('kue');
var Bot = require('../models/bot');
var router = express.Router();
/* GET home page. */
router.get('/', function(req, res, next) {
res.render('index');
});
router.post('/destroy_jobs', function(req, res, next) {
kue.Job.rangeByState('delayed', 0, 10000, 'asc', function( err, jobs ) {
jobs.forEach(function(job) {
job.remove(function() {});
});
res.send();
});
});
router.post('/destroy_all_the_things', function(req, res, next) {
kue.Job.rangeByState('delayed', 0, 10000, 'asc', function( err, jobs ) {
jobs.forEach(function(job) {
job.remove(function(err) {
if (err) console.log(err);
});
});
});
Bot.remove({})
.then(function(result) {
})
.catch(function(err) {
res.status(500).send(err);
});
res.send();
});
module.exports = router;
|
Fix error handler on remove job
|
Fix error handler on remove job
|
JavaScript
|
mit
|
Ecotaco/bumblebee-bot,Ecotaco/bumblebee-bot
|
48995b0af392863844f77825cba4a1f228f8c407
|
src/request/repository/request-repository-local.js
|
src/request/repository/request-repository-local.js
|
var glimpse = require('glimpse');
var store = require('store.js');
var _storeSummaryKey = 'glimpse.data.summary',
_storeDetailKey = 'glimpse.data.request';
// store Found Summary
(function() {
function storeFoundSummary(data) {
store.set(_storeSummaryKey, data);
}
glimpse.on('data.request.summary.found.remote', storeFoundSummary);
glimpse.on('data.request.summary.found.stream', storeFoundSummary);
})();
// store Found Detail
(function() {
function storeFoundDetail(data) {
var key = _storeDetailKey + '.' + data.id;
store.set(key, data);
}
glimpse.on('data.request.detail.found.remote', storeFoundDetail);
})();
module.exports = {
triggerGetLastestSummaries: function() {
var data = store.get(_storeSummaryKey);
if(data && data.length > 0)
glimpse.emit('data.request.summary.found.local', data);
},
triggerGetDetailsFor: function(requestId) {
var data = store.get(_storeDetailKey + '.' + requestId);
if(data && data.length > 0)
glimpse.emit('data.request.detail.found.local', data);
}
};
|
var glimpse = require('glimpse');
var store = require('store.js');
var _storeSummaryKey = 'glimpse.data.summary',
_storeDetailKey = 'glimpse.data.request';
// store Found Summary
(function() {
//TODO: Need to complete
//Push into local storage
//address error handling, flushing out old data
function storeFoundSummary(data) {
store.set(_storeSummaryKey, data);
}
glimpse.on('data.request.summary.found.remote', storeFoundSummary);
glimpse.on('data.request.summary.found.stream', storeFoundSummary);
})();
// store Found Detail
(function() {
//TODO: Need to complete
//Push into local storage
//address error handling, flushing out old data
function storeFoundDetail(data) {
var key = _storeDetailKey + '.' + data.id;
store.set(key, data);
}
glimpse.on('data.request.detail.found.remote', storeFoundDetail);
})();
module.exports = {
triggerGetLastestSummaries: function() {
//TODO: Need to complete
//Pull from local storage
//address error handling
var data = store.get(_storeSummaryKey);
if(data && data.length > 0)
glimpse.emit('data.request.summary.found.local', data);
},
triggerGetDetailsFor: function(requestId) {
//TODO: Need to complete
//Pull from local storage
//address error handling
var data = store.get(_storeDetailKey + '.' + requestId);
if(data && data.length > 0)
glimpse.emit('data.request.detail.found.local', data);
}
};
|
Add todo comments for local storage request repository
|
Add todo comments for local storage request repository
|
JavaScript
|
unknown
|
Glimpse/Glimpse.Client.Prototype,avanderhoorn/Glimpse.Client.Prototype,avanderhoorn/Glimpse.Client.Prototype,Glimpse/Glimpse.Client.Prototype,Glimpse/Glimpse.Client.Prototype
|
a2772d17f97ad597e731d3fa71b363e9a190c1dc
|
web-app/src/utils/api.js
|
web-app/src/utils/api.js
|
/* global localStorage */
import axios from 'axios';
export const BASE_URL = process.env.REACT_APP_API_URL;
const request = (endpoint, { headers = {}, body, ...otherOptions }, method) => {
return axios(`${BASE_URL}${endpoint}`, {
...otherOptions,
headers: {
...headers,
Authorization: `Bearer ${localStorage.getItem('jwt.token')}}`,
Accept: 'application/json',
'Content-Type': 'application/json',
},
data: body ? JSON.stringify(body) : undefined,
method,
});
};
export const api = {
get(endpoint, options = {}) {
return request(endpoint, options, 'get');
},
post(endpoint, options = {}) {
return request(endpoint, options, 'post');
},
};
export default api;
|
/* global window */
import axios from 'axios';
export const BASE_URL = process.env.REACT_APP_API_URL;
const getToken = () => {
return window.localStorage.getItem('jwt.token');
};
const setToken = ({ newToken }) => {
window.localStorage.setItem('jwt.token', newToken);
};
const abstractRequest = (endpoint, { headers = {}, body, ...otherOptions }, method) => {
return axios(`${BASE_URL}${endpoint}`, {
...otherOptions,
headers: {
...headers,
Authorization: `Bearer ${getToken()}`,
Accept: 'application/json',
'Content-Type': 'application/json',
},
data: body ? JSON.stringify(body) : undefined,
method,
});
};
const checkForRefreshToken = (endpoint, content, method) => (error) => {
if (error.response && error.response.status === 401) {
return abstractRequest('/auth/refresh', {}, 'post').then(({ data }) => {
setToken(data);
return abstractRequest(endpoint, content, method);
});
}
return Promise.reject(error);
};
const checkForRelogin = error => {
if (!error.response || !error.response.data || window.location.pathname === '/login') {
return Promise.reject(error);
}
const message = error.response.data.error;
if (['token_expired', 'token_invalid', 'token_not_provided'].includes(message)) {
window.location = '/login';
}
return Promise.reject(error);
};
const request = (endpoint, content, method) => {
return abstractRequest(endpoint, content, method)
.catch(checkForRefreshToken(endpoint, content, method))
.catch(checkForRelogin);
};
export const api = {
get(endpoint, options = {}) {
return request(endpoint, options, 'get');
},
post(endpoint, options = {}) {
return request(endpoint, options, 'post');
},
};
export default api;
|
Refresh JWT token if expires
|
Refresh JWT token if expires
|
JavaScript
|
mit
|
oSoc17/code9000,oSoc17/code9000,oSoc17/code9000,oSoc17/code9000,oSoc17/code9000,oSoc17/code9000
|
801c830a6f128a09ae1575069e2e20e8457e9ce9
|
api/script-rules-rule-action.vm.js
|
api/script-rules-rule-action.vm.js
|
(function() {
var rule = data.rules[parseInt(request.param.num, 10)] || null;
if (rule === null) return response.error(404);
switch (request.method) {
case 'PUT':
var cmd = '';
switch (request.param.action) {
case 'enable':
cmd = 'node app-cli.js -mode rule --enable -n ' + request.param.num;
break;
case 'disable':
cmd = 'node app-cli.js -mode rule --disable -n ' + request.param.num;
break;
}
child_process.exec(cmd, function(err, stdout, stderr) {
if (err) return response.error(500);
response.head(200);
response.end('{}');
});
return;
}
})();
|
(function() {
var num = parseInt(request.param.num, 10).toString(10);
var rule = data.rules[num] || null;
if (rule === null) return response.error(404);
switch (request.method) {
case 'PUT':
var cmd = '';
switch (request.param.action) {
case 'enable':
cmd = 'node app-cli.js -mode rule --enable -n ' + num;
break;
case 'disable':
cmd = 'node app-cli.js -mode rule --disable -n ' + num;
break;
}
child_process.exec(cmd, function(err, stdout, stderr) {
if (err) return response.error(500);
response.head(200);
response.end('{}');
});
return;
}
})();
|
Fix same rule parameter validation
|
Fix same rule parameter validation
|
JavaScript
|
mit
|
miyukki/Chinachu,xtne6f/Chinachu,xtne6f/Chinachu,kounoike/Chinachu,kounoike/Chinachu,xtne6f/Chinachu,valda/Chinachu,valda/Chinachu,kanreisa/Chinachu,polamjag/Chinachu,wangjun/Chinachu,miyukki/Chinachu,polamjag/Chinachu,kanreisa/Chinachu,valda/Chinachu,miyukki/Chinachu,kounoike/Chinachu,wangjun/Chinachu,wangjun/Chinachu,kanreisa/Chinachu,upsilon/Chinachu,polamjag/Chinachu,upsilon/Chinachu,tdenc/Chinachu,upsilon/Chinachu,tdenc/Chinachu,tdenc/Chinachu
|
80c24f86d0ed9655f74c710f11a59bc050df5432
|
app/assets/javascripts/spree/apps/checkout/checkout_controller.js
|
app/assets/javascripts/spree/apps/checkout/checkout_controller.js
|
SpreeStore.module('Checkout',function(Checkout, SpreeStore, Backbone,Marionette,$,_){
Checkout.Controller = {
show: function(state) {
SpreeStore.noSidebar()
order = new SpreeStore.Models.Order({ number: SpreeStore.current_order_id })
order.fetch({
data: $.param({ order_token: SpreeStore.current_order_token}),
success: function(order) {
if (order.attributes.state == "complete") {
SpreeStore.navigate("/orders/" + order.attributes.number, true)
} else {
Checkout.Controller.renderFor(order, state)
}
}
})
},
renderFor: function(order, state) {
state = state || order.attributes.state
SpreeStore.navigate("/checkout/" + state)
orderView = Checkout[state + 'View']
if (orderView != undefined) {
SpreeStore.mainRegion.show(new orderView({model: order}))
} else {
SpreeStore.navigate("/checkout/" + order.attributes.state)
this.renderFor(order, order.attributes.state)
}
}
}
})
|
SpreeStore.module('Checkout',function(Checkout, SpreeStore, Backbone,Marionette,$,_){
Checkout.Controller = {
show: function(state) {
SpreeStore.noSidebar()
order = new SpreeStore.Models.Order({ number: SpreeStore.current_order_id })
order.fetch({
data: $.param({ order_token: SpreeStore.current_order_token}),
success: function(order) {
if (order.attributes.state == "complete") {
window.localStorage.removeItem('current_order_id');
window.localStorage.removeItem('current_order_token');
SpreeStore.navigate("/orders/" + order.attributes.number, true)
} else {
Checkout.Controller.renderFor(order, state)
}
}
})
},
renderFor: function(order, state) {
state = state || order.attributes.state
SpreeStore.navigate("/checkout/" + state)
orderView = Checkout[state + 'View']
if (orderView != undefined) {
SpreeStore.mainRegion.show(new orderView({model: order}))
} else {
SpreeStore.navigate("/checkout/" + order.attributes.state)
this.renderFor(order, order.attributes.state)
}
}
}
})
|
Clear localStorage order variables when order is complete
|
Clear localStorage order variables when order is complete
|
JavaScript
|
bsd-3-clause
|
njaw/spree,njaw/spree,njaw/spree
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.