commit
stringlengths
40
40
old_file
stringlengths
4
236
new_file
stringlengths
4
236
old_contents
stringlengths
1
3.26k
new_contents
stringlengths
16
4.43k
subject
stringlengths
16
624
message
stringlengths
17
3.29k
lang
stringclasses
5 values
license
stringclasses
13 values
repos
stringlengths
5
91.5k
2282d93db4422eac35ad3f8a65ed60e6c821eee7
tasks/mochacli.js
tasks/mochacli.js
'use strict'; var mocha = require('../lib/mocha'); module.exports = function (grunt) { grunt.registerMultiTask('mochacli', 'Run Mocha server-side tests.', function () { var options = this.options(); if (!options.files) { options.files = this.file.srcRaw; } mocha(optio...
'use strict'; var mocha = require('../lib/mocha'); module.exports = function (grunt) { grunt.registerMultiTask('mochacli', 'Run Mocha server-side tests.', function () { var options = this.options(); var globs = []; if (!options.files) { this.files.forEach(function (glob) { ...
Fix using the Grunt files format
Fix using the Grunt files format
JavaScript
mit
Rowno/grunt-mocha-cli
f65f19bf7d737cffdbe629247ac4913357c9d1ec
test/feature/Classes/NameBinding.js
test/feature/Classes/NameBinding.js
class ElementHolder { element; getElement() { return this.element; } makeFilterCapturedThis() { var capturedThis = this; return function (x) { return x == capturedThis.element; } } makeFilterLostThis() { return function (x) { return x == this.element; } } makeFilterHidden(element...
class ElementHolder { element; getElement() { return this.element; } makeFilterCapturedThis() { var capturedThis = this; return function (x) { return x == capturedThis.element; } } makeFilterLostThis() { return function () { return this; } } makeFilterHidden(element) { return...
Fix invalid test and disable it due to V8 bug
Fix invalid test and disable it due to V8 bug
JavaScript
apache-2.0
ide/traceur,ide/traceur,ide/traceur
5b3a341d2d53223775d7e09ab11819a5d433290f
packages/internal-test-helpers/lib/ember-dev/run-loop.js
packages/internal-test-helpers/lib/ember-dev/run-loop.js
import { cancelTimers, end, getCurrentRunLoop, hasScheduledTimers } from '@ember/runloop'; function RunLoopAssertion(env) { this.env = env; } RunLoopAssertion.prototype = { reset: function() {}, inject: function() {}, assert: function() { let { assert } = QUnit.config.current; if (getCurrentRunLoop()...
import { cancelTimers, end, getCurrentRunLoop, hasScheduledTimers } from '@ember/runloop'; export default class RunLoopAssertion { constructor(env) { this.env = env; } reset() {} inject() {} assert() { let { assert } = QUnit.config.current; if (getCurrentRunLoop()) { assert.ok(false, 'S...
Convert `RunLoopAssert` to ES6 class
internal-test-helpers: Convert `RunLoopAssert` to ES6 class
JavaScript
mit
kellyselden/ember.js,GavinJoyce/ember.js,mfeckie/ember.js,emberjs/ember.js,kellyselden/ember.js,Turbo87/ember.js,sandstrom/ember.js,stefanpenner/ember.js,bekzod/ember.js,kellyselden/ember.js,tildeio/ember.js,qaiken/ember.js,mixonic/ember.js,stefanpenner/ember.js,fpauser/ember.js,elwayman02/ember.js,fpauser/ember.js,giv...
6e3621cb2032e7bf9e6a5ad977efecd70798f8b7
test/util.test.js
test/util.test.js
/* global describe, it, beforeEach */ import React from 'react' import { expect } from 'chai' import { sizeClassNames } from '../src/js/util' describe('Util', () => { describe('sizeClassNames', () => { it('should return one classname given props', () => { const props = { xs: 12 } const actual = size...
/* global describe, it, beforeEach */ import React from 'react' import { expect } from 'chai' import { sizeClassNames } from '../src/js/util' describe('Util', () => { describe('sizeClassNames', () => { describe('using props', () => { it('should return one classname given props', () => { const prop...
Add sizeClassNames Given Props & Offset Tests
Add sizeClassNames Given Props & Offset Tests
JavaScript
mit
frig-js/frigging-bootstrap,frig-js/frigging-bootstrap
31ee8ce20659751cb45fc1fc7c78167ce9171e1a
client/views/home/activities/trend/trend.js
client/views/home/activities/trend/trend.js
Template.homeResidentActivityLevelTrend.rendered = function () { // Get reference to template instance var instance = this; instance.autorun(function () { // Get reference to Route var router = Router.current(); // Get current Home ID var homeId = router.params.homeId; // Get data for trend...
Template.homeResidentActivityLevelTrend.rendered = function () { // Get reference to template instance var instance = this; instance.autorun(function () { // Get reference to Route var router = Router.current(); // Get current Home ID var homeId = router.params.homeId; // Get data for trend...
Use object attributes; adjust appearance
Use object attributes; adjust appearance
JavaScript
agpl-3.0
GeriLife/wellbeing,brylie/juhani-wellbeing,brylie/juhani-wellbeing,brylie/juhani-wellbeing,GeriLife/wellbeing,brylie/juhani-wellbeing,GeriLife/wellbeing,GeriLife/wellbeing
ab5f7faeb6b09693c6804b011113ebe6bb8e9cd1
src/components/LandingCanvas/index.js
src/components/LandingCanvas/index.js
import React from 'react'; import Helmet from 'react-helmet'; import styles from './styles'; function calculateViewportFromWindow() { if (window.innerWidth >= 544) return 'sm'; if (window.innerWidth >= 768) return 'md'; if (window.innerWidth >= 992) return 'lg'; if (window.innerWidth >= 1200) return 'xl'; re...
import React from 'react'; import Helmet from 'react-helmet'; import styles from './styles'; function calculateViewportFromWindow() { if (typeof window !== 'undefined') { if (window.innerWidth >= 544) return 'sm'; if (window.innerWidth >= 768) return 'md'; if (window.innerWidth >= 992) return 'lg'; i...
Disable viewport calculation in case of server side render
Disable viewport calculation in case of server side render
JavaScript
mit
line64/landricks-components
f43bcef83577cbc4ef82098ee9bae8fdf709b559
ui/src/stores/photos/index.js
ui/src/stores/photos/index.js
const SET_PHOTOS = 'SET_PHOTOS' const initialState = { photos: [], photosDetail: [] } const photos = (state = initialState, action = {}) => { switch (action.type) { case SET_PHOTOS: return {...state, photos: action.payload.ids, photosDetail:action.payload.photoList} default: return state ...
const SET_PHOTOS = 'SET_PHOTOS' const initialState = { photos: [], photosDetail: [] } const photos = (state = initialState, action = {}) => { switch (action.type) { case SET_PHOTOS: let index = state.photosDetail.filter((el) => { return action.payload.photoList.findIndex( (node) => e...
Add conditions to remove duplicates.
Add conditions to remove duplicates.
JavaScript
agpl-3.0
damianmoore/photo-manager,damianmoore/photo-manager,damianmoore/photo-manager,damianmoore/photo-manager
a73508bdc6301e616eb15a7f3ee88a5eb982e466
lib/registration.js
lib/registration.js
if ('serviceWorker' in navigator) { navigator.serviceWorker.register('./service-worker.js', {scope: './'}) .catch(function(error) { alert('Error registering service worker:'+error); }); } else { alert('service worker not supported'); }
if ('serviceWorker' in navigator) { navigator.serviceWorker.register('./service-worker.js', {scope: './'}) .catch(function(error) { console.error('Error registering service worker:'+error); }); } else { console.log('service worker not supported'); }
Use console.error and console.log instead of alert
Use console.error and console.log instead of alert
JavaScript
mit
marco-c/broccoli-serviceworker,jkleinsc/broccoli-serviceworker
1ebfe684c986124dd8fbf7a951b1c8e8ae94f371
lib/socketServer.js
lib/socketServer.js
const socketio = require('socket.io') const data = require('../data/tasks') let counter = 0 exports.listen = function (server) { io = socketio.listen(server) io.sockets.on('connection', function (socket) { console.log('Connection created') createTask(socket) displayAllTask(socket) }) const createTa...
const socketio = require('socket.io') const data = require('../data/tasks') exports.listen = function (server) { io = socketio.listen(server) io.sockets.on('connection', function (socket) { console.log('Connection created') createTask(socket) displayAllTask(socket) }) const createTask = (socket) =>...
Add createTask on and emit event with mock data
[SocketServer.js] Add createTask on and emit event with mock data
JavaScript
mit
geekskool/taskMaster,geekskool/taskMaster
5cf61c9fb5cb120e1531ac636e12727aee3768a6
lib/rsautl.js
lib/rsautl.js
var fs = require('fs'); var run = require('./runner'); var defaults = { opensslPath : '/usr/bin/openssl', padding : 'pkcs' }; function verifyOptions (options) { if (!fs.existsSync(options.opensslPath)) { throw new Error(options.opensslPath + ': No such file or directory'); } if (options.p...
var fs = require('fs'); var run = require('./runner'); var defaults = { opensslPath : '/usr/bin/openssl', padding : 'pkcs' }; function verifyOptions (options) { if (fs.existsSync !== undefined && !fs.existsSync(options.opensslPath)) { throw new Error(options.opensslPath + ': No such file or direct...
Handle Meteor's stripping out methods from the fs core API.
Handle Meteor's stripping out methods from the fs core API.
JavaScript
bsd-2-clause
ragnar-johannsson/rsautl
43590c27a485c93298bd89be4a1fe84e32aae30b
rollup.config.js
rollup.config.js
import resolve from 'rollup-plugin-node-resolve'; import eslint from 'rollup-plugin-eslint'; import babel from 'rollup-plugin-babel'; import commonjs from 'rollup-plugin-commonjs'; import replace from 'rollup-plugin-replace'; import pkg from './package.json'; export default [ { input: 'src/index.js', ...
import resolve from 'rollup-plugin-node-resolve'; import eslint from 'rollup-plugin-eslint'; import babel from 'rollup-plugin-babel'; import commonjs from 'rollup-plugin-commonjs'; import replace from 'rollup-plugin-replace'; import pkg from './package.json'; export default [ { input: 'src/index.js', ...
Fix 'rollup-plugin-replace' order and variable name
Fix 'rollup-plugin-replace' order and variable name
JavaScript
mit
springload/react-accessible-accordion,springload/react-accessible-accordion,springload/react-accessible-accordion
206175481008af3ad074840a80f41816dcc2991c
public/app/components/chooseLanguage/chooseLanguage.js
public/app/components/chooseLanguage/chooseLanguage.js
product .config(function ($routeProvider) { $routeProvider .when('/', { templateUrl: 'components/chooseLanguage/chooseLanguage.tpl.html' ,controller: 'ChooseLanguageCtrl' ,resolve: { LanguageService: 'LanguageService', languages: function(L...
product .config(function ($routeProvider) { $routeProvider .when('/', { templateUrl: 'components/chooseLanguage/chooseLanguage.tpl.html' ,resolve: { $b: ["$q", "LanguageService", function ($q, LanguageService) { return $...
Fix change to resolve promise before controller
Fix change to resolve promise before controller
JavaScript
mit
stevenrojasv21/product-list-steven-rojas,stevenrojasv21/product-list-steven-rojas,stevenrojasv21/product-list-steven-rojas
4817ef6d6d10db74bc67a3f07c8db75bb2e3dd6e
common/predictive-text/unit_tests/headless/default-word-breaker.js
common/predictive-text/unit_tests/headless/default-word-breaker.js
/** * Smoke-test the default */ var assert = require('chai').assert; var breakWords = require('../../build/intermediate').wordBreakers['uax29']; const SHY = '\u00AD'; describe('The default word breaker', function () { it('should break multilingual text', function () { let breaks = breakWords( `ᑖᓂᓯ᙮ раб...
/** * Smoke-test the default */ var assert = require('chai').assert; var breakWords = require('../../build/intermediate').wordBreakers['uax29']; const SHY = '\u00AD'; describe('The default word breaker', function () { it('should break multilingual text', function () { let breaks = breakWords( `Добрый д...
Make unit test slightly less weird.
Make unit test slightly less weird.
JavaScript
apache-2.0
tavultesoft/keymanweb,tavultesoft/keymanweb
5f079cbed8904f50c273aa5a017172081d91021f
js/projects.js
js/projects.js
/** * Created by sujithkatakam on 3/15/16. */ function pagination() { var monkeyList = new List('test-list', { valueNames: ['name'], page: 4, innerWindow: 4, plugins: [ ListPagination({}) ] }); } window.onload = function() { pagination(); getMonthsCount('experience', ...
/** * Created by sujithkatakam on 3/15/16. */ function pagination() { var monkeyList = new List('test-list', { valueNames: ['name'], page: 4, innerWindow: 4, plugins: [ ListPagination({}) ] }); } window.onload = function() { pagination(); getMonthsCount('experience', ...
Work ex fix in summary
Work ex fix in summary
JavaScript
apache-2.0
sujithktkm/sujithktkm.github.io,sujithktkm/sujithktkm.github.io
1eeb1d49f7214732754b359bea00025d11395e4b
server/game/cards/02.2-FHaG/RaiseTheAlarm.js
server/game/cards/02.2-FHaG/RaiseTheAlarm.js
const DrawCard = require('../../drawcard.js'); class RaiseTheAlarm extends DrawCard { setupCardAbilities(ability) { this.action({ title: 'Flip a dynasty card', condition: context => this.game.isDuringConflict('military') && context.player.isDefendingPlayer(), cannotBeMir...
const DrawCard = require('../../drawcard.js'); class RaiseTheAlarm extends DrawCard { setupCardAbilities(ability) { this.action({ title: 'Flip a dynasty card', condition: context => this.game.isDuringConflict('military') && context.player.isDefendingPlayer(), cannotBeMir...
Fix Raise the Alarm bug
Fix Raise the Alarm bug
JavaScript
mit
gryffon/ringteki,jeremylarner/ringteki,gryffon/ringteki,gryffon/ringteki,jeremylarner/ringteki,jeremylarner/ringteki
51be095bab5e4c8b34b8e2dda0bd56a565d43bad
app.js
app.js
/** * @module App Main Application Module */ 'use strict'; const express = require('express'); const app = express(); const api = require('./api/api.router'); app.use('/', express.static('public')); app.use('/api', api); module.exports = app;
/** * @module App Main Application Module */ 'use strict'; const express = require('express'); const app = express(); app.set('trust proxy', true); const api = require('./api/api.router'); app.use('/', express.static('public')); app.use('/api', api); module.exports = app;
Set trust proxy to true
Set trust proxy to true
JavaScript
mit
agroupp/test-api,agroupp/test-api
55a86b726335b4dbc2fa45b43e82c6245fdfed82
src/routes/Home/components/HomeView.js
src/routes/Home/components/HomeView.js
import React, { Component } from 'react' import { connect } from 'react-redux' import PropTypes from 'prop-types' import Sidebar from '../../../components/Sidebar' import TopicList from '../../../components/TopicList' import './HomeView.scss' class HomeView extends Component { static propTypes = { topics: PropT...
import React, { Component } from 'react' import { connect } from 'react-redux' import PropTypes from 'prop-types' import Sidebar from '../../../components/Sidebar' import TopicList from '../../../components/TopicList' import './HomeView.scss' class HomeView extends Component { static propTypes = { topics: PropT...
Sort topics by the number of upvotes/downvotes
Sort topics by the number of upvotes/downvotes
JavaScript
mit
AdrielLimanthie/carousell-reddit,AdrielLimanthie/carousell-reddit
a9817a7d8b33fa27072d5f5a55cfc49e00eada71
webpack.development.config.js
webpack.development.config.js
//extend webpack.config.js var config = require('./webpack.config'); var path = require('path'); //for more info, look into webpack.config.js //this will add a new object into default settings // config.entry = [ // 'webpack/hot/dev-server', // 'webpack-dev-server/client?http://localhost:8080', // ]; config.entry....
//extend webpack.config.js var config = require('./webpack.config'); var path = require('path'); //for more info, look into webpack.config.js //this will add a new object into default settings // config.entry = [ // 'webpack/hot/dev-server', // 'webpack-dev-server/client?http://localhost:8080', // ]; config.entry....
Allow server to be accessed via IP
Allow server to be accessed via IP
JavaScript
isc
terryx/react-webpack,terryx/react-webpack
c1439e9e07786a46290a550304f3c9014a1b3d06
src/app/projects/controller/project_list_controller.js
src/app/projects/controller/project_list_controller.js
/* * Copyright (c) 2014 Hewlett-Packard Development Company, L.P. * * Licensed under the Apache License, Version 2.0 (the "License"); you may * not use this file except in compliance with the License. You may obtain * a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless re...
/* * Copyright (c) 2014 Hewlett-Packard Development Company, L.P. * * Licensed under the Apache License, Version 2.0 (the "License"); you may * not use this file except in compliance with the License. You may obtain * a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless re...
Tweak for Superuser UI in projects.
Tweak for Superuser UI in projects. This will properly align the create-project button for superadmin. Change-Id: Id79c7daa66b7db559bda5a41e494f17d519cf6a3
JavaScript
apache-2.0
ColdrickSotK/storyboard-webclient,ColdrickSotK/storyboard-webclient,ColdrickSotK/storyboard-webclient
dbf22af2728160fbe45245c9a779dec2f634cbe4
app/assets/javascripts/tests/helpers/common.js
app/assets/javascripts/tests/helpers/common.js
const chai = require('chai'); const sinon = require('sinon'); const sinonChai = require('sinon-chai'); // Require and load .env vars require('./dotenv'); // Configure chai to use Sinon-Chai chai.should(); chai.use(sinonChai); global.expect = chai.expect; global.sinon = sinon;
/** * This file is globally included on every testcase instance. It is useful to * load constants such as `chai`, `sinon` or any setup phase that we need. In * our case, we need to setup sinon-chai, avoiding repeating a chunk of code * across our test files. */ const chai = require('chai'); const sinon = require...
Add docs on global test file
Add docs on global test file
JavaScript
bsd-3-clause
kriansa/amelia,kriansa/amelia,kriansa/amelia,kriansa/amelia
b260f27e0176f2615236e78e06c8af045f5b0680
scripts/build.js
scripts/build.js
const buildBaseCss = require(`./_build-base-css.js`); const buildBaseHtml = require(`./_build-base-html.js`); const buildPackageCss = require(`./_build-package-css.js`); const buildPackageHtml = require(`./_build-package-html.js`); const getDirectories = require(`./_get-directories.js`); const packages = getDirectorie...
const buildBaseCss = require(`./_build-base-css.js`); const buildBaseHtml = require(`./_build-base-html.js`); const buildPackageCss = require(`./_build-package-css.js`); const buildPackageHtml = require(`./_build-package-html.js`); const getDirectories = require(`./_get-directories.js`); const packages = getDirectorie...
Add global.css file to pages by default
Add global.css file to pages by default
JavaScript
mit
avalanchesass/avalanche-website,avalanchesass/avalanche-website
c8a608cf64c5fb9ce0f24beee53b7acccfc4cd03
packages/custom/icu/public/components/data/context/context.service.js
packages/custom/icu/public/components/data/context/context.service.js
'use strict'; angular.module('mean.icu').service('context', function ($injector, $q) { var mainMap = { task: 'tasks', user: 'people', project: 'projects', discussion: 'discussions', officeDocument:'officeDocuments', office: 'offices', templateDoc: 'templateDo...
'use strict'; angular.module('mean.icu').service('context', function ($injector, $q) { var mainMap = { task: 'tasks', user: 'people', project: 'projects', discussion: 'discussions', officeDocument:'officeDocuments', office: 'offices', templateDoc: 'templateDo...
Make correct context when select entity in search
Make correct context when select entity in search
JavaScript
mit
linnovate/icu,linnovate/icu,linnovate/icu
e5985521ee1fd0960dcc6af004e5dd831857685d
app/props/clickable.js
app/props/clickable.js
import Prop from 'props/prop'; import canvas from 'canvas'; import mouse from 'lib/mouse'; // http://stackoverflow.com/questions/16628184/add-onclick-and-onmouseover-to-canvas-element export default class Clickable extends Prop { constructor(x, y, width, height, fn) { super(x, y, width, height); this.fn = f...
import Prop from 'props/prop'; import canvas from 'canvas'; import mouse from 'lib/mouse'; // http://stackoverflow.com/questions/16628184/add-onclick-and-onmouseover-to-canvas-element export default class Clickable extends Prop { constructor(x, y, width, height, fn) { super(x, y, width, height); this.fn = f...
Remove rendering for debugging click handlers
Remove rendering for debugging click handlers
JavaScript
mit
oliverbenns/pong,oliverbenns/pong
2a8cd200a67562a32fcce6dd01e253985e94d18a
05/jjhampton-ch5-every-some.js
05/jjhampton-ch5-every-some.js
// Arrays also come with the standard methods every and some. Both take a predicate function that, when called with an array element as argument, returns true or false. Just like && returns a true value only when the expressions on both sides are true, every returns true only when the predicate returns true for all ele...
// Arrays also come with the standard methods every and some. Both take a predicate function that, when called with an array element as argument, returns true or false. Just like && returns a true value only when the expressions on both sides are true, every returns true only when the predicate returns true for all ele...
Enable every/some methods to return early to prevent iterating over entire array
Enable every/some methods to return early to prevent iterating over entire array
JavaScript
mit
OperationCode/eloquent-js
35ead74f1fcb0b20d83be28cc9e187cdfe115373
servers/index.js
servers/index.js
require('coffee-script').register(); var argv = require('minimist')(process.argv); // require('./lib/source-server') module.exports = require('./lib/server');
require('coffee-script').register(); // require('./lib/source-server') module.exports = require('./lib/server');
Remove unused command line options parsing code
Remove unused command line options parsing code Signed-off-by: Sonmez Kartal <d2d15c3d37396a5f2a09f8b42cf5f27d43a3fbde@koding.com>
JavaScript
agpl-3.0
usirin/koding,gokmen/koding,acbodine/koding,alex-ionochkin/koding,mertaytore/koding,kwagdy/koding-1,kwagdy/koding-1,gokmen/koding,jack89129/koding,szkl/koding,drewsetski/koding,andrewjcasal/koding,szkl/koding,usirin/koding,rjeczalik/koding,koding/koding,drewsetski/koding,jack89129/koding,kwagdy/koding-1,rjeczalik/kodin...
59ae7095d382380d0a14871a1a571fb7c99b31f6
examples/hello-world/app.js
examples/hello-world/app.js
var app = module.exports = require('appjs').createApp({CachePath: '/Users/dbartlett/.cache1'}); app.serveFilesFrom(__dirname + '/content'); var window = app.createWindow({ width : 640, height : 460, icons : __dirname + '/content/icons' }); window.on('create', function(){ console.log("Window Created"); wi...
var app = module.exports = require('appjs').createApp(); app.serveFilesFrom(__dirname + '/content'); var window = app.createWindow({ width : 640, height : 460, icons : __dirname + '/content/icons' }); window.on('create', function(){ console.log("Window Created"); window.frame.show(); window.frame.cente...
Remove testing CachePath from example.
Remove testing CachePath from example.
JavaScript
mit
tempbottle/appjs,SaravananRajaraman/appjs,yuhangwang/appjs,appjs/appjs,appjs/appjs,imshibaji/appjs,tempbottle/appjs,yuhangwang/appjs,modulexcite/appjs,yuhangwang/appjs,SaravananRajaraman/appjs,eric-seekas/appjs,eric-seekas/appjs,eric-seekas/appjs,SaravananRajaraman/appjs,appjs/appjs,SaravananRajaraman/appjs,modulexcite...
dd6f17e4f57e799a6200dec3f339f5ccba75de8d
webpack.config.js
webpack.config.js
var webpack = require('webpack'); var BrowserSyncPlugin = require('browser-sync-webpack-plugin'); module.exports = { context: __dirname, entry: './src/whoami.js', output: { path: './dist', filename: 'whoami.min.js', libraryTarget: 'var', library: 'whoami' }, module: { loaders: [ ...
var webpack = require('webpack'); var BrowserSyncPlugin = require('browser-sync-webpack-plugin'); module.exports = { context: __dirname, entry: './src/whoami.js', output: { path: './dist', filename: 'whoami.min.js', libraryTarget: 'var', library: 'whoami' }, module: { loaders: [ ...
Watch dist files on browsersync
Watch dist files on browsersync
JavaScript
mit
andersonba/whoami.js
1ab999034c53389d359ab2161492a70e82c1ab47
src/wirecloud/fiware/static/js/WirecloudAPI/NGSIAPI.js
src/wirecloud/fiware/static/js/WirecloudAPI/NGSIAPI.js
(function () { "use strict"; var key, manager = window.parent.NGSIManager, NGSIAPI = {}; NGSIAPI.Connection = function Connection(url, options) { manager.Connection.call(this, 'operator', MashupPlatform.operator.id, url, options); }; NGSIAPI.Connection.prototype = window.parent.NGSIManage...
(function () { "use strict"; var key, manager = window.parent.NGSIManager, NGSIAPI = {}; if (MashupPlatform.operator != null) { NGSIAPI.Connection = function Connection(url, options) { manager.Connection.call(this, 'operator', MashupPlatform.operator.id, url, options); }; ...
Fix bug: export NGSI API also for widgets
Fix bug: export NGSI API also for widgets
JavaScript
agpl-3.0
jpajuelo/wirecloud,rockneurotiko/wirecloud,rockneurotiko/wirecloud,rockneurotiko/wirecloud,rockneurotiko/wirecloud,jpajuelo/wirecloud,jpajuelo/wirecloud,jpajuelo/wirecloud
1dcc6eab08d4df0e01427402503c5e26808e58ca
test/utils/to-date-time-in-time-zone.js
test/utils/to-date-time-in-time-zone.js
'use strict'; module.exports = function (t, a) { var mayanEndOfTheWorld = new Date(2012, 11, 21, 1, 1); a.deep(t(mayanEndOfTheWorld, 'America/Guatemala').valueOf(), new Date(2012, 11, 20, 18, 1).valueOf()); a.deep(t(mayanEndOfTheWorld, 'Europe/Warsaw').valueOf(), new Date(2012, 11, 21, 1, 1).valueOf()); };
'use strict'; module.exports = function (t, a) { var mayanEndOfTheWorld = new Date(Date.UTC(2012, 11, 21, 1, 1)); a.deep(t(mayanEndOfTheWorld, 'America/Guatemala').valueOf(), new Date(2012, 11, 20, 19, 1).valueOf()); a.deep(t(mayanEndOfTheWorld, 'Europe/Warsaw').valueOf(), new Date(2012, 11, 21, 2, 1).valueOf(...
Fix test so is timezone independent
Fix test so is timezone independent
JavaScript
mit
egovernment/eregistrations,egovernment/eregistrations,egovernment/eregistrations
10c19dabd1178de4f561327e348c3c114b54ea67
Web/Application.js
Web/Application.js
var express = require('express'); var app = express(); var CurrentUser = require('../Architecture/CurrentUser').CurrentUser; var WebService = require('../Architecture/WebService').WebService; var MongoAdapter = require('../Adapters/Mongo').MongoAdapter; var RedisAdapter = require('../Adapters/Redis').RedisAdapter; va...
var express = require('express'); var app = express(); var CurrentUser = require('../Architecture/CurrentUser').CurrentUser; var WebService = require('../Architecture/WebService').WebService; var MongoAdapter = require('../Adapters/Mongo').MongoAdapter; var RedisAdapter = require('../Adapters/Redis').RedisAdapter; va...
Remove params from login route.
Remove params from login route.
JavaScript
mit
rootsher/server-side-portal-framework
61d51a215bed8e447a528c8a65a9d2ba92453790
js/memberlist.js
js/memberlist.js
//Memberlist JavaScript function hookUpMemberlistControls() { $("#orderBy,#order,#sex,#power").change(function(e) { refreshMemberlist(); }); $("#submitQuery").click(function() { refreshMemberlist(); }); refreshMemberlist(); } function refreshMemberlist(page) { var orderBy = document.getElementById("orderB...
//Memberlist JavaScript function hookUpMemberlistControls() { $("#orderBy,#order,#sex,#power").change(function(e) { refreshMemberlist(); }); $("#submitQuery").click(function() { refreshMemberlist(); }); refreshMemberlist(); } function refreshMemberlist(page) { var orderBy = $("#orderBy").val(); var order...
Use jQuery instead of document.getElementById.
Use jQuery instead of document.getElementById.
JavaScript
bsd-2-clause
Jceggbert5/ABXD,ABXD/ABXD,carlosfortes/ABXD,carlosfortes/ABXD,carlosfortes/ABXD,Jceggbert5/ABXD,Jceggbert5/ABXD,ABXD/ABXD,ABXD/ABXD
b6d411f8cd7a895394227ec6b1b3e226a69bb5e6
lib/chlg-init.js
lib/chlg-init.js
'use strict'; var fs = require('fs'); var program = require('commander'); program .option('-f, --file [filename]', 'Changelog filename', 'CHANGELOG.md') .parse(process.argv); function chlgInit(file, callback) { file = file || program.file; fs.stat(file, function (err) { if (!err || err.code !== 'ENOENT...
'use strict'; var fs = require('fs'); var program = require('commander'); program .option('-f, --file [filename]', 'Changelog filename', 'CHANGELOG.md') .parse(process.argv); function chlgInit(file, callback) { file = file || program.file; fs.stat(file, function (err) { if (!err || err.code !== 'ENOENT...
Fix chld-show command line usage
Fix chld-show command line usage
JavaScript
mit
fldubois/changelog-cli
599c023798d96766d4552ad3619b95f5e84f8ed3
lib/form-data.js
lib/form-data.js
/*global window*/ var isBrowser = typeof window !== 'undefined' && typeof window.FormData !== 'undefined'; // use native FormData in a browser var FD = isBrowser? window.FormData : require('form-data'); module.exports = FormData; module.exports.isBrowser = isBrowser; function FormData() { ...
/*global window*/ var isBrowser = typeof window !== 'undefined' && typeof window.FormData !== 'undefined'; // use native FormData in a browser var FD = isBrowser? window.FormData : require('form-data'); module.exports = FormData; module.exports.isBrowser = isBrowser; function FormData() { ...
Convert ArrayBuffer to Blob in FormData
Convert ArrayBuffer to Blob in FormData
JavaScript
mit
lakenen/node-box-view
daa7c07dc6eaaad441c35c9da540ef4863f2bee3
client/views/activities/latest/latestByType.js
client/views/activities/latest/latestByType.js
Template.latestActivitiesByType.created = function () { // Create 'instance' variable for use througout template logic var instance = this; // Subscribe to all activity types instance.subscribe('allActivityTypes'); // Create variable to hold activity type selection instance.activityTypeSelection = new Rea...
Template.latestActivitiesByType.created = function () { // Create 'instance' variable for use througout template logic var instance = this; // Subscribe to all activity types instance.subscribe('allActivityTypes'); // Create variable to hold activity type selection instance.activityTypeSelection = new Rea...
Change activity type selection on change event
Change activity type selection on change event
JavaScript
agpl-3.0
brylie/juhani-wellbeing,brylie/juhani-wellbeing,brylie/juhani-wellbeing,GeriLife/wellbeing,brylie/juhani-wellbeing,GeriLife/wellbeing,GeriLife/wellbeing,GeriLife/wellbeing
4b765f32e63599995bef123d47fd9ddd39bdb235
pages/books/read.js
pages/books/read.js
// @flow /** * Part of GDL gdl-frontend. * Copyright (C) 2017 GDL * * See LICENSE */ import * as React from 'react'; import { fetchBook } from '../../fetch'; import type { BookDetails, Context } from '../../types'; import defaultPage from '../../hocs/defaultPage'; import Head from '../../components/Head'; import...
// @flow /** * Part of GDL gdl-frontend. * Copyright (C) 2017 GDL * * See LICENSE */ import * as React from 'react'; import { fetchBook } from '../../fetch'; import type { BookDetails, Context } from '../../types'; import defaultPage from '../../hocs/defaultPage'; import errorPage from '../../hocs/errorPage'; im...
Add error handling to Read book page
Add error handling to Read book page
JavaScript
apache-2.0
GlobalDigitalLibraryio/gdl-frontend,GlobalDigitalLibraryio/gdl-frontend
56583e9cb09dfbcea6da93af4d10268b51b232e9
js/casper.js
js/casper.js
var fs = require('fs'); var links; function getLinks() { // Scrape the links from primary nav of the website var links = document.querySelectorAll('.nav-link.t-nav-link'); return Array.prototype.map.call(links, function (e) { return e.getAttribute('href') }); } casper.start('http://192.168.13.37/i...
var fs = require('fs'); var links; function getLinks() { var links = document.querySelectorAll('.nav-link.t-nav-link'); return Array.prototype.map.call(links, function (e) { return e.getAttribute('href') }); } casper.start('http://192.168.13.37/index.php', function() { fs.write('tests/validati...
Fix For Loop to Iterate Every Link in Primary Nav
Fix For Loop to Iterate Every Link in Primary Nav
JavaScript
mit
jadu/pulsar,jadu/pulsar,jadu/pulsar
626e52c243ee1e82988d4650cbb22d3d8c304ed6
js/modals.js
js/modals.js
/* ======================================================================== * Ratchet: modals.js v2.0.2 * http://goratchet.com/components#modals * ======================================================================== * Copyright 2015 Connor Sears * Licensed under MIT (https://github.com/twbs/ratchet/blob/master...
/* ======================================================================== * Ratchet: modals.js v2.0.2 * http://goratchet.com/components#modals * ======================================================================== * Copyright 2015 Connor Sears * Licensed under MIT (https://github.com/twbs/ratchet/blob/master...
Create modalOpen and modalClose events.
Create modalOpen and modalClose events.
JavaScript
mit
jackyzonewen/ratchet,hashg/ratchet,AndBicScadMedia/ratchet,mazong1123/ratchet-pro,Joozo/ratchet,calvintychan/ratchet,asonni/ratchet,aisakeniudun/ratchet,youprofit/ratchet,Diaosir/ratchet,wallynm/ratchet,vebin/ratchet,mbowie5/playground2,arnoo/ratchet,AladdinSonni/ratchet,youzaiyouzai666/ratchet,ctkjose/ratchet-1,liangx...
65a9b66c2d9f30bad14a06b0646737ec86799f39
src/matchNode.js
src/matchNode.js
/* * Copyright (c) 2015-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * */ 'us...
/* * Copyright (c) 2015-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * */ 'us...
Fix fatal when matching null values in needle
Fix fatal when matching null values in needle
JavaScript
mit
facebook/jscodeshift,fkling/jscodeshift
a69af39c3d2f4b1ec80a08bd6abe70e2a431b083
packages/staplegun/test/fixtures/good-plugins/threepack/three.js
packages/staplegun/test/fixtures/good-plugins/threepack/three.js
const R = require('ramda') export default async () => { console.log('1...2...3...') return R.range(1, 4) // return [1, 2, 3] }
const R = require('ramda') export default async () => { return R.range(1, 4) }
Remove the console log from a fixture.
Remove the console log from a fixture.
JavaScript
mit
infinitered/gluegun,infinitered/gluegun,infinitered/gluegun
eef93ee29ecec1f150dc8af0e9277709a39daaed
dotjs.js
dotjs.js
var hostname = location.hostname.replace(/^www\./, ''); var style = document.createElement('link'); style.rel = 'stylesheet'; style.href = chrome.extension.getURL('styles/' + hostname + '.css'); document.documentElement.insertBefore(style); var defaultStyle = document.createElement('link'); defaultStyle.rel = 'styles...
var hostname = location.hostname.replace(/^www\./, ''); var style = document.createElement('link'); style.rel = 'stylesheet'; style.href = chrome.extension.getURL('styles/' + hostname + '.css'); document.documentElement.appendChild(style); var defaultStyle = document.createElement('link'); defaultStyle.rel = 'stylesh...
Use appendChild instead of insertBefore for a small perfomance boost
Use appendChild instead of insertBefore for a small perfomance boost - Fixes #11
JavaScript
mit
p3lim/dotjs-universal,p3lim/dotjs-universal
d0b8c473fa886a208dcdfa4fd8bc97fc4c1b6770
lib/graph.js
lib/graph.js
import _ from 'lodash'; import {Graph, alg} from 'graphlib'; const dijkstra = alg.dijkstra; export function setupGraph(relationships) { let graph = new Graph({ directed: true }); _.each(relationships, function (relationship) { graph.setEdge(relationship.from, relationship.to, relationship.method); });...
import _ from 'lodash'; import {Graph, alg} from 'graphlib'; _.memoize.Cache = WeakMap; let dijkstra = _.memoize(alg.dijkstra); export function setupGraph(pairs) { let graph = new Graph({ directed: true }); _.each(pairs, ({from, to, method}) => graph.setEdge(from, to, method)); return graph; } export fun...
Use ES2015 destructuring and add memoization to dijkstra
Use ES2015 destructuring and add memoization to dijkstra
JavaScript
mit
siddharthkchatterjee/graph-resolver
b20135c356901cd16f8fd94f3ac05af4ab464005
lib/index.js
lib/index.js
import constant from './constant'; import freeze from './freeze'; import is from './is'; import _if from './if'; import ifElse from './ifElse'; import map from './map'; import omit from './omit'; import reject from './reject'; import update from './update'; import updateIn from './updateIn'; import withDefault from './...
import constant from './constant'; import freeze from './freeze'; import is from './is'; import _if from './if'; import ifElse from './ifElse'; import map from './map'; import omit from './omit'; import reject from './reject'; import update from './update'; import updateIn from './updateIn'; import withDefault from './...
Allow updeep to be require()’d from CommonJS
Allow updeep to be require()’d from CommonJS
JavaScript
mit
substantial/updeep,substantial/updeep
f3735c9b214ea8bbe2cf3619409952fedb1eb7ac
lib/index.js
lib/index.js
'use strict'; var path = require('path'); var BinWrapper = require('bin-wrapper'); var pkg = require('../package.json'); var url = 'https://raw.githubusercontent.com/jihchi/giflossy-bin/v' + pkg.version + '/vendor/'; module.exports = new BinWrapper() .src(url + 'macos/giflossy', 'darwin') .src(url + 'linux/x86/gifl...
'use strict'; var path = require('path'); var BinWrapper = require('bin-wrapper'); var pkg = require('../package.json'); var url = 'https://raw.githubusercontent.com/jihchi/giflossy-bin/v' + pkg.version + '/vendor/'; module.exports = new BinWrapper() .src(url + 'macos/gifsicle', 'darwin') .src(url + 'linux/x86/gifs...
Rename binary filename to gifsicle
Rename binary filename to gifsicle
JavaScript
mit
jihchi/giflossy-bin
fec0c1ca4048c3590396cd5609cb3085e6c61bf5
lib/index.js
lib/index.js
'use strict'; var config = require('../config/configuration.js'); function htmlReplace(str) { return str.replace(/<\/?[a-z1-9]+(\s+[a-z]+=["'](.*)["'])*\/?>/g, ' ').replace(/ +/g, ' ').replace(/ ?\n ?/g, '\n').trim(); } module.exports = function(path, document, changes, finalCb) { if(document.data.html === undef...
'use strict'; var config = require('../config/configuration.js'); function htmlReplace(str) { return str.replace(/<\/?[^>]+\/?>/g, ' ').replace(/ +/g, ' ').replace(/ ?\n ?/g, '\n').trim(); } module.exports = function(path, document, changes, finalCb) { if(document.data.html === undefined) { changes.data.html...
Update regexp for HTML strip
Update regexp for HTML strip
JavaScript
mit
AnyFetch/embedmail-hydrater.anyfetch.com
7ca1d708a9a9c22e596e9c4a64db74115994d54a
koans/AboutExpects.js
koans/AboutExpects.js
describe("About Expects", function() { //We shall contemplate truth by testing reality, via spec expectations. it("should expect true", function() { expect(false).toBeTruthy(); //This should be true }); //To understand reality, we must compare our expectations against reality. it("should expect equali...
describe("About Expects", function() { // We shall contemplate truth by testing reality, via spec expectations. it("should expect true", function() { expect(false).toBeTruthy(); // This should be true }); // To understand reality, we must compare our expectations against reality. it("should expect equ...
Correct spacing and language in comments
Correct spacing and language in comments
JavaScript
mit
DhiMalo/javascript-koans,GMatias93/javascript-koans,JosephSun/javascript-koans,existenzial/javascript-koans,GMatias93/javascript-koans,darrylnu/javascript-koans,JosephSun/javascript-koans,DhiMalo/javascript-koans,existenzial/javascript-koans,GMatias93/javascript-koans,darrylnu/javascript-koans,darrylnu/javascript-koans...
6eea14a4d3291b3d6e1088a6cd4eacda056ce56a
tests/dummy/mirage/factories/pledge.js
tests/dummy/mirage/factories/pledge.js
import { Factory, faker } from 'ember-cli-mirage'; export default Factory.extend({ fund: () => faker.random.arrayElement(["WNYC", "WQXR", "Radiolab"]), orderPrice: () => faker.random.arrayElement([60, 72, 120, 12, 90, 100]), orderDate: faker.date.past, orderCode: () => faker.random.arrayElement([1234567,234567...
import { Factory, faker } from 'ember-cli-mirage'; export default Factory.extend({ fund: () => faker.random.arrayElement(["WNYC", "WQXR", "Radiolab", "J.Schwartz"]), orderPrice: () => faker.random.arrayElement([60, 72, 120, 12, 90, 100]), orderDate: faker.date.past, orderCode: () => faker.random.arrayElement([...
Add Jonathan Schwartz as fund in mirage factory
Add Jonathan Schwartz as fund in mirage factory
JavaScript
mit
nypublicradio/nypr-account-settings,nypublicradio/nypr-account-settings
c19fc02c3ea90da940bb39a9f59f0c9b06632175
lib/index.js
lib/index.js
var _ = require('lodash'); var path = require('path'); var exec = require('child_process').exec; var LOG_TYPES = [ "ERROR", "WARNING" ]; module.exports = function(filepath, options, callback) { if (!callback) { callback = options; options = {}; } options = _.defaults(options || {}, { epubcheck: "epubcheck...
var _ = require('lodash'); var path = require('path'); var exec = require('child_process').exec; var LOG_TYPES = [ "ERROR", "WARNING" ]; module.exports = function(filepath, options, callback) { if (!callback) { callback = options; options = {}; } options = _.defaults(options || {}, { epubcheck: "epubcheck...
Handle correctly error from epubcheck
Handle correctly error from epubcheck
JavaScript
apache-2.0
GitbookIO/node-epubcheck
7fbdffa0bb2c82589c2d786f9fa16863780a63db
app/assets/javascripts/download-menu.js
app/assets/javascripts/download-menu.js
function show_download_menu() { $('#download-menu').slideDown(); setTimeout(hide_download_menu, 20000); $('#download-link').html('cancel'); } function hide_download_menu() { $('#download-menu').slideUp(); $('#download-link').html('download'); } function toggle_download_menu() { if ($('#download-link').htm...
function show_download_menu() { $('#download-menu').slideDown({ duration: 200 }); setTimeout(hide_download_menu, 20000); $('#download-link').html('cancel'); } function hide_download_menu() { $('#download-menu').slideUp({ duration: 200 }); $('#download-link').html('download'); } function toggle_download_menu...
Speed up the download menu appear/disappear a bit
Speed up the download menu appear/disappear a bit
JavaScript
agpl-3.0
BatedUrGonnaDie/splits-io,BatedUrGonnaDie/splits-io,glacials/splits-io,BatedUrGonnaDie/splits-io,glacials/splits-io,glacials/splits-io,BatedUrGonnaDie/splits-io,glacials/splits-io
78a75ddd6de442e9e821a1bb09192d17635ff1b6
config/default.js
config/default.js
module.exports = { Urls: { vault_base_url: '', base_url: process.env.BASE_URL || process.env.HUBOT_ROOT_URL }, Strings: { sorry_dave: 'I\'m sorry %s, I\'m afraid I can\'t do that.' }, };
module.exports = { Urls: { vault_base_url: process.env.HUBOT_VAULT_URL, base_url: process.env.BASE_URL || process.env.HUBOT_ROOT_URL }, Strings: { sorry_dave: 'I\'m sorry %s, I\'m afraid I can\'t do that.' }, };
Add vault url config environment variable
Add vault url config environment variable
JavaScript
mit
uWhisp/hubot-db-heimdall,uWhisp/hubot-db-heimdall
3691387bdf33e6c02899371de63497baea3ab807
app/routes.js
app/routes.js
// @flow import React from 'react'; import { Route, IndexRoute } from 'react-router'; import App from './containers/App'; import VerticalTree from './containers/VerticalTree'; export default ( <Route path="/" component={App}> <IndexRoute component={VerticalTree} /> </Route> );
// @flow import React from 'react'; import { Route, IndexRoute } from 'react-router'; import App from './containers/App'; import Menu from './components/Menu'; import VerticalTree from './containers/VerticalTree'; import AVLTree from './containers/AVLTree'; export default ( <Route path="/" component={App}> <Ind...
Add route for example structures, and home page
Add route for example structures, and home page
JavaScript
mit
ivtpz/brancher,ivtpz/brancher
2ed2947f05c86d25e47928fa3eedbca0e84b92d8
LayoutTests/http/tests/notifications/resources/update-event-test.js
LayoutTests/http/tests/notifications/resources/update-event-test.js
if (self.importScripts) { importScripts('/resources/testharness.js'); importScripts('worker-helpers.js'); } async_test(function(test) { if (Notification.permission != 'granted') { assert_unreached('No permission has been granted for displaying notifications.'); return; } var notifi...
if (self.importScripts) { importScripts('/resources/testharness.js'); importScripts('worker-helpers.js'); } async_test(function(test) { if (Notification.permission != 'granted') { assert_unreached('No permission has been granted for displaying notifications.'); return; } // We requ...
Verify in a layout test that replacing a notification closes the old one.
Verify in a layout test that replacing a notification closes the old one. We do this by listening to the "close" event on the old notification as well. This test passes with or without the Chrome-sided fix because it's properly implemented in the LayoutTestNotificationManager, but is a good way of verifying the fix ma...
JavaScript
bsd-3-clause
Bysmyyr/blink-crosswalk,kurli/blink-crosswalk,smishenk/blink-crosswalk,Bysmyyr/blink-crosswalk,jtg-gg/blink,jtg-gg/blink,kurli/blink-crosswalk,XiaosongWei/blink-crosswalk,PeterWangIntel/blink-crosswalk,Pluto-tv/blink-crosswalk,modulexcite/blink,Pluto-tv/blink-crosswalk,jtg-gg/blink,nwjs/blink,XiaosongWei/blink-crosswal...
750402603dd7060bec89b98704be75597c6634bd
bin/oust.js
bin/oust.js
#!/usr/bin/env node var oust = require('../index'); var pkg = require('../package.json'); var fs = require('fs'); var argv = require('minimist')((process.argv.slice(2))) var printHelp = function() { console.log('oust'); console.log(pkg.description); console.log(''); console.log('Usage:'); console.log(' $ oust...
#!/usr/bin/env node var oust = require('../index'); var pkg = require('../package.json'); var fs = require('fs'); var argv = require('minimist')((process.argv.slice(2))) var printHelp = function() { console.log('oust'); console.log(pkg.description); console.log(''); console.log('Usage:'); console.log(' $ oust ...
Update CLI based on @sindresorhus feedback
Update CLI based on @sindresorhus feedback * don't use flagged args for file and selector * exit properly if error opening file
JavaScript
apache-2.0
addyosmani/oust,addyosmani/oust,actmd/oust,actmd/oust
fdee590648c6fdad1d6b19ef83bb9ce4b33fb0dc
src/merge-request-schema.js
src/merge-request-schema.js
const mongoose = require('mongoose'); const Schema = mongoose.Schema; module.exports = new Schema({ merge_request: { id: Number, url: String, target_branch: String, source_branch: String, created_at: String, updated_at: String, title: String, description: String, status: String, ...
const mongoose = require('mongoose'); const Schema = mongoose.Schema; module.exports = { name: 'MergeRequest', schema: new Schema({ merge_request: { id: Number, url: String, target_branch: String, source_branch: String, created_at: String, updated_at: String, title: St...
Merge request now exports its desired collection name
refactor: Merge request now exports its desired collection name
JavaScript
mit
NSAppsTeam/nickel-bot
26aca19bd633c7c876099d39b8d688d51bb7e773
spec/specs.js
spec/specs.js
describe('pingPongOutput', function() { it("is the number for most input numbers", function() { expect(pingPongOutput(2)).to.equal(2); }); it("is 'ping' for numbers divisible by 3", function() { expect(pingPongOutput(6)).to.equal("ping"); }); });
describe('pingPongOutput', function() { it("is the number for most input numbers", function() { expect(pingPongOutput(2)).to.equal(2); }); it("is 'ping' for numbers divisible by 3", function() { expect(pingPongOutput(6)).to.equal("ping"); }); it("is 'pong' for numbers divisible by 5", function() { ...
Add spec for numbers divisible by 5
Add spec for numbers divisible by 5
JavaScript
mit
JeffreyRuder/ping-pong-app,JeffreyRuder/ping-pong-app
da15d3de4dca28bb7ade0818b8dc0b97967c067d
lib/widgets/KeyBar.js
lib/widgets/KeyBar.js
'use strict'; const CLI = require('clui'); const clc = require('cli-color'); const gauge = CLI.Gauge; const Line = CLI.Line; module.exports = function (tactile, max) { if (!tactile) { return new Line(); } let name = tactile.label; if (tactile.name) { name += ` (${tactile.name.toUpperCase()})`; } return new L...
'use strict'; const CLI = require('clui'); const clc = require('cli-color'); const gauge = CLI.Gauge; const Line = CLI.Line; module.exports = function (tactile, maxIdLength, max) { if (!tactile) { return new Line(); } let id = Array(maxIdLength - tactile.id.toString().length).join(0) + tactile.id.toString(); let...
Add tactile id to output
Add tactile id to output
JavaScript
mit
ProbablePrime/interactive-keyboard,ProbablePrime/beam-keyboard
3cd107a985bcfd81b79633f06d3c21fe641f68c5
app/js/services.js
app/js/services.js
'use strict'; /* Services */ var splitcoinServices = angular.module('splitcoin.services', ['ngResource']); // Demonstrate how to register services // In this case it is a simple value service. splitcoinServices.factory('Ticker', ['$resource', function($resource){ return $resource('/sampledata/ticker.json...
'use strict'; /* Services */ var splitcoinServices = angular.module('splitcoin.services', ['ngResource']); // Demonstrate how to register services // In this case it is a simple value service. splitcoinServices.factory('Ticker', ['$resource', function($resource){ // For real data use: http://blockchain.i...
Add comment about real data
Add comment about real data
JavaScript
mit
kpeatt/splitcoin,kpeatt/splitcoin,kpeatt/splitcoin
e324b674c13a39b54141acaa0ab31ebc66177eb2
app/assets/javascripts/umlaut/expand_contract_toggle.js
app/assets/javascripts/umlaut/expand_contract_toggle.js
/* expand_contract_toggle.js: Support for show more/hide more in lists of umlaut content. The JS needs to swap out the image for expand/contract toggle. AND we need the URL it swaps in to be an ABSOLUTE url when we're using partial html widget. So we swap in a non-fingerprinted URL, even if the ori...
/* expand_contract_toggle.js: Support for show more/hide more in lists of umlaut content. The JS needs to swap out the image for expand/contract toggle. AND we need the URL it swaps in to be an ABSOLUTE url when we're using partial html widget. So we swap in a non-fingerprinted URL, even if the ori...
Add JS hack cuz Bootstrap don't work right with collapsible.
Add JS hack cuz Bootstrap don't work right with collapsible.
JavaScript
mit
team-umlaut/umlaut,team-umlaut/umlaut,team-umlaut/umlaut
e23a40064468c27be76dbb27efd4e4f2ac91ece5
app/js/arethusa.core/directives/arethusa_grid_handle.js
app/js/arethusa.core/directives/arethusa_grid_handle.js
"use strict"; angular.module('arethusa.core').directive('arethusaGridHandle', [ function() { return { restrict: 'E', scope: true, link: function(scope, element, attrs, ctrl, transclude) { }, templateUrl: 'templates/arethusa.core/arethusa_grid_handle.html' }; } ]);
"use strict"; angular.module('arethusa.core').directive('arethusaGridHandle', [ function() { return { restrict: 'E', scope: true, link: function(scope, element, attrs, ctrl, transclude) { function mouseEnter() { scope.$apply(function() { scope.visible = true; }); } ...
Fix mouse events in arethusaGridHandle
Fix mouse events in arethusaGridHandle
JavaScript
mit
PonteIneptique/arethusa,Masoumeh/arethusa,Masoumeh/arethusa,alpheios-project/arethusa,fbaumgardt/arethusa,latin-language-toolkit/arethusa,fbaumgardt/arethusa,alpheios-project/arethusa,alpheios-project/arethusa,PonteIneptique/arethusa,fbaumgardt/arethusa,latin-language-toolkit/arethusa
5e579bd846f2fd223688dbfeca19b8a9a9f98295
src/config.js
src/config.js
import dotenv from "dotenv"; import moment from "moment"; dotenv.load(); export const MONGODB_URL = process.env.MONGODB_URL || "mongodb://localhost:27017/test"; export const KINESIS_STREAM_NAME = process.env.KINESIS_STREAM_NAME || "test"; export const AGGREGATES_COLLECTION_NAME = process.env.AGGREGATES_COLLECTION_NAM...
import dotenv from "dotenv"; import moment from "moment"; dotenv.load(); export const MONGODB_URL = process.env.MONGODB_URL || "mongodb://localhost:27017/test"; export const KINESIS_STREAM_NAME = process.env.KINESIS_STREAM_NAME || "test"; export const AGGREGATES_COLLECTION_NAME = process.env.AGGREGATES_COLLECTION_NAM...
Add reference to allowed sources
Add reference to allowed sources
JavaScript
apache-2.0
innowatio/iwwa-lambda-virtual-aggregator,innowatio/iwwa-lambda-virtual-aggregator
eaf923a11d75bbdb5373cd4629d31e4a38c5a659
js/rapido.utilities.js
js/rapido.utilities.js
(function($, window, document, undefined) { $.rapido_Utilities = { // Get class of element object getClass: function(el) { el = $(el).attr('class').replace(/^\s\s*/, '').replace(/\s\s*$/, ''); return '.' + el.split(' ').join('.'); }, // Remove dot from class dotlessClass: function(s...
(function($, window, document, undefined) { $.rapido_Utilities = { // Get class of element object getClass: function(el) { var attr = $(el).attr('class'); if (typeof attr !== 'undefined' && attr !== false) { el = $(el).attr('class').replace(/^\s\s*/, '').replace(/\s\s*$/, ''); re...
Fix error in IE8 "attr(...)' is null or not an object"
Fix error in IE8 "attr(...)' is null or not an object"
JavaScript
mit
raffone/rapido,raffone/rapido,raffone/rapido
018018062b1a4f127d4861707ec9c438248a8dab
index.js
index.js
"use strict"; var glob = require("glob"); var path = require("path"); module.exports = function (content, sourceMap) { this.cacheable && this.cacheable(); var resourceDir = path.dirname(this.resourcePath); var pattern = content.trim(); var files = glob.sync(pattern, { cwd: resourceDir, realpath: true ...
"use strict"; var glob = require("glob"); var path = require("path"); module.exports = function (content, sourceMap) { var resourceDir = path.dirname(this.resourcePath); var pattern = content.trim(); var files = glob.sync(pattern, { cwd: resourceDir, realpath: true }); if (!files.length) { this...
Revert "feat: make results cacheable"
Revert "feat: make results cacheable" This reverts commit 43ac8eee4f33ac43c97ed6831a3660b1387148cb.
JavaScript
mit
seanchas116/glob-loader
f2ac02fcd69265f4e045883f5b033a91dd4e406d
index.js
index.js
var fs = require('fs'), path = require('path') module.exports = function (target) { var directory = path.dirname(module.parent.filename), rootDirectory = locatePackageJson(directory) return requireFromRoot(target, rootDirectory) } function locatePackageJson(directory) { try { fs.readFileSync(path...
"use strict"; // Node var lstatSync = require("fs").lstatSync; var path = require("path"); /** * Attempts to find the project root by finding the nearest package.json file. * @private * @param {String} currentPath - Path of the file doing the including. * @return {String?} */ function findProjectRoot(currentPath...
Fix relative path being relative to install location and not requesting file
Fix relative path being relative to install location and not requesting file Fixes #2.
JavaScript
mit
anthonynichols/node-include
78da26a359947988dbcacd635600909764b410a3
src/UCP/AbsenceBundle/Resources/public/js/app/views/planningview.js
src/UCP/AbsenceBundle/Resources/public/js/app/views/planningview.js
App.Views.PlanningView = Backbone.View.extend({ className: 'planning', initialize: function() { this.lessons = this.collection; this.lessons.on('add change remove reset', this.render, this); }, render: function() { var lessons = this.lessons.toArray(); // Build day vie...
App.Views.PlanningView = Backbone.View.extend({ className: 'planning', initialize: function() { this.lessons = this.collection; this.lessons.on('add change remove reset', this.render, this); }, render: function() { var lessons = this.lessons.toArray(); // Build day vie...
Fix planning page on Safari
Fix planning page on Safari new Date("…") cannot parse ISO8601 with a timezone on certain non-fully ES5 compliant browsers
JavaScript
mit
mdarse/take-the-register,mdarse/take-the-register
e32792f7b23aa899a083f0618d1b093f93101e9f
src/errors.js
src/errors.js
export function ValidationError(message, details = {}) { const { columns = {}, value = null } = details; this.message = message; this.columns = columns; this.value = value; if (message instanceof Error) { this.message = message.message; this.stack = message.stac...
export function ValidationError(message, details = {}) { const { columns = {}, value = null } = details; this.message = message; this.columns = columns; this.value = value; if (message instanceof Error) { this.message = message.message; this.stack = message.stac...
Define 'name' on the prototype instead of constructor
Define 'name' on the prototype instead of constructor
JavaScript
mit
goodybag/nagoya
951adf61d874553956ac63d2268629d7b2a603ec
core/imagefile.js
core/imagefile.js
function ImageFile(_game) { this.game = _game; this.name = new Array(); this.data = new Array(); this.counter = 0; return this; }; ImageFile.prototype.load = function(_imageSrc, _width, _height) { if(!this.getImageDataByName(_imageSrc)) { var self = this; var _image = new Image(); _image.sr...
function ImageFile(_game) { this.game = _game; this.name = new Array(); this.data = new Array(); this.counter = 0; return this; }; ImageFile.prototype.load = function(_imageSrc, _width, _height) { if(!this.getImageDataByName(_imageSrc)) { var self = this; var _image = new Image(); _image.sr...
Create loadMap function to load map images
Create loadMap function to load map images
JavaScript
mit
fjsantosb/Molecule
9f71330ad43cb188feef6a6c6053ae9f6dd731f5
index.js
index.js
var babelPresetEs2015, commonJsPlugin, es2015PluginList, es2015WebpackPluginList; babelPresetEs2015 = require('babel-preset-es2015'); try { // npm ^2 commonJsPlugin = require('babel-preset-es2015/node_modules/babel-plugin-transform-es2015-modules-commonjs'); } catch (error) { } if (!commonJsPlug...
var babelPresetEs2015, commonJsPlugin, es2015PluginList, es2015WebpackPluginList; babelPresetEs2015 = require('babel-preset-es2015'); try { // npm ^3 commonJsPlugin = require('babel-plugin-transform-es2015-modules-commonjs'); } catch (error) { } if (!commonJsPlugin) { try { // npm ^2...
Fix module resolution for npm 3+
Fix module resolution for npm 3+
JavaScript
bsd-3-clause
gajus/babel-preset-es2015-webpack
8929cc57fe95f1802a7676250ed489562f76c8db
index.js
index.js
/* jshint node: true */ 'use strict'; var request = require('request'); var BasePlugin = require('ember-cli-deploy-plugin'); module.exports = { name: 'ember-cli-deploy-cdnify-purge-cache', createDeployPlugin: function(options) { var DeployPlugin = BasePlugin.extend({ name: options.name, requiredCo...
/* jshint node: true */ 'use strict'; var request = require('request'); var BasePlugin = require('ember-cli-deploy-plugin'); module.exports = { name: 'ember-cli-deploy-cdnify-purge-cache', createDeployPlugin: function(options) { var DeployPlugin = BasePlugin.extend({ name: options.name, requiredCo...
Remove let until upstream Ember-CLI issue is fixed
Remove let until upstream Ember-CLI issue is fixed
JavaScript
mit
fauxton/ember-cli-deploy-cdnify-purge-cache,fauxton/ember-cli-deploy-cdnify-purge-cache
fbed9d4aac28c0ef9d5070b31aeec9de09009e26
index.js
index.js
var url = require('url') module.exports = function(uri, cb) { var parsed try { parsed = url.parse(uri) } catch (err) { return cb(err) } if (!parsed.host) { return cb(new Error('Invalid url: ' + uri)) } var opts = { host: parsed.host , port: parsed.port , path: parsed.path , meth...
var request = require('request') module.exports = function(options, cb) { if ('string' === typeof options) { options = { uri: options } } options = options || {} options.method = 'HEAD' options.followAllRedirects = true request(options, function(err, res, body) { if (err) return cb(err)...
Use request and allow passing object
Use request and allow passing object
JavaScript
mit
evanlucas/remote-file-size
7920bd541507d35990f146aa45168a4b2f4331be
index.js
index.js
"use strict" const examine = require("./lib/examine") const inspect = require("./lib/inspect") const isPlainObject = require("./lib/is-plain-object") const whereAll = require("./lib/where-all") module.exports = { examine, inspect, isPlainObject, whereAll }
"use strict" const { examine, see } = require("./lib/examine") const inspect = require("./lib/inspect") const isPlainObject = require("./lib/is-plain-object") const whereAll = require("./lib/where-all") module.exports = { examine, inspect, isPlainObject, see, whereAll }
Include the missing `see` function
Include the missing `see` function
JavaScript
mit
icylace/icylace-object-utils
0ed42a900e206c2cd78fdf6b5f6578254394f3e2
src/sprites/Common/index.js
src/sprites/Common/index.js
import Phaser from 'phaser'; export default class extends Phaser.Sprite { constructor(game, x, y, sprite, frame) { super(game, x, y, sprite, frame); this.anchor.setTo(0.5, 0.5); } }
import Phaser from 'phaser'; import { alignToGrid } from '../../tiles'; export default class extends Phaser.Sprite { constructor(game, x, y, sprite, frame) { const alignedCoords = alignToGrid({ x, y }); x = alignedCoords.x; y = alignedCoords.y; super(game, x, y, sprite, frame); this.anchor.se...
Align to grid before placing object
Align to grid before placing object
JavaScript
mit
ThomasMays/incremental-forest,ThomasMays/incremental-forest
ae1ac92b8884f41656eda30a0949fec0eceb2428
server/services/passport.js
server/services/passport.js
const passport = require('passport'); const GoogleStrategy = require('passport-google-oauth20').Strategy; const keys = require('../config/keys'); const mongoose = require('mongoose'); const User = mongoose.model('users'); // retrieve this collection // Tell passport to use google oauth for authentication passport.use(...
const passport = require('passport'); const GoogleStrategy = require('passport-google-oauth20').Strategy; const keys = require('../config/keys'); const mongoose = require('mongoose'); const User = mongoose.model('users'); // retrieve this collection // Tell passport to use google oauth for authentication passport.use(...
Add serialization and deserlization for User
Add serialization and deserlization for User Serialization step: get the user.id as a cookie value and send it back to the client for later user. Deserialization: client sends make a request with cookie value that can be turned into an actual user instance.
JavaScript
mit
chhaymenghong/FullStackReact
4bfa64cf19896baf36af8a21f022771252700c27
ui/app/common/components/pnc-temporary-build-record-label/pncTemporaryBuildRecordLabel.js
ui/app/common/components/pnc-temporary-build-record-label/pncTemporaryBuildRecordLabel.js
/* * JBoss, Home of Professional Open Source. * Copyright 2014-2018 Red Hat, Inc., and individual contributors * as indicated by the @author tags. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the ...
/* * JBoss, Home of Professional Open Source. * Copyright 2014-2018 Red Hat, Inc., and individual contributors * as indicated by the @author tags. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the ...
Fix temporary build label init process
Fix temporary build label init process
JavaScript
apache-2.0
thescouser89/pnc,jdcasey/pnc,matedo1/pnc,matedo1/pnc,alexcreasy/pnc,alexcreasy/pnc,jdcasey/pnc,rnc/pnc,matejonnet/pnc,alexcreasy/pnc,matedo1/pnc,pkocandr/pnc,jdcasey/pnc,project-ncl/pnc
e39eb6b1f2c4841ddc293428ab0c358214e897ad
src/colors.js
src/colors.js
const colors = { red: '#e42d40', white: '#ffffff', veryLightGray: '#ededed', lightGray: '#cccccc', gray: '#888888', darkGray: '#575757' } const brandPreferences = { primary: colors.red, bg: colors.white, outline: colors.lightGray, placeholder: colors.veryLightGray, userInput: colors.darkGray } ...
const colors = { red: '#e42d40', white: '#ffffff', veryLightGray: '#ededed', lightGray: '#cccccc', gray: '#888888', darkGray: '#575757' } const brandPreferences = { primary: colors.red, bg: colors.white, outline: colors.lightGray, placeholder: colors.veryLightGray, userInput: colors.darkGray } ...
Use spread syntax instead of Object.assign
Use spread syntax instead of Object.assign
JavaScript
mit
hackclub/api,hackclub/api,hackclub/api
edd75a3c15c81feb05d51736af6dd605bb10a72f
src/routes.js
src/routes.js
import React from 'react'; import {IndexRoute, Route} from 'react-router'; import { isLoaded as isAuthLoaded, load as loadAuth } from 'redux/modules/auth'; import { App, Chat, Home, Widgets, About, Login, LoginSuccess, Survey, NotFound, } from 'containers'; export default (store) ...
import React from 'react'; import {IndexRoute, Route} from 'react-router'; import { isLoaded as isAuthLoaded, load as loadAuth } from 'redux/modules/auth'; import { App, Chat, Home, Widgets, About, Login, LoginSuccess, Survey, NotFound, } from 'containers'; export default (store) ...
Use alphabetical route order for easier merging
Use alphabetical route order for easier merging
JavaScript
mit
ames89/keystone-react-redux,sunh11373/t648,ptim/react-redux-universal-hot-example,andyshora/memory-tools,huangc28/palestine-2,quicksnap/react-redux-universal-hot-example,melodylu/react-redux-universal-hot-example,moje-skoly/web-app,AndriyShepitsen/svredux,dieface/react-redux-universal-hot-example,ThatCheck/AutoLib,dumb...
3dfaa509dcae64b13f8b68c74fb6085e18c1ccc2
src/app/auth/auth.service.js
src/app/auth/auth.service.js
(function() { 'use strict'; var app = angular.module('radar.auth'); app.factory('authService', function(session, $q, store, adapter) { return { login: login }; function login(username, password) { var deferred = $q.defer(); adapter.post('/login', {}, {username: username, password...
(function() { 'use strict'; var app = angular.module('radar.auth'); app.factory('authService', function(session, $q, store, adapter) { return { login: login }; function login(username, password) { var deferred = $q.defer(); adapter.post('/login', {}, {username: username, password...
Add pagination support to API
Add pagination support to API
JavaScript
agpl-3.0
renalreg/radar-client,renalreg/radar-client,renalreg/radar-client
ad4f2512ab1e42bf19b877c04eddd831cf747fb0
models/collections.js
models/collections.js
var TreeModel = require('tree-model'); module.exports = function(DataTypes) { return [{ name: { type: DataTypes.STRING, allowNull: false } }, { instanceMethods: { insertIntoDirs: function(UUID, parentUUID) { var tree = new TreeModel(); var dirs = tree.parse(JSON.parse(...
var TreeModel = require('tree-model'); module.exports = function(DataTypes) { return [{ name: { type: DataTypes.STRING, allowNull: false } }]; };
Remove unnecessary instance methods of collection
Remove unnecessary instance methods of collection
JavaScript
mit
wikilab/wikilab-api
f0dc23100b7563c60f62dad82a4aaf364a69c2cb
test/index.js
test/index.js
// require Johnny's static var JohhnysStatic = require("../index") // require http , http = require('http'); // set static server: public folder JohhnysStatic.setStaticServer({root: "./public"}); // set routes JohhnysStatic.setRoutes({ "/": { "url": __dirname + "/html/index.html" } , "/test1/": { "...
// require Johnny's static var JohhnysStatic = require("../index") // require http , http = require('http'); // set static server: public folder JohhnysStatic.setStaticServer({root: __dirname + "/public"}); // set routes JohhnysStatic.setRoutes({ "/": { "url": "/html/index.html" } , "/test1/": { "u...
Use __dirname when setting the root
Use __dirname when setting the root
JavaScript
mit
IonicaBizauTrash/johnnys-node-static,IonicaBizau/statique,IonicaBizauTrash/johnnys-node-static,IonicaBizau/node-statique,IonicaBizau/johnnys-node-static,IonicaBizau/johnnys-node-static
d01325010342043712e1680d4fb577eaa4df3634
test/index.js
test/index.js
'use strict'; const fs = require('fs'); const path = require('path'); const cp = require('child_process'); const sass = require('../'); const root = path.resolve(__dirname, './test-cases'); const cases = fs.readdirSync(root); cases.forEach((test) => { let hasPackageJson; try { hasPackageJson = require(path....
'use strict'; const fs = require('fs'); const path = require('path'); const cp = require('child_process'); const sass = require('../'); const css = require('css'); const root = path.resolve(__dirname, './test-cases'); const cases = fs.readdirSync(root); cases.forEach((test) => { let hasPackageJson; try { ha...
Check output is valid css in test cases
Check output is valid css in test cases
JavaScript
mit
GeorgeTaveras1231/npm-sass,lennym/npm-sass
98943dcae31dbee0ad3e7a4b2b568128a3d20524
app/controllers/DefaultController.js
app/controllers/DefaultController.js
import AppController from './AppController' export default class DefaultController extends AppController { async indexAction(context) { return context.redirectToRoute('hello', {name: 'Christoph', foo: 'bar'}) } }
import AppController from './AppController' export default class DefaultController extends AppController { async indexAction(context) { return context.redirectToRoute('hello', {name: 'Christoph', foo: 'bar'}) } async missingRouteAction(context) { return context.redirectToRoute('foobarbazboo') } }
Add an action that redirects to a missing route
Add an action that redirects to a missing route
JavaScript
mit
CHH/learning-node,CHH/learning-node
f76d185650f187a509b59e86a09df063a177af78
test/utils.js
test/utils.js
import assert from 'power-assert'; import { camelToKebab } from '../src/utils'; describe('utils', () => { it('translates camelCase to kebab-case', () => { assert(camelToKebab('camelCaseToKebabCase') === 'camel-case-to-kebab-case'); }); it('does not add hyphen to the first position', () => { assert(camel...
import assert from 'power-assert'; import { camelToKebab, assign, pick, mapValues } from '../src/utils'; describe('utils', () => { describe('camelToKebab', () => { it('translates camelCase to kebab-case', () => { assert(camelToKebab('camelCaseToKebabCase') === 'camel-case-to-kebab-case'); }); it(...
Add test cases for utility functions
Add test cases for utility functions
JavaScript
mit
ktsn/vuex-connect,ktsn/vuex-connect
073c72bb5caef958a820cdeadc440a042dd4f111
test/_page.js
test/_page.js
import puppeteer from 'puppeteer'; export async function evaluatePage (url, matches, timeout = 4000) { const args = await puppeteer.defaultArgs(); const browser = await puppeteer.launch({ args: [...args, '--enable-experimental-web-platform-features'] }); const page = await browser.newPage(); await page.g...
import puppeteer from 'puppeteer'; export async function evaluatePage (url, matches, timeout = 4000) { const args = await puppeteer.defaultArgs(); const browser = await puppeteer.launch({ args: [ ...args, '--no-sandbox', '--disable-setuid-sandbox', '--enable-experimental-web-platform-fe...
Disable chrome sandbox in tests
Disable chrome sandbox in tests
JavaScript
apache-2.0
GoogleChromeLabs/worker-plugin
e5954cf78a8daf138ca1a81ead64f1d38719a970
public/ssr.js
public/ssr.js
var ssr = require('done-ssr-middleware'); module.exports = ssr({ config: __dirname + "/package.json!npm", main: "bitcentive/index.stache!done-autorender", liveReload: true });
var ssr = require('done-ssr-middleware'); module.exports = ssr({ config: __dirname + "/package.json!npm", main: "bitcentive/index.stache!done-autorender", liveReload: true, auth: { cookie: "feathers-jwt", domains: [ "localhost" ] } });
Add auth-cookie options to SSR.
Add auth-cookie options to SSR.
JavaScript
mit
donejs/bitcentive,donejs/bitcentive
04fb2218cd6a5d32a0b4c1d8de9b9ad43994888d
src/api/routes/verifyGET.js
src/api/routes/verifyGET.js
const Route = require('../structures/Route'); class verifyGET extends Route { constructor() { super('/verify', 'get'); } run(req, res, user) { return res.json({ message: 'Successfully verified token', user }); } } module.exports = verifyGET;
const Route = require('../structures/Route'); class verifyGET extends Route { constructor() { super('/verify', 'get'); } run(req, res, user) { const returnUser = { id: user.id, username: user.username, apiKey: user.apiKey, isAdmin: user.isAdmin }; return res.json({ message: 'Successfully ve...
Return less info to the user when verifying
Return less info to the user when verifying
JavaScript
mit
WeebDev/lolisafe,WeebDev/lolisafe,WeebDev/loli-safe,WeebDev/loli-safe
79078552e7df6cb28ef277a2ecf46b9cacd1c7ee
lib/config/mongostore.js
lib/config/mongostore.js
'use strict'; /* ** Module dependencies */ var mongoose = require('mongoose'); var util = require('util'); var TTL = 24*3600; var Schema = new mongoose.Schema({ sid: { type: String, required: true, unique: true }, data: { type: mongoose.Schema.Types.Mixed, required: true }, usedAt: { type: Date, expires:...
'use strict'; /* ** Module dependencies */ var mongoose = require('mongoose'); var util = require('util'); var TTL = 24*3600; var Schema = new mongoose.Schema({ sid: { type: String, required: true, unique: true }, data: { type: mongoose.Schema.Types.Mixed, required: true }, usedAt: { type: Date, expires:...
Rename Store into MongoStore to pass JSLint
Rename Store into MongoStore to pass JSLint
JavaScript
agpl-3.0
sgmap/mes-aides-ui,sgmap/mes-aides-ui,sgmap/mes-aides-ui,sgmap/mes-aides-ui
407a8292712cfa3cc6ae9957e6ba22ed1795ad28
addon/mixins/version-header-handler.js
addon/mixins/version-header-handler.js
import Ember from 'ember'; import config from 'ember-get-config'; const { 'ember-new-version-detection': { appName, }, } = config; const { computed, inject: { service, }, run: { next: runNext, }, Mixin, } = Ember; export default Mixin.create({ newVersionDetector: service(), headers: ...
import Ember from 'ember'; import config from 'ember-get-config'; const { 'ember-new-version-detection': { appName, }, } = config; const { computed, inject: { service, }, run: { next: runNext, }, Mixin, } = Ember; export default Mixin.create({ newVersionDetector: service(), headers: ...
Call _super so that we don't stomp on headers returned by other mixins
Call _super so that we don't stomp on headers returned by other mixins
JavaScript
mit
PrecisionNutrition/ember-new-version-detection,PrecisionNutrition/ember-new-version-detection,PrecisionNutrition/ember-new-version-detection,PrecisionNutrition/ember-new-version-detection
7168416a52b9b85f1bdee68614a6324f957b219d
app/assets/javascripts/main-buttons.js
app/assets/javascripts/main-buttons.js
/** * Created by mcgourtyalex on 4/14/15. */ var MainButtons = { // setup sets a callback for #breeder_find keyup setup: function() { $('.button-a').hover( function() { $('#tagline-text').html("Keep breeders <strong>honest</strong> by rating your pup"); }); $('.button-b'...
/** * Created by mcgourtyalex on 4/14/15. */ var MainButtons = { // setup sets a callback for #breeder_find keyup setup: function() { $('.button-a').hover( function() { $('#tagline-text').html("Contribute information about <strong>your<strong> dog to our database"); }); ...
Change text for hover over rate your pup
Change text for hover over rate your pup
JavaScript
mit
hyu596/Simpatico-Pup,hyu596/Simpatico-Pup,eabartlett/ratemypup,cjzcpsyx/rate-my-pup,cjzcpsyx/rate-my-pup,eabartlett/ratemypup,eabartlett/ratemypup,cjzcpsyx/rate-my-pup,cjzcpsyx/rate-my-pup,hyu596/Simpatico-Pup,eabartlett/ratemypup
fbd633276f7c5e126777838ec442c72aed5cfb88
django_fixmystreet/fixmystreet/static/js/leaflet/example/leaflet-dev.js
django_fixmystreet/fixmystreet/static/js/leaflet/example/leaflet-dev.js
function getRandomLatLng(map) { var bounds = map.getBounds(), southWest = bounds.getSouthWest(), northEast = bounds.getNorthEast(), lngSpan = northEast.lng - southWest.lng, latSpan = northEast.lat - southWest.lat; return new L.LatLng(southWest.lat + latSpan * Math.random(), southWest.lng + ...
var STATIC_URL = 'http://127.0.0.1:8000/static/'; function getRandomLatLng(map) { var bounds = map.getBounds(), southWest = bounds.getSouthWest(), northEast = bounds.getNorthEast(), lngSpan = northEast.lng - southWest.lng, latSpan = northEast.lat - southWest.lat; return new L.LatLng(southW...
Add constant & function for dev.
Add constant & function for dev.
JavaScript
agpl-3.0
IMIO/django-fixmystreet,IMIO/django-fixmystreet,IMIO/django-fixmystreet,IMIO/django-fixmystreet
e05370ea9c0a001cee9d9a20ec44e7ea212a3822
DynamixelServo.Quadruped.WebInterface/wwwroot/js/VideoStreaming.js
DynamixelServo.Quadruped.WebInterface/wwwroot/js/VideoStreaming.js
let videoImage = document.getElementById('video_image'); videoImage.src = `http://${document.domain}:8080/?action=stream`; let cameraJoystick = { zone: videoImage, color: 'red' }; let cameraJoystickManager = nipplejs.create(cameraJoystick); const clickTimeout = 500; var lastStartClick = Date.now(); cameraJoyst...
let videoImage = document.getElementById('video_image'); videoImage.src = `http://${document.domain}:8080/?action=stream`; let cameraJoystick = { zone: videoImage, color: 'red' }; let cameraJoystickManager = nipplejs.create(cameraJoystick); const clickTimeout = 500; var lastStartClick = Date.now(); cameraJoyst...
Fix but with reset always triggering
Fix but with reset always triggering
JavaScript
apache-2.0
dmweis/DynamixelServo,dmweis/DynamixelServo,dmweis/DynamixelServo,dmweis/DynamixelServo
ee692dc4d7321e7440b681c13ae82fdb8ed97516
app/assets/javascripts/angular/dramas/dramas-controller.js
app/assets/javascripts/angular/dramas/dramas-controller.js
App.controller('DramasCtrl', [ '$http', function($http, $q) { var dramas = this; dramas.list1 = 'Drag and Drop with default confirmation'; dramas.items = []; $http.get('/dramas').then(function(response) { dramas.items = response.data; console.log(response.data); }, function(errResponse) { c...
(function(){ 'use strict'; angular .module('secondLead') .controller('DramasCtrl', [ 'DramaModel', 'Restangular', function(DramaModel, Restangular, $q) { var dramas = this; dramas.items = DramaModel.getAll; dramas.setCurrentDrama = function(item){ dramas.currentDrama = ite...
Update dramactrl to fetch dramas from api using restangular
Update dramactrl to fetch dramas from api using restangular
JavaScript
mit
ac-adekunle/secondlead,ac-adekunle/secondlead,ac-adekunle/secondlead
a8dde15447d79b73ca12a0a7acf2ff0390f24b49
web-client/app/scripts/controllers/profileController.js
web-client/app/scripts/controllers/profileController.js
'use strict'; angular.module('webClientApp') .controller('ProfileCtrl', ['$scope', '$rootScope', '$location', '$routeParams', 'UserArticle', 'UserDraft', 'User', function ($scope, $rootScope, $location, $routeParams, UserArticle, UserDraft, User) { $scope.user = User.get({'userId': $routeParams.userId}); ...
'use strict'; angular.module('webClientApp') .controller('ProfileCtrl', ['$scope', '$rootScope', '$location', '$routeParams', 'UserArticle', 'UserDraft', 'User', function ($scope, $rootScope, $location, $routeParams, UserArticle, UserDraft, User) { $scope.user = User.get({'userId': $routeParams.userId}); ...
Fix non-logged in error when visiting a profile.
Fix non-logged in error when visiting a profile.
JavaScript
bsd-2-clause
ahmgeek/manshar,RashaHussein/manshar,mjalajel/manshar,manshar/manshar,ahmgeek/manshar,RashaHussein/manshar,manshar/manshar,ahmgeek/manshar,manshar/manshar,ahmgeek/manshar,mjalajel/manshar,RashaHussein/manshar,mjalajel/manshar,mjalajel/manshar,RashaHussein/manshar,manshar/manshar
fdaf5bc5b02619d65ee4a2ef2cf6dbef91e0d480
common/predictive-text/unit_tests/headless/worker-intialization.js
common/predictive-text/unit_tests/headless/worker-intialization.js
var assert = require('chai').assert; var worker = require('../../worker'); describe('Dummy worker', function() { describe('#hello()', function() { it('should return "hello"', function() { assert.equal(worker.hello(), 'hello'); }); }); });
var assert = require('chai').assert; var worker = require('../../worker'); describe('LMLayerWorker', function() { describe('#constructor()', function() { it('should construct with zero arguments', function() { assert.isOk(new worker.LMLayerWorker); }); }); });
Test whether the LMLayerWorker can be instantiated.
Test whether the LMLayerWorker can be instantiated.
JavaScript
apache-2.0
tavultesoft/keymanweb,tavultesoft/keymanweb
0241f074b65dbf70f10b5da6ddf0d3bfa161964f
api/src/pages/Html.js
api/src/pages/Html.js
import React, { PropTypes } from 'react' export default class Html extends React.Component { render ({ children, assets, title } = this.props) { return ( <html> <head> <title>{title}</title> <meta name='viewport' content='width=device-width, initial-scale=1' /> <link t...
import React, { PropTypes } from 'react' export default class Html extends React.Component { render ({ children, assets, title } = this.props) { return ( <html lang='en'> <head> <title>{title}</title> <meta name='viewport' content='width=device-width, initial-scale=1' /> ...
Add lang property to the html tag
Add lang property to the html tag
JavaScript
mit
svagi/httptest
9acffe52b1c8dcd806459968c03c96afaad9fb06
client/app/scripts/components/node-details/node-details-health-overflow-item.js
client/app/scripts/components/node-details/node-details-health-overflow-item.js
import React from 'react'; import metricFeeder from '../../hoc/metric-feeder'; import { formatMetric } from '../../utils/string-utils'; function NodeDetailsHealthOverflowItem(props) { return ( <div className="node-details-health-overflow-item"> <div className="node-details-health-overflow-item-value"> ...
import React from 'react'; import { formatMetric } from '../../utils/string-utils'; function NodeDetailsHealthOverflowItem(props) { return ( <div className="node-details-health-overflow-item"> <div className="node-details-health-overflow-item-value"> {formatMetric(props.value, props)} </div>...
Remove the metricFeeder for the overflow items too for now.
Remove the metricFeeder for the overflow items too for now.
JavaScript
apache-2.0
dilgerma/scope,paulbellamy/scope,dilgerma/scope,kinvolk/scope,weaveworks/scope,weaveworks/scope,alban/scope,weaveworks/scope,weaveworks/scope,paulbellamy/scope,kinvolk/scope,kinvolk/scope,alban/scope,paulbellamy/scope,alban/scope,kinvolk/scope,dilgerma/scope,alban/scope,kinvolk/scope,paulbellamy/scope,alban/scope,weave...
364c445bab29675b8f0992efec57ca70ed6dd989
client/packages/settings-dashboard-extension-worona/src/dashboard/selectorCreators/index.js
client/packages/settings-dashboard-extension-worona/src/dashboard/selectorCreators/index.js
import { createSelector } from 'reselect'; import * as deps from '../deps'; import * as selectors from '../selectors'; export const getSettingsCreator = (packageName) => createSelector( selectors.getSettingsLiveCollection, deps.selectors.getSelectedSiteId, (settings, siteId) => ( settings.find( item =>...
import { createSelector } from 'reselect'; import * as deps from '../deps'; import * as selectors from '../selectors'; export const getSettings = packageNamespace => createSelector( selectors.getSettingsLiveCollection, deps.selectors.getSelectedSiteId, (settings, siteId) => settings.find( i...
Change getSettings format to match app.
Change getSettings format to match app.
JavaScript
mit
worona/worona,worona/worona-dashboard,worona/worona-core,worona/worona,worona/worona-core,worona/worona,worona/worona-dashboard
e9a8702b3995781cb5ed6b8c2e746c360e36b812
src/js/directive/contacts.js
src/js/directive/contacts.js
'use strict'; var ngModule = angular.module('woDirectives'); ngModule.directive('keyfileInput', function() { return function(scope, elm) { elm.on('change', function(e) { for (var i = 0; i < e.target.files.length; i++) { importKey(e.target.files.item(i)); } }...
'use strict'; var ngModule = angular.module('woDirectives'); ngModule.directive('keyfileInput', function() { return function(scope, elm) { elm.on('change', function(e) { for (var i = 0; i < e.target.files.length; i++) { importKey(e.target.files.item(i)); } ...
Clear file input after key import
[WO-927] Clear file input after key import
JavaScript
mit
whiteout-io/mail,dopry/mail-html5,sheafferusa/mail-html5,dopry/mail-html5,tanx/hoodiecrow,clochix/mail-html5,b-deng/mail-html5,dopry/mail-html5,tanx/hoodiecrow,dopry/mail-html5,whiteout-io/mail-html5,whiteout-io/mail-html5,clochix/mail-html5,whiteout-io/mail,whiteout-io/mail,sheafferusa/mail-html5,kalatestimine/mail-ht...
cbccd67c481080e5e4d65d75dc03c57ea26de763
public/personality.controller.js
public/personality.controller.js
'use strict'; angular.module('personality.controller', []) .controller('PersonalityController', [ '$scope', '$http', 'personalityService', ($scope, $http, personalityService) => { $scope.roastOptions = [ 'light', 'medium', 'dark' ]; $scope.getData = () => { $http.put('/api/watson/' + $scope.twi...
'use strict'; angular.module('personality.controller', []) .controller('PersonalityController', [ '$scope', '$http', 'personalityService', ($scope, $http, personalityService) => { $scope.roastOptions = [ 'light', 'medium', 'dark' ]; $scope.getData = () => { resetFeedback(); $http.put('/api...
Reset feedback on new submissions
Reset feedback on new submissions
JavaScript
mit
o3world/o3-barista,o3world/o3-barista
000f6aa302cda2e54d2e26ca85e28452dc50c382
src/js/modules/polyfills.js
src/js/modules/polyfills.js
require('svg4everybody')();
require('svg4everybody')(); if (!window.Element.prototype.matches) { window.Element.prototype.matches = window.Element.prototype.msMatchesSelector; }
Add Element.matches fix for IE
Add Element.matches fix for IE
JavaScript
mit
engageinteractive/front-end-baseplate,engageinteractive/core,engageinteractive/core,engageinteractive/front-end-baseplate,engageinteractive/front-end-baseplate
a093a6e38762c35091f46136942a3f469483de6b
app/models/session.js
app/models/session.js
import DS from 'ember-data'; import Session from 'exp-models/models/session'; export default Session.extend({ frameIndex: DS.attr(), surveyPage: DS.attr() });
import DS from 'ember-data'; import Session from 'exp-models/models/session'; export default Session.extend({ frameIndex: DS.attr({defaultValue: 0}), surveyPage: DS.attr({defaultValue: 0}) });
Set default frameIndex & surveyPage to 0
Set default frameIndex & surveyPage to 0
JavaScript
apache-2.0
CenterForOpenScience/isp,CenterForOpenScience/isp,CenterForOpenScience/isp
f9d943aa29eef1367e24e7815d0bc8970e98bd27
app/scripts/routes/application_route.js
app/scripts/routes/application_route.js
App.ApplicationRoute = Ember.Route.extend({ // admittedly, this should be in IndexRoute and not in the // top level ApplicationRoute; we're in transition... :-) model: function () { return ['red', 'yellow', 'blue']; } });
App.ApplicationRoute = Ember.Route.extend({ });
Remove old application route example
Remove old application route example
JavaScript
mit
rjsamson/ember-hapi-base
6334dd1cbe27a8b84df69cc8e450a92c637df3b7
setup.js
setup.js
'use strict'; var serialNumber = require('./index'); var fail = function (err) { console.error('Could not read serial number:', err); }; serialNumber(function (err) { if (process.platform !== 'win32' && err.toString().match(/Permission denied/i)) { [ '\x1B[7m' + // inverse style 'Your system requires root/...
'use strict'; var serialNumber = require('./index'); var fail = function (err) { console.error('Could not read serial number:', err); }; serialNumber(function (err) { if (process.platform !== 'win32' && err.toString().match(/Permission denied/i)) { [ '\x1B[7m' + // inverse style 'Your system requires root/...
Remove redundant console message about password prompt
Remove redundant console message about password prompt
JavaScript
isc
dcrystalj/serial-number,es128/serial-number