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
dc90ee7975d4210e4818d3818e97fe019886c81f
src/app/get-projects.js
src/app/get-projects.js
import ProjectConfigurationRepository from '../domain/project-configuration-repository' import fs from 'fs' const repository = new ProjectConfigurationRepository() /** * @param {string} path The path to todo.conf.yml */ export default (path) => { const paths = [path, `${process.env.PWD}/${path}`, `${process.env.HOME}/${path}`] for (let i = 1; i < paths.length; i++) { let path = paths[i] if (fs.existsSync(path)) { return repository.getByPath(path).getProjects() } } throw new Error(`todo config file not found: ${JSON.stringify(paths)}`) }
import ProjectConfigurationRepository from '../domain/project-configuration-repository' import fs from 'fs' const repository = new ProjectConfigurationRepository() /** * @param {string} path The path to todo.conf.yml */ export default (path) => { const paths = [path, `${process.env.PWD}/${path}`, `${process.env.HOME}/.${path}`] for (let i = 1; i < paths.length; i++) { let path = paths[i] if (fs.existsSync(path)) { return repository.getByPath(path).getProjects() } } throw new Error(`todo config file not found: ${JSON.stringify(paths)}`) }
Rename conf file in home dir
Rename conf file in home dir
JavaScript
mit
kt3k/view-todo,kt3k/view-todo
82c9a371707bd8d85b1f6ebf0004bdfccde4f231
src/app/index.module.js
src/app/index.module.js
/* global malarkey:false, toastr:false, moment:false */ import config from './index.config'; import routerConfig from './index.route'; import runBlock from './index.run'; import MainController from './main/main.controller'; import GithubContributorService from '../app/components/githubContributor/githubContributor.service'; import WebDevTecService from '../app/components/webDevTec/webDevTec.service'; import NavbarDirective from '../app/components/navbar/navbar.directive'; import MalarkeyDirective from '../app/components/malarkey/malarkey.directive'; import './bookmarks/bookmarks.module'; angular.module('ngBookmarks', ['restangular', 'ngRoute', 'ui.bootstrap', 'bookmarks']) .constant('malarkey', malarkey) .constant('toastr', toastr) .constant('moment', moment) .config(config) .config(routerConfig) .run(runBlock) .service('githubContributor', GithubContributorService) .service('webDevTec', WebDevTecService) .controller('MainController', MainController) .directive('acmeNavbar', () => new NavbarDirective()) .directive('acmeMalarkey', () => new MalarkeyDirective(malarkey));
/* global malarkey:false, toastr:false, moment:false */ import config from './index.config'; import routerConfig from './index.route'; import runBlock from './index.run'; import MainController from './main/main.controller'; import GithubContributorService from '../app/components/githubContributor/githubContributor.service'; import WebDevTecService from '../app/components/webDevTec/webDevTec.service'; import NavbarDirective from '../app/components/navbar/navbar.directive'; import MalarkeyDirective from '../app/components/malarkey/malarkey.directive'; import './bookmarks/bookmarks.module'; angular.module('ngBookmarks', ['ngRoute', 'ui.bootstrap', 'bookmarks']) .constant('malarkey', malarkey) .constant('toastr', toastr) .constant('moment', moment) .config(config) .config(routerConfig) .run(runBlock) .service('githubContributor', GithubContributorService) .service('webDevTec', WebDevTecService) .controller('MainController', MainController) .directive('acmeNavbar', () => new NavbarDirective()) .directive('acmeMalarkey', () => new MalarkeyDirective(malarkey));
Remove 'restangular' as a direct dependency of the top level app
Remove 'restangular' as a direct dependency of the top level app
JavaScript
mit
tekerson/ng-bookmarks,tekerson/ng-bookmarks
231c2560393d2766e924fed02b4a2268aa6e1dc7
lib/tasks/extra/DocTask.js
lib/tasks/extra/DocTask.js
"use strict"; const Task = require('../Task'), gulp = require('gulp'), mocha = require('gulp-mocha'), fs = require('fs'); class DocTask extends Task { constructor(buildManager) { super(buildManager); this.command = "doc"; } action() { //Dirty trick to capture Mocha output into a file //since gulp-mocha does not pipe the test output fs.writeFileSync('./doc.html', ''); var originalWrite = process.stdout.write; process.stdout.write = function (chunk) { var textChunk = chunk.toString('utf8'); if (!textChunk.match(/finished.+after/gmi)) { fs.appendFile('./doc.html', chunk); } originalWrite.apply(this, arguments); }; return gulp.src(this._buildManager.options.test, {read: false}) .pipe(mocha({reporter: 'doc'})); } } module.exports = DocTask;
"use strict"; const Task = require('../Task'), gulp = require('gulp'), mocha = require('gulp-mocha'), fs = require('fs'); class DocTask extends Task { constructor(buildManager) { super(buildManager); this.command = "doc"; } action() { //Dirty trick to capture Mocha output into a file //since gulp-mocha does not pipe the test output fs.writeFileSync('./doc.html', ''); var originalWrite = process.stdout.write; process.stdout.write = function (chunk) { var textChunk = chunk.toString('utf8'); if (!textChunk.match(/finished.+after/gmi)) { fs.appendFile('./doc.html', chunk); } originalWrite.apply(this, arguments); }; return gulp.src(this._buildManager.options.test, {read: false}) .pipe(mocha({ reporter: 'doc', compilers: { ts: require('ts-node/register'), js: require('babel-core/register') } })); } } module.exports = DocTask;
Add compilers to doc task
Add compilers to doc task
JavaScript
mit
mtfranchetto/smild,mtfranchetto/smild,mtfranchetto/smild
76813e0e74d12a2ec47830b811fd143f0f1a6781
zoltar/zoltar.js
zoltar/zoltar.js
// Module for interacting with zoltar const rp = require('request-promise-native') const buildUrl = require('build-url') async function get (url) { return rp(url, { json: true }) } async function gets (url) { return rp(url, { json: false }) } function proxifyObject (obj, root) { let handler = { get(target, propKey, receiver) { let value = target[propKey] if (typeof value === 'string' && (value.toString()).startsWith(root)) { return (async () => { let resp = await get(value) return proxifyObject(resp, root) })() } else if (typeof value === 'object') { return proxifyObject(value, root) } else { return value } } } return new Proxy(obj, handler) } function zoltar (rootUrl) { let baseObject = { projects: `${rootUrl}/projects` } return proxifyObject(baseObject, rootUrl) } module.exports.zoltar = zoltar
// Module for interacting with zoltar const rp = require('request-promise-native') const buildUrl = require('build-url') async function get (url) { return rp(url, { json: true }) } async function gets (url) { return rp(url, { json: false }) } function proxifyObject (obj, root) { let handler = { get(target, propKey, receiver) { let value = target[propKey] switch (propKey.toString()) { case 'url': return value case 'csv': { if ('forecast_data' in target) { return (async () => { let resp = await gets(`${target['forecast_data']}?format=csv`) return resp })() } else { throw new Error('This is not a forecast object') } } } if (typeof value === 'string' && (value.toString()).startsWith(root)) { return (async () => { let resp = await get(value) return proxifyObject(resp, root) })() } else if (typeof value === 'object') { return proxifyObject(value, root) } else { return value } } } return new Proxy(obj, handler) } function zoltar (rootUrl) { let baseObject = { projects: `${rootUrl}/projects` } return proxifyObject(baseObject, rootUrl) } module.exports.zoltar = zoltar
Handle url and csv getters separately
Handle url and csv getters separately
JavaScript
mit
reichlab/flusight,reichlab/flusight,reichlab/flusight
c3888cc45823cb0bb5112b8e20eaacbf7ff58d7b
app/assets/javascripts/angular/common/services/auth-service.js
app/assets/javascripts/angular/common/services/auth-service.js
(function(){ 'use strict'; angular.module('secondLead.common') .factory('Auth', ['$http', 'store', function($http, store) { return { isAuthenticated: function() { return store.get('jwt'); }, login: function(credentials) { var login = $http.post('/auth/login', credentials); login.success(function(result) { store.set('jwt', result.token); store.set('user', result.user); }); return login; }, logout: function() { store.remove('jwt'); store.remove('user'); } }; }]) })();
(function(){ 'use strict'; angular.module('secondLead.common') .factory('Auth', ['$http', 'store', function($http, store) { return { isAuthenticated: function() { return store.get('jwt'); }, login: function(credentials) { var login = $http.post('/auth/login', credentials); login.success(function(result) { store.set('jwt', result.token); store.set('user', result.user); }); return login; }, logout: function() { var clearJWT = store.remove('jwt'); var clearUser = store.remove('user'); return { jwt: clearJWT, user: clearUser }; } }; }]) })();
Refactor logout in auth service
Refactor logout in auth service
JavaScript
mit
ac-adekunle/secondlead,ac-adekunle/secondlead,ac-adekunle/secondlead
064be8a3d6833c5cbe591cbc9241b8c7bbc32796
client/app/states/marketplace/details/details.state.js
client/app/states/marketplace/details/details.state.js
(function() { 'use strict'; angular.module('app.states') .run(appRun); /** @ngInject */ function appRun(routerHelper) { routerHelper.configureStates(getStates()); } function getStates() { return { 'marketplace.details': { url: '/:serviceTemplateId', templateUrl: 'app/states/marketplace/details/details.html', controller: StateController, controllerAs: 'vm', title: 'Service Template Details', resolve: { serviceTemplate: resolveServiceTemplate } } }; } /** @ngInject */ function resolveServiceTemplate($stateParams, CollectionsApi) { return CollectionsApi.get('service_templates', $stateParams.serviceTemplateId); } /** @ngInject */ function StateController(serviceTemplate) { var vm = this; vm.title = 'Service Template Details'; vm.serviceTemplate = serviceTemplate; } })();
(function() { 'use strict'; angular.module('app.states') .run(appRun); /** @ngInject */ function appRun(routerHelper) { routerHelper.configureStates(getStates()); } function getStates() { return { 'marketplace.details': { url: '/:serviceTemplateId', templateUrl: 'app/states/marketplace/details/details.html', controller: StateController, controllerAs: 'vm', title: 'Service Template Details', resolve: { dialogs: resolveDialogs, serviceTemplate: resolveServiceTemplate } } }; } /** @ngInject */ function resolveServiceTemplate($stateParams, CollectionsApi) { return CollectionsApi.get('service_templates', $stateParams.serviceTemplateId); } /** @ngInject */ function resolveDialogs($stateParams, CollectionsApi) { var options = {expand: true, attributes: 'content'}; return CollectionsApi.query('service_templates/' + $stateParams.serviceTemplateId + '/service_dialogs', options); } /** @ngInject */ function StateController(dialogs, serviceTemplate) { var vm = this; vm.title = 'Service Template Details'; vm.dialogs = dialogs.resources[0].content; vm.serviceTemplate = serviceTemplate; } })();
Add API call to return service dialogs
Add API call to return service dialogs https://trello.com/c/qfdnTNlk
JavaScript
apache-2.0
ManageIQ/manageiq-ui-self_service,AllenBW/manageiq-ui-service,AllenBW/manageiq-ui-service,ManageIQ/manageiq-ui-service,dtaylor113/manageiq-ui-self_service,AllenBW/manageiq-ui-service,ManageIQ/manageiq-ui-service,ManageIQ/manageiq-ui-self_service,dtaylor113/manageiq-ui-self_service,ManageIQ/manageiq-ui-self_service,AllenBW/manageiq-ui-service,dtaylor113/manageiq-ui-self_service,ManageIQ/manageiq-ui-service
ce58e8eb67d354f624a4965e965fdf0c047433bf
ReactTests/mocks/MockPromise.js
ReactTests/mocks/MockPromise.js
class MockPromise { constructor(returnSuccess, result) { this.returnSuccess = returnSuccess; this.result = result || (returnSuccess ? 'my data': 'my error') } then(success, failure) { if (this.returnSuccess) { success(this.result); } else { failure(this.result); } } } export default MockPromise
//This is a super-simple mock of a JavaScript Promise //It only implement the 'then(success, failure)' function //as that is the only function that the kanban calls //in the modules that use the KanbanApi class MockPromise { constructor(returnSuccess, result) { this.returnSuccess = returnSuccess; this.result = result || (returnSuccess ? 'my data': 'my error') } then(success, failure) { if (this.returnSuccess) { success(this.result); } else { failure(this.result); } } } export default MockPromise
Comment to say its a limited mock of a promise
Comment to say its a limited mock of a promise
JavaScript
mit
JonPSmith/AspNetReactSamples,JonPSmith/AspNetReactSamples,JonPSmith/AspNetReactSamples
0159ff31725252f1a04451c297258e17872a4a01
app/js/app.js
app/js/app.js
window.ContactManager = { Models: {}, Collections: {}, Views: {}, start: function(data) { var contacts = new ContactManager.Collections.Contacts(data.contacts), router = new ContactManager.Router(); router.on('route:home', function() { router.navigate('contacts', { trigger: true, replace: true }); }); router.on('route:showContacts', function() { var contactsView = new ContactManager.Views.Contacts({ collection: contacts }); $('.main-container').html(contactsView.render().$el); }); router.on('route:newContact', function() { var newContactForm = new ContactManager.Views.ContactForm({ model: new ContactManager.Models.Contact() }); newContactForm.on('form:submitted', function(attrs) { attrs.id = contacts.isEmpty() ? 1 : (_.max(contacts.pluck('id')) + 1); contacts.add(attrs); router.navigate('contacts', true); }); $('.main-container').html(newContactForm.render().$el); }); router.on('route:editContact', function(id) { var contact = contacts.get(id), editContactForm; if (contact) { editContactForm = new ContactManager.Views.ContactForm({ model: contact }); $('.main-container').html(editContactForm.render().$el); } else { router.navigate('contacts', true); } }); Backbone.history.start(); } };
window.ContactManager = { Models: {}, Collections: {}, Views: {}, start: function(data) { var contacts = new ContactManager.Collections.Contacts(data.contacts), router = new ContactManager.Router(); router.on('route:home', function() { router.navigate('contacts', { trigger: true, replace: true }); }); router.on('route:showContacts', function() { var contactsView = new ContactManager.Views.Contacts({ collection: contacts }); $('.main-container').html(contactsView.render().$el); }); router.on('route:newContact', function() { var newContactForm = new ContactManager.Views.ContactForm({ model: new ContactManager.Models.Contact() }); newContactForm.on('form:submitted', function(attrs) { attrs.id = contacts.isEmpty() ? 1 : (_.max(contacts.pluck('id')) + 1); contacts.add(attrs); router.navigate('contacts', true); }); $('.main-container').html(newContactForm.render().$el); }); router.on('route:editContact', function(id) { var contact = contacts.get(id), editContactForm; if (contact) { editContactForm = new ContactManager.Views.ContactForm({ model: contact }); editContactForm.on('form:submitted', function(attrs) { contact.set(attrs); router.navigate('contacts', true); }); $('.main-container').html(editContactForm.render().$el); } else { router.navigate('contacts', true); } }); Backbone.history.start(); } };
Update contact on form submitted
Update contact on form submitted
JavaScript
mit
giastfader/backbone-contact-manager,EaswarRaju/angular-contact-manager,SomilKumar/backbone-contact-manager,vinnu-313/backbone-contact-manager,dmytroyarmak/backbone-contact-manager,SomilKumar/backbone-contact-manager,hrundik/angular-contact-manager,hrundik/angular-contact-manager,giastfader/backbone-contact-manager,hrundik/angular-contact-manager,vinnu-313/backbone-contact-manager
fa025070c1eeb7e751b4b7210cce4e088781e2bc
app/assets/javascripts/messages.js
app/assets/javascripts/messages.js
function scrollToBottom() { var $messages = $('#messages'); if ($messages.length > 0) { $messages.scrollTop($messages[0].scrollHeight); } } $(document).ready(scrollToBottom);
function scrollToBottom() { var $messages = $('#messages'); if ($messages.length > 0) { $messages.scrollTop($messages[0].scrollHeight); } } $(document).ready(scrollToBottom); $(document).on('turbolinks:load', scrollToBottom);
Fix scrollToBottom action on turbolinks:load
Fix scrollToBottom action on turbolinks:load
JavaScript
mit
JulianNicholls/BuffetCar-5,JulianNicholls/BuffetCar-5,JulianNicholls/BuffetCar-5
4deeb7ddc71647bafc1f932e6590d9b58e6b7af3
Resize/script.js
Resize/script.js
function adjustStyle() { var width = 0; // get the width.. more cross-browser issues if (window.innerHeight) { width = window.innerWidth; } else if (document.documentElement && document.documentElement.clientHeight) { width = document.documentElement.clientWidth; } else if (document.body) { width = document.body.clientWidth; } // now we should have it if (width < 600) { document.getElementById("myCSS").setAttribute("href", "_css/narrow.css"); } else { document.getElementById("myCSS").setAttribute("href", "_css/main.css"); } } // now call it when the window is resized. window.onresize = function () { adjustStyle(); };
function adjustStyle() { var width = 0; // get the width.. more cross-browser issues if (window.innerHeight) { width = window.innerWidth; } else if (document.documentElement && document.documentElement.clientHeight) { width = document.documentElement.clientWidth; } else if (document.body) { width = document.body.clientWidth; } // now we should have it if (width < 600) { document.getElementById("myCSS").setAttribute("href", "_css/narrow.css"); } else { document.getElementById("myCSS").setAttribute("href", "_css/main.css"); } } // now call it when the window is resized. window.onresize = function () { adjustStyle(); }; window.onload = function () { adjustStyle(); };
Add window.onload for style adjust
Add window.onload for style adjust
JavaScript
mit
SHoar/lynda_essentialJStraining
43d771162f5993035a231857d02e97d94e74c3a6
koans/AboutPromises.js
koans/AboutPromises.js
describe("About Promises", function () { describe("Asynchronous Flow", function () { it("should understand promise usage", function () { function isZero(number) { return new Promise(function(resolve, reject) { if(number === 0) { resolve(); } else { reject(number + ' is not zero!'); } }) } expect(isZero(0) instanceof Promise).toEqual(FILL_ME_IN); expect(typeof isZero(0)).toEqual(FILL_ME_IN); }); }); });
describe("About Promises", function () { describe("Asynchronous Flow", function () { it("should understand Promise type", function () { function promise(number) { return new Promise(function(resolve, reject) { resolve(); }) } // expect(promise() instanceof Promise).toEqual(FILL_ME_IN); // expect(typeof promise()).toEqual(FILL_ME_IN); }); it('should understand a Promise can be fulfilled / resolved', function(done) { function promiseResolved() { return new Promise(function(resolve, reject) { resolve('promise me this'); }); } promiseResolved() .then(function(promiseValue) { expect(promiseValue).toEqual(promiseValue); }) .then(done) }) }); });
Add in extra promise koan
feat: Add in extra promise koan
JavaScript
mit
tawashley/es6-javascript-koans,tawashley/es6-javascript-koans,tawashley/es6-javascript-koans
4e1b78d76157761c251ecdf10cf6126ea03479e5
app/templates/src/main/webapp/scripts/app/account/social/directive/_social.directive.js
app/templates/src/main/webapp/scripts/app/account/social/directive/_social.directive.js
'use strict'; angular.module('<%=angularAppName%>') .directive('jhSocial', function($translatePartialLoader, $translate, $filter, SocialService) { return { restrict: 'E', scope: { provider: "@ngProvider" }, templateUrl: 'scripts/app/account/social/directive/social.html', link: function(scope, element, attrs) { $translatePartialLoader.addPart('social'); $translate.refresh(); scope.label = $filter('capitalize')(scope.provider); scope.providerSetting = SocialService.getProviderSetting(scope.provider); scope.providerURL = SocialService.getProviderURL(scope.provider); scope.csrf = SocialService.getCSRF(); } } });
'use strict'; angular.module('<%=angularAppName%>') .directive('jhSocial', function(<% if (enableTranslation){ %>$translatePartialLoader, $translate, <% } %>$filter, SocialService) { return { restrict: 'E', scope: { provider: "@ngProvider" }, templateUrl: 'scripts/app/account/social/directive/social.html', link: function(scope, element, attrs) {<% if (enableTranslation){ %> $translatePartialLoader.addPart('social'); $translate.refresh(); <% } %> scope.label = $filter('capitalize')(scope.provider); scope.providerSetting = SocialService.getProviderSetting(scope.provider); scope.providerURL = SocialService.getProviderURL(scope.provider); scope.csrf = SocialService.getCSRF(); } } });
Fix translation issue in the social login
Fix translation issue in the social login
JavaScript
apache-2.0
yongli82/generator-jhipster,rkohel/generator-jhipster,dimeros/generator-jhipster,danielpetisme/generator-jhipster,Tcharl/generator-jhipster,Tcharl/generator-jhipster,maniacneron/generator-jhipster,sendilkumarn/generator-jhipster,erikkemperman/generator-jhipster,atomfrede/generator-jhipster,ziogiugno/generator-jhipster,cbornet/generator-jhipster,siliconharborlabs/generator-jhipster,dynamicguy/generator-jhipster,wmarques/generator-jhipster,duderoot/generator-jhipster,dalbelap/generator-jhipster,xetys/generator-jhipster,dynamicguy/generator-jhipster,jkutner/generator-jhipster,maniacneron/generator-jhipster,ramzimaalej/generator-jhipster,ruddell/generator-jhipster,sohibegit/generator-jhipster,mosoft521/generator-jhipster,baskeboler/generator-jhipster,duderoot/generator-jhipster,mraible/generator-jhipster,duderoot/generator-jhipster,liseri/generator-jhipster,sendilkumarn/generator-jhipster,dimeros/generator-jhipster,ziogiugno/generator-jhipster,nkolosnjaji/generator-jhipster,gzsombor/generator-jhipster,hdurix/generator-jhipster,mraible/generator-jhipster,sendilkumarn/generator-jhipster,liseri/generator-jhipster,eosimosu/generator-jhipster,dynamicguy/generator-jhipster,xetys/generator-jhipster,lrkwz/generator-jhipster,ctamisier/generator-jhipster,jkutner/generator-jhipster,wmarques/generator-jhipster,ctamisier/generator-jhipster,sohibegit/generator-jhipster,wmarques/generator-jhipster,sohibegit/generator-jhipster,JulienMrgrd/generator-jhipster,lrkwz/generator-jhipster,lrkwz/generator-jhipster,nkolosnjaji/generator-jhipster,JulienMrgrd/generator-jhipster,robertmilowski/generator-jhipster,dalbelap/generator-jhipster,gzsombor/generator-jhipster,ctamisier/generator-jhipster,mosoft521/generator-jhipster,erikkemperman/generator-jhipster,gmarziou/generator-jhipster,vivekmore/generator-jhipster,jhipster/generator-jhipster,rifatdover/generator-jhipster,cbornet/generator-jhipster,hdurix/generator-jhipster,Tcharl/generator-jhipster,eosimosu/generator-jhipster,dimeros/generator-jhipster,yongli82/generator-jhipster,baskeboler/generator-jhipster,duderoot/generator-jhipster,maniacneron/generator-jhipster,nkolosnjaji/generator-jhipster,deepu105/generator-jhipster,stevehouel/generator-jhipster,danielpetisme/generator-jhipster,gzsombor/generator-jhipster,baskeboler/generator-jhipster,JulienMrgrd/generator-jhipster,atomfrede/generator-jhipster,erikkemperman/generator-jhipster,hdurix/generator-jhipster,siliconharborlabs/generator-jhipster,dalbelap/generator-jhipster,gmarziou/generator-jhipster,lrkwz/generator-jhipster,danielpetisme/generator-jhipster,dimeros/generator-jhipster,gzsombor/generator-jhipster,stevehouel/generator-jhipster,ramzimaalej/generator-jhipster,vivekmore/generator-jhipster,jkutner/generator-jhipster,mosoft521/generator-jhipster,jkutner/generator-jhipster,siliconharborlabs/generator-jhipster,pascalgrimaud/generator-jhipster,Tcharl/generator-jhipster,Tcharl/generator-jhipster,yongli82/generator-jhipster,PierreBesson/generator-jhipster,rkohel/generator-jhipster,hdurix/generator-jhipster,eosimosu/generator-jhipster,atomfrede/generator-jhipster,cbornet/generator-jhipster,baskeboler/generator-jhipster,ruddell/generator-jhipster,deepu105/generator-jhipster,mraible/generator-jhipster,ctamisier/generator-jhipster,ruddell/generator-jhipster,gzsombor/generator-jhipster,ruddell/generator-jhipster,erikkemperman/generator-jhipster,gmarziou/generator-jhipster,maniacneron/generator-jhipster,cbornet/generator-jhipster,gmarziou/generator-jhipster,JulienMrgrd/generator-jhipster,siliconharborlabs/generator-jhipster,deepu105/generator-jhipster,jhipster/generator-jhipster,pascalgrimaud/generator-jhipster,yongli82/generator-jhipster,vivekmore/generator-jhipster,pascalgrimaud/generator-jhipster,atomfrede/generator-jhipster,stevehouel/generator-jhipster,atomfrede/generator-jhipster,ctamisier/generator-jhipster,jkutner/generator-jhipster,xetys/generator-jhipster,wmarques/generator-jhipster,mosoft521/generator-jhipster,wmarques/generator-jhipster,deepu105/generator-jhipster,rkohel/generator-jhipster,maniacneron/generator-jhipster,ziogiugno/generator-jhipster,jhipster/generator-jhipster,sendilkumarn/generator-jhipster,mosoft521/generator-jhipster,eosimosu/generator-jhipster,nkolosnjaji/generator-jhipster,cbornet/generator-jhipster,stevehouel/generator-jhipster,ramzimaalej/generator-jhipster,gmarziou/generator-jhipster,jhipster/generator-jhipster,danielpetisme/generator-jhipster,pascalgrimaud/generator-jhipster,lrkwz/generator-jhipster,mraible/generator-jhipster,dimeros/generator-jhipster,erikkemperman/generator-jhipster,jhipster/generator-jhipster,vivekmore/generator-jhipster,siliconharborlabs/generator-jhipster,JulienMrgrd/generator-jhipster,liseri/generator-jhipster,baskeboler/generator-jhipster,PierreBesson/generator-jhipster,ruddell/generator-jhipster,dalbelap/generator-jhipster,hdurix/generator-jhipster,nkolosnjaji/generator-jhipster,danielpetisme/generator-jhipster,liseri/generator-jhipster,vivekmore/generator-jhipster,robertmilowski/generator-jhipster,sendilkumarn/generator-jhipster,xetys/generator-jhipster,deepu105/generator-jhipster,robertmilowski/generator-jhipster,PierreBesson/generator-jhipster,pascalgrimaud/generator-jhipster,liseri/generator-jhipster,rkohel/generator-jhipster,PierreBesson/generator-jhipster,duderoot/generator-jhipster,PierreBesson/generator-jhipster,mraible/generator-jhipster,stevehouel/generator-jhipster,rkohel/generator-jhipster,rifatdover/generator-jhipster,yongli82/generator-jhipster,ziogiugno/generator-jhipster,robertmilowski/generator-jhipster,robertmilowski/generator-jhipster,eosimosu/generator-jhipster,ziogiugno/generator-jhipster,sohibegit/generator-jhipster,sohibegit/generator-jhipster,dynamicguy/generator-jhipster,dalbelap/generator-jhipster,rifatdover/generator-jhipster
afcb675b6681611867be57c523a58b0ba4d831b4
lib/componentHelper.js
lib/componentHelper.js
var fs = require('fs'), Builder = require('component-builder'), rimraf = require('rimraf'), config = require('../config'), utils = require('./utils'), component = require('./component'), options = { dest: config.componentInstallDir }; /** * Installs `model`s component from registry * into the install dir * * @param {Model} model * @param {Function} callback */ exports.install = function (model, callback) { var pkg = component.install(model.repo, '*', options); pkg.on('end', callback); pkg.install(); }; /** * Builds component from model's attributes, * calls callback with err and built js in UTF-8 * * @param {Model} model * @param {Function} callback */ exports.build = function (model, callback) { var builder = new Builder(utils.getInstallDir(model.repo)); builder.addLookup(config.componentInstallDir); builder.build(function (err, res) { if (err || (res && !res.js)) { return callback(err); } callback(err, res.js); }); }; /** * Deletes all components in the install dir * * @param {Function} callback */ exports.clearInstall = function (callback) { rimraf(config.componentInstallDir, function (err) { callback(err); }); };
var fs = require('fs-extra'), Builder = require('component-builder'), config = require('../config'), utils = require('./utils'), component = require('./component'), options = { dest: config.componentInstallDir }; /** * Installs `model`s component from registry * into the install dir * * @param {Model} model * @param {Function} callback */ exports.install = function (model, callback) { var pkg = component.install(model.repo, '*', options); pkg.on('end', callback); pkg.install(); }; /** * Builds component from model's attributes, * calls callback with err and built js in UTF-8 * * @param {Model} model * @param {Function} callback */ exports.build = function (model, callback) { var builder = new Builder(utils.getInstallDir(model.repo)); builder.addLookup(config.componentInstallDir); builder.build(function (err, res) { if (err || (res && !res.js)) { return callback(err); } callback(err, res.js); }); }; /** * Deletes all components in the install dir * * @param {Function} callback */ exports.clearInstall = function (callback) { fs.remove(config.componentInstallDir, function (err) { console.log('fs-extra remove: ', err, err && err.stack); callback(err); }); };
Use fs-extra to remove recurisvely rather than rimraf
Use fs-extra to remove recurisvely rather than rimraf
JavaScript
mit
web-audio-components/web-audio-components-service
974405ece1e52023ee05c962bb6dc9991e248e58
bin/server.js
bin/server.js
import config from '../config' import server from '../server/main' import _debug from 'debug' const debug = _debug('app:bin:server') const port = config.server_port const host = config.server_host server.listen(port) debug(`Server is now running at ${host}:${port}.`)
import config from '../config' import server from '../server/main' import _debug from 'debug' const debug = _debug('app:bin:server') const port = config.server_port const host = config.server_host server.listen(port) debug(`Server is now running at http://${host}:${port}.`)
Make the app link clickable
chore(compile): Make the app link clickable This small change makes the link clickable in some terminal emulators (like xfce-terminal), which makes it easier to open the app in a browser.
JavaScript
mit
tonyxiao/segment-debugger,jaronoff97/listmkr,tonyxiao/segment-debugger,pptang/ggm,JohanGustafsson91/React-JWT-Authentication-Redux-Router,VladGne/Practice2017,Vaishali512/mysampleapp,okmttdhr/aupa,chozandrias76/responsive-sesame-test,gohup/react_testcase,GreGGus/MIMApp,EngineerMostafa/CircleCI,flftfqwxf/react-redux-starter-kit,lf2941270/react-zhihu-daily,jhash/jhash,flftfqwxf/react-redux-starter-kit,GreGGus/MIMApp,przeor/ReactC,josedab/react-redux-i18n-starter-kit,andreasnc/summer-project-tasks-2017,Dimitrievskislavcho/funfunfuncReduxCI,kolyaka006/imaginarium,rui19921122/StationTransformBrowserClient,KNMI/GeoWeb-FrontEnd,houston88/housty-home-react,z0d14c/system-performance-viewer,gabrielmf/SIR-EDU-2.0,theosherry/mx_pl,hustlrb/yjbAdmin,parkgaram/solidware-mini-project,rui19921122/StationTransformBrowserClient,maartenlterpstra/GeoWeb-FrontEnd,przeor/ReactC,KNMI/GeoWeb-FrontEnd,SteveHoggNZ/Choice-As,Gouthamve/BINS-FRONT,jarirepo/simple-ci-test-app,dfalling/todo,duongthien291291/react-redux-starter-kit-munchery-theme,haozeng/react-redux-filter,SteveHoggNZ/Choice-As,vasekric/regrinder,dingyoujian/webpack-react-demo,PalmasLab/palmasplay,dannyrdalton/example_signup_flow,ahthamrin/kbri-admin2,ahthamrin/kbri-admin2,flftfqwxf/react-redux-starter-kit,stefanwille/react-gameoflife,paulmorar/jxpectapp,gohup/react_testcase,arseneyr/yt-party,guileen/react-forum,piu130/react-redux-gpa-app,baronkwan/ig_clone,rwenor/react-ci-app,dannyrdalton/example_signup_flow,cohenpts/CircleCITut,tylerbarabas/bbTools,corbinpage/react-play,haozeng/react-redux-filter,diMosellaAtWork/GeoWeb-FrontEnd,jeffaustin81/cropcompass-ui,roychoo/upload-invoices,eunvanz/handpokemon2,lf2941270/react-zhihu-daily,dkushner/ArborJs-Playground,willthefirst/book-buddy,fhassa/my-react-redux-start-ki,far-fetched/kiwi,duongthien291291/react-redux-starter-kit-munchery-theme,corbinpage/react-play,learningnewthings/funfunapp,pachoulie/projects,maartenlterpstra/GeoWeb-FrontEnd,flftfqwxf/react-redux-starter-kit,gribilly/react-redux-starter-kit,yangbin1994/react-redux-starter-kit,neverfox/react-redux-starter-kit,tkshi/q,tkshi/q,codingarchitect/react-counter-pair,stranbury/react-miuus,flftfqwxf/react-redux-starter-kit,treeforever/voice-recognition-photo-gallary,VladGne/Practice2017,rrlk/se2present,Vaishali512/mysampleapp,ahthamrin/kbri-admin2,Sixtease/MakonReact,simors/yjbAdmin,TestKitt/TestKittUI,treeforever/voice-recognition-photo-gallary,bhoomit/formula-editor,jhash/jhash,techcoop/techcoop.group,NguyenManh94/circle-ci,huangc28/palestine,guileen/react-forum,B1ll1/CircleCI,josedab/react-redux-i18n-starter-kit,pawelniewie/zen,sonofbjorn/circle-ci-test,sljuka/buzzler-ui,eunvanz/flowerhada,stranbury/react-miuus,weixing2014/iTodo,ethcards/react-redux-starter-kit,filucian/funfunapp,VinodJayasinghe/CircleCI,OlivierWinsemius/circleci_test,thanhiro/techmatrix,kevinchiu/react-redux-starter-kit,pawelniewie/czy-to-jest-paleo,longseespace/quickflix,parkgaram/solidware-mini-project,commute-sh/commute-web,loliver/anz-code-test,oliveirafabio/wut-blog,flftfqwxf/react-redux-starter-kit,atomdmac/roc-game-dev-gallery,danieljwest/ExamGenerator,wilwong89/didactic-web-game,weixing2014/iTodo,dfalling/todo,flftfqwxf/react-redux-starter-kit,j3dimaster/CircleCi-test,nkostelnik/blaiseclicks,febobo/react-redux-start,OlivierWinsemius/circleci_test,hustlrb/yjbAdmin,davezuko/wirk-starter,pptang/ggm,dmassaneiro/integracao-continua,billdevcode/spaceship-emporium,janoist1/route-share,arseneyr/yt-party,larsdolvik/portfolio,flftfqwxf/react-redux-starter-kit,chozandrias76/responsive-sesame-test,kerwynrg/company-crud-app,youdeshi/single-page-app-best-practice-client,PalmasLab/palmasplay,jhardin293/style-guide-manager,jarirepo/simple-ci-test-app,KNMI/GeoWeb-FrontEnd,wswoodruff/strangeluv-native,levsero/planning-app-ui,sonofbjorn/circle-ci-test,flftfqwxf/react-redux-starter-kit,bhoomit/formula-editor,stefanwille/react-gameoflife,Sixtease/MakonReact,kolpav/react-redux-starter-kit,Sixtease/MakonReact,davezuko/wirk-starter,Anomen/universal-react-redux-starter-kit,z0d14c/system-performance-viewer,paulmorar/jxpectapp,theosherry/mx_pl,Stas-Buzunko/cyber-school,adrienhobbs/redux-glow,baronkwan/ig_clone,jakehm/mapgame2,Dylan1312/pool-elo,k2data/react-redux-starter-kit,atomdmac/roc-game-dev-gallery,Ryann10/hci_term,janoist1/route-share,techcoop/techcoop.group,gribilly/react-redux-starter-kit,nodepie/react-redux-starter-kit,adrienhobbs/redux-glow,codingarchitect/react-counter-pair,NguyenManh94/circle-ci,Gouthamve/BINS-FRONT,Croissong/sntModelViewer,davezuko/react-redux-starter-kit,okmttdhr/aupa,rrlk/se2present,popaulina/grackle,VinodJayasinghe/CircleCI,nivas8292/myapp,flftfqwxf/react-redux-starter-kit,aibolik/my-todomvc,kolpav/react-redux-starter-kit,jeffaustin81/cropcompass-ui,kerwynrg/company-crud-app,simors/yjbAdmin,thanhiro/techmatrix,eunvanz/flowerhada,ethcards/react-redux-starter-kit,z0d14c/system-performance-viewer,EngineerMostafa/CircleCI,warcraftlfg/warcrafthub-client,learningnewthings/funfunapp,Dylan1312/pool-elo,Ryann10/hci_term,B1ll1/CircleCI,maartenplieger/GeoWeb-FrontEnd,anthonyraymond/react-redux-starter-kit,flftfqwxf/react-redux-starter-kit,levkus/react-overcounters2,gReis89/sam-ovens-website,chozandrias76/responsive-sesame-test,lodelestra/SWClermont_2016,roslaneshellanoo/react-redux-tutorial,MingYinLv/blog-admin,damirv/react-redux-starter-kit,pachoulie/projects,cohenpts/CircleCITut,larsdolvik/portfolio,Croissong/sntModelViewer,BigRoomStudios/strangeluv,alukach/react-map-app,commute-sh/commute-web,davezuko/react-redux-starter-kit,3a-classic/score,oliveirafabio/wut-blog,wilwong89/didactic-web-game,fhassa/my-react-redux-start-ki,armaanshah96/lunchbox,rwenor/react-ci-app,levsero/planning-app-ui,roychoo/upload-invoices,far-fetched/kiwi,anthonyraymond/react-redux-starter-kit,crssn/funfunapp,kevinchiu/react-redux-starter-kit,dingyoujian/webpack-react-demo,pawelniewie/zen,huangc28/palestine,alukach/react-map-app,youdeshi/single-page-app-best-practice-client,vasekric/regrinder,michaelgu95/ZltoReduxCore,nodepie/react-redux-starter-kit,chozandrias76/responsive-sesame-test,roslaneshellanoo/react-redux-tutorial,bingomanatee/ridecell,sljuka/buzzler-ui,eunvanz/handpokemon2,pawelniewie/czy-to-jest-paleo,michaelgu95/ZltoReduxCore,nivas8292/myapp,houston88/housty-home-react,longseespace/quickflix,andreasnc/summer-project-tasks-2017,filucian/funfunapp,j3dimaster/CircleCi-test,jenyckee/midi-redux,nkostelnik/blaiseclicks,crssn/funfunapp,KirillSkomarovskiy/light-it,SHBailey/echo-mvp,flftfqwxf/react-redux-starter-kit,rickyduck/pp-frontend,jaronoff97/listmkr,Stas-Buzunko/cyber-school,lodelestra/SWClermont_2016,febobo/react-redux-start,billdevcode/spaceship-emporium,TestKitt/TestKittUI,ptim/react-redux-starter-kit,3a-classic/score,shuliang/ReactConventionDemo,rbhat0987/funfunapp,maartenlterpstra/GeoWeb-FrontEnd,dkushner/ArborJs-Playground,Edmondton/weather-forecasts,Dimitrievskislavcho/funfunfuncReduxCI,eunvanz/flowerhada,danieljwest/ExamGenerator,aibolik/my-todomvc,flftfqwxf/react-redux-starter-kit,loliver/anz-code-test,flftfqwxf/react-redux-starter-kit,jaronoff97/listmkr,rui19921122/StationTransformBrowserClient,flftfqwxf/react-redux-starter-kit,MingYinLv/blog-admin,willthefirst/book-buddy,yangbin1994/react-redux-starter-kit,neverfox/react-redux-starter-kit,janoist1/universal-react-redux-starter-kit,flftfqwxf/react-redux-starter-kit,gabrielmf/SIR-EDU-2.0,popaulina/grackle,jenyckee/midi-redux,rickyduck/pp-frontend,gReis89/sam-ovens-website,tylerbarabas/bbTools,shuliang/ReactConventionDemo,JohanGustafsson91/React-JWT-Authentication-Redux-Router,miyanokomiya/b-net,jakehm/mapgame2,RequestTimeout408/alba-task,levkus/react-overcounters2,dmassaneiro/integracao-continua,maartenplieger/GeoWeb-FrontEnd,flftfqwxf/react-redux-starter-kit,KirillSkomarovskiy/light-it,rbhat0987/funfunapp,RequestTimeout408/alba-task,flftfqwxf/react-redux-starter-kit,jhardin293/style-guide-manager,kolyaka006/imaginarium,SHBailey/echo-mvp,bingomanatee/ridecell,armaanshah96/lunchbox,bhj/karaoke-forever,k2data/react-redux-starter-kit,miyanokomiya/b-net,damirv/react-redux-starter-kit,diMosellaAtWork/GeoWeb-FrontEnd,BigRoomStudios/strangeluv,Edmondton/weather-forecasts,bhj/karaoke-forever,flftfqwxf/react-redux-starter-kit,longseespace/quickflix,warcraftlfg/warcrafthub-client,ptim/react-redux-starter-kit,pawelniewie/czy-to-jest-paleo
f4679665a92b2a34277179615aabd02f2be1db22
src/eventDispatchers/touchEventHandlers/touchStartActive.js
src/eventDispatchers/touchEventHandlers/touchStartActive.js
// State import { getters, state } from './../../store/index.js'; import getActiveToolsForElement from './../../store/getActiveToolsForElement.js'; import addNewMeasurement from './addNewMeasurement.js'; import baseAnnotationTool from '../../base/baseAnnotationTool.js'; export default function (evt) { if (state.isToolLocked) { return; } const element = evt.detail.element; const tools = getActiveToolsForElement(element, getters.touchTools()); const activeTool = tools[0]; // Note: custom `addNewMeasurement` will need to prevent event bubbling if (activeTool.addNewMeasurement) { activeTool.addNewMeasurement(evt, 'touch'); } else if (activeTool instanceof baseAnnotationTool) { addNewMeasurement(evt, activeTool); } }
// State import { getters, state } from './../../store/index.js'; import getActiveToolsForElement from './../../store/getActiveToolsForElement.js'; import addNewMeasurement from './addNewMeasurement.js'; import baseAnnotationTool from '../../base/baseAnnotationTool.js'; export default function (evt) { if (state.isToolLocked) { return; } const element = evt.detail.element; const tools = getActiveToolsForElement(element, getters.touchTools()); const activeTool = tools[0]; // Note: custom `addNewMeasurement` will need to prevent event bubbling if (activeTool && activeTool.addNewMeasurement) { activeTool.addNewMeasurement(evt, 'touch'); } else if (activeTool instanceof baseAnnotationTool) { addNewMeasurement(evt, activeTool); } }
Fix for when no touchTools are active
Fix for when no touchTools are active
JavaScript
mit
cornerstonejs/cornerstoneTools,cornerstonejs/cornerstoneTools,chafey/cornerstoneTools,cornerstonejs/cornerstoneTools
95b588e256df806c6353bd130c2f8340a9893cae
lib/themes/dosomething/paraneue_dosomething/js/jquery.dev.js
lib/themes/dosomething/paraneue_dosomething/js/jquery.dev.js
define(function() { "use strict"; // In development, we concatenate jQuery to the app.js build // so that it is exposed as a global for Drupal scripts (rather // than loading it normally.) return jQuery; });
define(function() { "use strict"; // In development, we concatenate jQuery to the app.js build // so that it is exposed as a global for Drupal scripts (rather // than loading it normally.) return window.jQuery; });
Make window jQuery object a bit more explicit.
Make window jQuery object a bit more explicit.
JavaScript
mit
mshmsh5000/dosomething,sbsmith86/dosomething,angaither/dosomething,mshmsh5000/dosomething-1,sbsmith86/dosomething,DoSomething/phoenix,mshmsh5000/dosomething-1,chloealee/dosomething,angaither/dosomething,angaither/dosomething,sergii-tkachenko/phoenix,angaither/dosomething,mshmsh5000/dosomething-1,deadlybutter/phoenix,jonuy/dosomething,sbsmith86/dosomething,chloealee/dosomething,DoSomething/phoenix,sbsmith86/dosomething,DoSomething/phoenix,deadlybutter/phoenix,DoSomething/dosomething,DoSomething/dosomething,sergii-tkachenko/phoenix,chloealee/dosomething,chloealee/dosomething,DoSomething/dosomething,DoSomething/dosomething,sbsmith86/dosomething,chloealee/dosomething,angaither/dosomething,angaither/dosomething,deadlybutter/phoenix,sergii-tkachenko/phoenix,mshmsh5000/dosomething,mshmsh5000/dosomething-1,DoSomething/phoenix,mshmsh5000/dosomething,chloealee/dosomething,sergii-tkachenko/phoenix,DoSomething/dosomething,jonuy/dosomething,jonuy/dosomething,sbsmith86/dosomething,mshmsh5000/dosomething,sergii-tkachenko/phoenix,deadlybutter/phoenix,deadlybutter/phoenix,DoSomething/phoenix,mshmsh5000/dosomething-1,jonuy/dosomething,DoSomething/dosomething,jonuy/dosomething,jonuy/dosomething
a5820158db8a23a61776a545e9e3f416b3568dd2
server/openstorefront/openstorefront-web/src/main/webapp/client/scripts/component/savedSearchLinkInsertWindow.js
server/openstorefront/openstorefront-web/src/main/webapp/client/scripts/component/savedSearchLinkInsertWindow.js
/* * Copyright 2016 Space Dynamics Laboratory - Utah State University Research Foundation. * * 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 required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /* global Ext, CoreService */ Ext.define('OSF.component.SavedSearchLinkInsertWindow', { extend: 'Ext.window.Window', alias: 'osf.widget.SavedSearchLinkInsertWindow', layout: 'fit', title: 'Insert Link to Saved Search', modal: true, width: '60%', height: '50%', initComponent: function () { this.callParent(); var savedSearchLinkInsertWindow = this; savedSearchLinkInsertWindow.getLink = function() { return "Link text goes here."; }; } });
/* * Copyright 2016 Space Dynamics Laboratory - Utah State University Research Foundation. * * 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 required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ /* global Ext, CoreService */ Ext.define('OSF.component.SavedSearchLinkInsertWindow', { extend: 'Ext.window.Window', alias: 'osf.widget.SavedSearchLinkInsertWindow', layout: 'fit', title: 'Insert Link to Saved Search', modal: true, width: '60%', height: '50%', dockedItems: [ { xtype: 'toolbar', dock: 'bottom', items: [ { text: 'Cancel' }, { xtype: 'tbfill' }, { text: 'Insert Link' } ] } ], initComponent: function () { this.callParent(); var savedSearchLinkInsertWindow = this; savedSearchLinkInsertWindow.getLink = function() { return "Link text goes here."; }; } });
Add action buttons for link insert window
Add action buttons for link insert window
JavaScript
apache-2.0
jbottel/openstorefront,jbottel/openstorefront,jbottel/openstorefront,jbottel/openstorefront
d4bc885cc31cf92aafd4fef846a015c58a7e5cbe
client/reactComponents/TankBody.js
client/reactComponents/TankBody.js
import React from 'react'; import { TANK_RADIUS } from '../../simulation/constants'; class TankBody extends React.Component { constructor(props) { super(props); this.radius = props.radius || TANK_RADIUS; this.material = props.material || 'color: red;' } render () { return ( <a-sphere position='0 0 0' rotation={this.props.rotation} material={this.material} socket-controls={`simulationAttribute: tankRotation; characterId: ${this.props.characterId}`} radius={this.radius}> <a-torus position='0 0 0' rotation='90 0 0' material={this.material} radius={this.radius} radius-tubular={0.1}/> <a-sphere // Windows position={`0 0.6 ${0.4 - this.radius}`} radius='0.5' scale='2.5 1 1.5' material='color:black; opacity:0.4;'/> <a-sphere position={`${-(this.radius - 0.5)} 0.6 -1`} radius='0.4' material='color:black; opacity:0.4;'/> <a-sphere position={`${this.radius - 0.5} 0.6 -1`} radius='0.4' material='color:black; opacity:0.4;'/> {this.props.children} </a-sphere> ) } } module.exports = TankBody;
import React from 'react'; import { TANK_RADIUS } from '../../simulation/constants'; class TankBody extends React.Component { constructor(props) { super(props); this.radius = props.radius || TANK_RADIUS; this.material = props.material || 'color: red;' this.socketControlsDisabled = props.socketControlsDisabled || false; } render () { return ( <a-sphere position='0 0 0' rotation={this.props.rotation} material={this.material} socket-controls={`simulationAttribute: tankRotation; `+ `characterId: ${this.props.characterId}; `+ `enabled: ${!this.socketControlsDisabled}`} radius={this.radius}> <a-torus position='0 0 0' rotation='90 0 0' material={this.material} radius={this.radius} radius-tubular={0.1}/> <a-sphere // Windows position={`0 0.6 ${0.4 - this.radius}`} radius='0.5' scale='2.5 1 1.5' material='color:black; opacity:0.4;'/> <a-sphere position={`${-(this.radius - 0.5)} 0.6 -1`} radius='0.4' material='color:black; opacity:0.4;'/> <a-sphere position={`${this.radius - 0.5} 0.6 -1`} radius='0.4' material='color:black; opacity:0.4;'/> {this.props.children} </a-sphere> ) } } module.exports = TankBody;
Enable disabling for inanimate enemy tanks
Enable disabling for inanimate enemy tanks
JavaScript
mit
ourvrisrealerthanyours/tanks,elliotaplant/tanks,ourvrisrealerthanyours/tanks,elliotaplant/tanks
820dc2d669d10d1fe125b4581ed5db9e4249b551
conf/grunt/grunt-release.js
conf/grunt/grunt-release.js
'use strict'; module.exports = function (grunt) { grunt.registerTask('release', 'Create and tag a release', function () { grunt.task.run(['checkbranch:master', 'compile', 'bump']); } ); };
module.exports = function (grunt) { 'use strict'; grunt.registerTask('release', 'Create and tag a release', function (increment) { var bump = 'bump:' + (increment || 'patch'); grunt.task.run(['checkbranch:master', 'compile', bump]); } ); };
Add version increment option to release task.
Add version increment option to release task.
JavaScript
mit
elmarquez/threejs-cad,elmarquez/threejs-cad
37a1762d76945cca5a0bf184fc42ef9ed6dba0f7
packages/tools/addon/components/cs-active-composition-panel.js
packages/tools/addon/components/cs-active-composition-panel.js
import Component from '@ember/component'; import layout from '../templates/components/cs-active-composition-panel'; import { task, timeout } from 'ember-concurrency'; import scrollToBounds from '../scroll-to-bounds'; import { inject as service } from '@ember/service'; export default Component.extend({ layout, classNames: ['cs-active-composition-panel'], validationErrors: null, data: service('cardstack-data'), validate: task(function * () { let errors = yield this.get('data').validate(this.model); this.set('validationErrors', errors); }), highlightAndScrollToField: task(function * (field) { this.get('highlightField')(field); if (field) { yield timeout(500); scrollToBounds(field.bounds()); } }).restartable() });
import Component from '@ember/component'; import layout from '../templates/components/cs-active-composition-panel'; import { task, timeout } from 'ember-concurrency'; import scrollToBounds from '../scroll-to-bounds'; import { inject as service } from '@ember/service'; import { camelize } from '@ember/string'; export default Component.extend({ layout, classNames: ['cs-active-composition-panel'], validationErrors: null, data: service('cardstack-data'), validate: task(function * () { let errors = yield this.get('data').validate(this.model); let errorsForFieldNames = {}; for (let key in errors) { errorsForFieldNames[camelize(key)] = errors[key]; } this.set('validationErrors', errorsForFieldNames); }), highlightAndScrollToField: task(function * (field) { this.get('highlightField')(field); if (field) { yield timeout(500); scrollToBounds(field.bounds()); } }).restartable() });
Fix showing validation errors for dashed field names
Fix showing validation errors for dashed field names
JavaScript
mit
cardstack/cardstack,cardstack/cardstack,cardstack/cardstack,cardstack/cardstack,cardstack/cardstack,cardstack/cardstack
d61d559936d5a7168e86e928a024cabd53abea60
build/copy.js
build/copy.js
module.exports = { all: { files: [ { expand: true, src: ['config.json'], dest: 'dist' }, { expand: true, src: ['javascript.json'], dest: 'dist' }, { expand: true, cwd: 'src/config/', src: ['**'], dest: 'dist/config/' }, { expand: true, cwd: 'src/images/', src: ['**'], dest: 'dist/images/', }, { expand: true, cwd: 'src/flash/', src: ['**'], dest: 'dist/flash/' }, { expand: true, cwd: 'src/templates/', src: ['**'], dest: 'dist/templates/' }, { expand: true, cwd: 'src/css/external/jquery-ui-custom-theme/images/', src: ['**'], dest: 'dist/css/images' }, { expand: true, cwd: 'src/css/external/jquery-ui-custom-theme/', src: ['*.css'], dest: 'dist/css/' }, { expand: true, cwd: 'src/javascript/', src: ['**'], dest: 'dist/dev/src/javascript/' } ] } };
module.exports = { all: { files: [ { expand: true, src: ['config.json'], dest: 'dist' }, { expand: true, src: ['javascript.json'], dest: 'dist' }, { expand: true, cwd: 'src/config/', src: ['**'], dest: 'dist/config/' }, { expand: true, cwd: 'src/images/', src: ['**'], dest: 'dist/images/', }, { expand: true, cwd: 'src/flash/', src: ['**'], dest: 'dist/flash/' }, { expand: true, cwd: 'src/templates/', src: ['**'], dest: 'dist/templates/' }, { expand: true, cwd: 'src/css/external/jquery-ui-custom-theme/images/', src: ['**'], dest: 'dist/css/images' }, { expand: true, cwd: 'src/css/external/jquery-ui-custom-theme/', src: ['*.css'], dest: 'dist/css/' }, { expand: true, cwd: 'src/javascript/', src: ['**'], dest: 'dist/dev/src/javascript/' }, { expand: true, cwd: 'src/javascript/gtm/', src: ['experimental.js'], dest: 'dist/js/gtm/' } ] } };
Copy gtml file to dist directory
Copy gtml file to dist directory
JavaScript
apache-2.0
junbon/binary-static-www2,einhverfr/binary-static,massihx/binary-static,einhverfr/binary-static,borisyankov/binary-static,massihx/binary-static,animeshsaxena/binary-static,borisyankov/binary-static,brodiecapel16/binary-static,borisyankov/binary-static,einhverfr/binary-static,massihx/binary-static,animeshsaxena/binary-static,animeshsaxena/binary-static,einhverfr/binary-static,tfoertsch/binary-static,brodiecapel16/binary-static,borisyankov/binary-static,tfoertsch/binary-static,animeshsaxena/binary-static,brodiecapel16/binary-static,brodiecapel16/binary-static,massihx/binary-static,junbon/binary-static-www2
e08a21c9a4e067e692dd35e82ffde8608b3f3044
lib/assert-called.js
lib/assert-called.js
var assert = require('assert'); var assertCalled = module.exports = function (cb) { var index = assertCalled.wanted.push({ callback: cb, error: new Error() }); return function () { wanted.splice(index - 1, 1); cb.apply(this, arguments); }; }; var wanted = assertCalled.wanted = []; process.on('exit', function () { var msg; if (wanted.length) { msg = wanted.length + ' callback' + (wanted.length > 1 ? 's' : '') + ' not called:'; wanted.forEach(function (func) { var stack; msg += '\n ' + (func.callback.name ? func.callback.name : '<anonymous>') + '\n'; stack = func.error.stack.split('\n'); stack.splice(0, 2); msg += stack.join('\n') + '\n'; }); throw new assert.AssertionError({ message: msg, actual: wanted.length, expected: 0 }); } });
var assert = require('assert'); var assertCalled = module.exports = function (cb) { var index = assertCalled.wanted.push({ callback: cb, error: new Error() }); return function () { wanted[index - 1] = null; cb.apply(this, arguments); }; }; var wanted = assertCalled.wanted = []; process.on('exit', function () { var msg; wanted = wanted.filter(Boolean); if (wanted.length) { msg = wanted.length + ' callback' + (wanted.length > 1 ? 's' : '') + ' not called:'; wanted.forEach(function (func) { var stack; msg += '\n ' + (func.callback.name ? func.callback.name : '<anonymous>') + '\n'; stack = func.error.stack.split('\n'); stack.splice(0, 2); msg += stack.join('\n') + '\n'; }); throw new assert.AssertionError({ message: msg, actual: wanted.length, expected: 0 }); } });
Fix problem with callbacks called out of order
[fix] Fix problem with callbacks called out of order
JavaScript
mit
mmalecki/assert-called
739298c7826ea6109b8a2632d54c8d867f7d03cc
react/features/base/participants/components/styles.js
react/features/base/participants/components/styles.js
import { createStyleSheet } from '../../styles'; /** * The style of the avatar and participant view UI (components). */ export const styles = createStyleSheet({ /** * Avatar style. */ avatar: { flex: 1, width: '100%' }, /** * ParticipantView style. */ participantView: { alignItems: 'stretch', flex: 1 } });
import { createStyleSheet } from '../../styles'; /** * The style of the avatar and participant view UI (components). */ export const styles = createStyleSheet({ /** * Avatar style. */ avatar: { alignSelf: 'center', // FIXME I don't understand how a 100 border radius of a 50x50 square // results in a circle. borderRadius: 100, flex: 1, height: 50, width: 50 }, /** * ParticipantView style. */ participantView: { alignItems: 'stretch', flex: 1 } });
Use rounded avatars in the film strip
[RN] Use rounded avatars in the film strip
JavaScript
apache-2.0
jitsi/jitsi-meet,bgrozev/jitsi-meet,gpolitis/jitsi-meet,jitsi/jitsi-meet,bgrozev/jitsi-meet,jitsi/jitsi-meet,bgrozev/jitsi-meet,bgrozev/jitsi-meet,bgrozev/jitsi-meet,jitsi/jitsi-meet,bgrozev/jitsi-meet,gpolitis/jitsi-meet,jitsi/jitsi-meet,jitsi/jitsi-meet,jitsi/jitsi-meet,gpolitis/jitsi-meet,gpolitis/jitsi-meet,gpolitis/jitsi-meet,gpolitis/jitsi-meet,jitsi/jitsi-meet,gpolitis/jitsi-meet,gpolitis/jitsi-meet
d15d9e09ec0b338d52d6db33ae91b4b96d6190df
src/events/memberAdd.js
src/events/memberAdd.js
exports.run = async function(payload) { const claimEnabled = this.cfg.issues.commands.assign.claim.aliases.length; if (payload.action !== "added" || !claimEnabled) return; const newMember = payload.member.login; const invite = this.invites.get(newMember); if (!invite) return; const repo = payload.repository; const repoFullName = invite.split("#")[0]; if (repoFullName !== repo.full_name) return; const number = invite.split("#")[1]; const repoOwner = repoFullName.split("/")[0]; const repoName = repoFullName.split("/")[1]; const response = await this.issues.addAssigneesToIssue({ owner: repoOwner, repo: repoName, number: number, assignees: [newMember] }); if (response.data.assignees.length) return; const error = "**ERROR:** Issue claiming failed (no assignee was added)."; this.issues.createComment({ owner: repoOwner, repo: repoName, number: number, body: error }); }; exports.events = ["member"];
exports.run = async function(payload) { const claimEnabled = this.cfg.issues.commands.assign.claim.length; if (payload.action !== "added" || !claimEnabled) return; const newMember = payload.member.login; const invite = this.invites.get(newMember); if (!invite) return; const repo = payload.repository; const repoFullName = invite.split("#")[0]; if (repoFullName !== repo.full_name) return; const number = invite.split("#")[1]; const repoOwner = repoFullName.split("/")[0]; const repoName = repoFullName.split("/")[1]; const response = await this.issues.addAssigneesToIssue({ owner: repoOwner, repo: repoName, number: number, assignees: [newMember] }); if (response.data.assignees.length) return; const error = "**ERROR:** Issue claiming failed (no assignee was added)."; this.issues.createComment({ owner: repoOwner, repo: repoName, number: number, body: error }); }; exports.events = ["member"];
Fix broken JSON path for member events.
events: Fix broken JSON path for member events.
JavaScript
apache-2.0
synicalsyntax/zulipbot
bf37fb0886485102fe832c67909aae07ae6daaf8
web/config.js
web/config.js
var path = require('path'), fs = require('fs'), log4js = require('log4js'); var config = { DNODE_PORT: 0xC5EA, SEARCH_REPO: path.join(__dirname, "../../linux"), SEARCH_REF: "v3.0", SEARCH_ARGS: [], BACKEND_CONNECTIONS: 8, BACKENDS: [ ["localhost", 0xC5EA] ], LOG4JS_CONFIG: path.join(__dirname, "log4js.json") }; try { fs.statSync(path.join(__dirname, 'config.local.js')); var local = require('./config.local.js'); Object.keys(local).forEach( function (k){ config[k] = local[k] }) } catch (e) { } log4js.configure(config.LOG4JS_CONFIG); module.exports = config;
var path = require('path'), fs = require('fs'), log4js = require('log4js'); var config = { DNODE_PORT: 0xC5EA, SEARCH_REPO: path.join(__dirname, "../../linux"), SEARCH_REF: "v3.0", SEARCH_ARGS: [], BACKEND_CONNECTIONS: 4, BACKENDS: [ ["localhost", 0xC5EA] ], LOG4JS_CONFIG: path.join(__dirname, "log4js.json") }; try { fs.statSync(path.join(__dirname, 'config.local.js')); var local = require('./config.local.js'); Object.keys(local).forEach( function (k){ config[k] = local[k] }) } catch (e) { } log4js.configure(config.LOG4JS_CONFIG); module.exports = config;
Drop the default number of backend connections to 4.
Drop the default number of backend connections to 4.
JavaScript
bsd-2-clause
wfxiang08/livegrep,lekkas/livegrep,lekkas/livegrep,lekkas/livegrep,paulproteus/livegrep,paulproteus/livegrep,lekkas/livegrep,paulproteus/livegrep,wfxiang08/livegrep,wfxiang08/livegrep,wfxiang08/livegrep,paulproteus/livegrep,wfxiang08/livegrep,paulproteus/livegrep,paulproteus/livegrep,lekkas/livegrep,wfxiang08/livegrep,lekkas/livegrep
c78de429e9f6c4d6ecf32ff0cc768a8ef8d0e917
mac/resources/open_wctb.js
mac/resources/open_wctb.js
define(function() { return function(resource) { var dv = new DataView(resource.data.buffer, resource.data.byteOffset, resource.data.byteLength); var entryCount = dv.getInt16(6, false) + 1; if (entryCount < 0) { console.error('color table resource: invalid number of entries'); } var palCanvas = document.createElement('CANVAS'); palCanvas.width = entryCount; palCanvas.height = 1; var palCtx = palCanvas.getContext('2d'); var palData = palCtx.createImageData(entryCount, 1); for (var icolor = 0; icolor < entryCount; icolor++) { var offset = dv.getInt16(8 + icolor*8, false) * 4; if (offset >= 0) { palData.data[offset] = resource.data[8 + icolor*8 + 2]; palData.data[offset + 1] = resource.data[8 + icolor*8 + 4]; palData.data[offset + 2] = resource.data[8 + icolor*8 + 6]; palData.data[offset + 3] = 255; } } palCtx.putImageData(palData, 0, 0); resource.image = { width: entryCount, height: 1, url: palCanvas.toDataURL(), }; }; });
define(function() { return function(resource) { var dv = new DataView(resource.data.buffer, resource.data.byteOffset, resource.data.byteLength); var entryCount = dv.getInt16(6, false) + 1; if (entryCount < 0) { console.error('color table resource: invalid number of entries'); } var palCanvas = document.createElement('CANVAS'); palCanvas.width = entryCount; if (entryCount === 0) { palCanvas.height = 0; } else { palCanvas.height = 1; var palCtx = palCanvas.getContext('2d'); var palData = palCtx.createImageData(entryCount, 1); for (var icolor = 0; icolor < entryCount; icolor++) { var offset = dv.getInt16(8 + icolor*8, false) * 4; if (offset >= 0) { palData.data[offset] = resource.data[8 + icolor*8 + 2]; palData.data[offset + 1] = resource.data[8 + icolor*8 + 4]; palData.data[offset + 2] = resource.data[8 + icolor*8 + 6]; palData.data[offset + 3] = 255; } } palCtx.putImageData(palData, 0, 0); }, resource.image = { width: palCanvas.width, height: palCanvas.height, url: palCanvas.toDataURL(), }; }; });
Fix for zero-length color tables
Fix for zero-length color tables
JavaScript
mit
radishengine/drowsy,radishengine/drowsy
31925ae17346c45902d2762cd91dcd2d1d52bfeb
lib/string-helper.js
lib/string-helper.js
'use babel'; export const raw = (strings, ...values) => { return strings[0].replace(/^[ \t\r]+/gm, ""); };
'use babel'; // TODO: Move to underscore-plus? export const raw = (strings, ...values) => { return strings[0].replace(/^[ \t\r]+/gm, ""); };
Add TODO about moving string helper to underscore-plus
:memo: Add TODO about moving string helper to underscore-plus
JavaScript
mit
atom/toggle-quotes
949d26db4397a375e2587a68ea66f099fbe4f3ba
test/integration/saucelabs.conf.js
test/integration/saucelabs.conf.js
exports.config = { sauceUser: process.env.SAUCE_USERNAME, sauceKey: process.env.SAUCE_ACCESS_KEY, capabilities: { 'browserName': 'chrome', 'tunnel-identifier': process.env.TRAVIS_JOB_NUMBER, 'build': process.env.TRAVIS_BUILD_NUMBER, 'name': 'smoke test' }, specs: ['*.spec.js'], jasmineNodeOpts: { showColors: true, defaultTimeoutInterval: 30000 }, baseUrl: 'http://localhost:' + (process.env.HTTP_PORT || '3000') }
exports.config = { sauceUser: process.env.SAUCE_USERNAME, sauceKey: process.env.SAUCE_ACCESS_KEY, capabilities: { 'browserName': 'chrome', 'tunnel-identifier': process.env.TRAVIS_JOB_NUMBER, 'build': process.env.TRAVIS_BUILD_NUMBER, 'name': 'smoke test' }, specs: ['*.spec.js'], jasmineNodeOpts: { showColors: true, defaultTimeoutInterval: 30000, isVerbose: true }, baseUrl: 'http://localhost:' + (process.env.HTTP_PORT || '3000') }
Add additional logging setting for Travis CI debugging
Add additional logging setting for Travis CI debugging
JavaScript
bsd-3-clause
CodeForBrazil/streetmix,codeforamerica/streetmix,macGRID-SRN/streetmix,kodujdlapolski/streetmix,magul/streetmix,kodujdlapolski/streetmix,magul/streetmix,kodujdlapolski/streetmix,CodeForBrazil/streetmix,codeforamerica/streetmix,CodeForBrazil/streetmix,macGRID-SRN/streetmix,magul/streetmix,macGRID-SRN/streetmix,codeforamerica/streetmix
b37380d1ea4bc04f07859f8f0b748bbe676e4317
codebrag-ui/app/scripts/common/directives/contactFormPopup.js
codebrag-ui/app/scripts/common/directives/contactFormPopup.js
angular.module('codebrag.common.directives').directive('contactFormPopup', function() { function ContactFormPopup($scope, $http) { $scope.isVisible = false; $scope.submit = function() { sendFeedbackViaUservoice().then(success, failure); function success() { $scope.success = true; clearFormFields(); } function failure() { $scope.failure = true; } }; $scope.$on('openContactFormPopup', function() { $scope.isVisible = true; }); $scope.close = function() { $scope.isVisible = false; delete $scope.success; delete $scope.failure; clearFormFields(); }; function clearFormFields() { $scope.msg = {}; $scope.contactForm.$setPristine(); } function sendFeedbackViaUservoice() { var apiKey = 'vvT4cCa8uOpfhokERahg'; var data = { format: 'json', client: apiKey, ticket: { message: $scope.msg.body, subject: $scope.msg.subject }, email: $scope.msg.email }; var url = 'https://codebrag.uservoice.com/api/v1/tickets/create_via_jsonp.json?' + $.param(data) + '&callback=JSON_CALLBACK'; return $http.jsonp(url); } } return { restrict: 'E', replace: true, scope: {}, templateUrl: 'views/popups/contactForm.html', controller: ContactFormPopup }; });
angular.module('codebrag.common.directives').directive('contactFormPopup', function() { function ContactFormPopup($scope, $http) { $scope.isVisible = false; $scope.submit = function() { clearStatus(); sendFeedbackViaUservoice().then(success, failure); function success() { $scope.success = true; clearFormFields(); } function failure() { $scope.failure = true; } }; $scope.$on('openContactFormPopup', function() { $scope.isVisible = true; }); $scope.close = function() { $scope.isVisible = false; clearStatus(); clearFormFields(); }; function clearStatus() { delete $scope.success; delete $scope.failure; } function clearFormFields() { $scope.msg = {}; $scope.contactForm.$setPristine(); } function sendFeedbackViaUservoice() { var apiKey = 'vvT4cCa8uOpfhokERahg'; var data = { format: 'json', client: apiKey, ticket: { message: $scope.msg.body, subject: $scope.msg.subject }, email: $scope.msg.email }; var url = 'https://codebrag.uservoice.com/api/v1/tickets/create_via_jsonp.json?' + $.param(data) + '&callback=JSON_CALLBACK'; return $http.jsonp(url); } } return { restrict: 'E', replace: true, scope: {}, templateUrl: 'views/popups/contactForm.html', controller: ContactFormPopup }; });
Hide contact form when sending succeeded.
Hide contact form when sending succeeded.
JavaScript
agpl-3.0
cazacugmihai/codebrag,softwaremill/codebrag,cazacugmihai/codebrag,cazacugmihai/codebrag,softwaremill/codebrag,cazacugmihai/codebrag,cazacugmihai/codebrag,softwaremill/codebrag,softwaremill/codebrag
5c714a27bbfb28922771db47a249efbd24dfae31
tests/integration/components/organization-menu-test.js
tests/integration/components/organization-menu-test.js
import { moduleForComponent, test } from 'ember-qunit'; import hbs from 'htmlbars-inline-precompile'; moduleForComponent('organization-menu', 'Integration | Component | organization menu', { integration: true }); test('it renders', function(assert) { // Set any properties with this.set('myProperty', 'value'); // Handle any actions with this.on('myAction', function(val) { ... });" this.render(hbs`{{organization-menu}}`); assert.equal(this.$().text().trim(), ''); // Template block usage:" this.render(hbs` {{#organization-menu}} template block text {{/organization-menu}} `); assert.equal(this.$().text().trim(), 'template block text'); });
import { moduleForComponent, test } from 'ember-qunit'; import hbs from 'htmlbars-inline-precompile'; moduleForComponent('organization-menu', 'Integration | Component | organization menu', { integration: true }); test('it renders', function(assert) { assert.expect(1); this.render(hbs`{{organization-menu}}`); assert.equal(this .$('.organization-menu').length, 1, 'Component\'s element is rendered'); }); test('it renders all required menu elements properly', function(assert) { assert.expect(3); this.render(hbs`{{organization-menu}}`); assert.equal(this.$('.organization-menu li').length, 2, 'All the links rendered'); assert.equal(this.$('.organization-menu li:eq(0)').text().trim(), 'Projects', 'The projects link is rendered'); assert.equal(this.$('.organization-menu li:eq(1)').text().trim(), 'Settings', 'The settings link is rendered'); });
Add organization menu component test
Add organization menu component test
JavaScript
mit
jderr-mx/code-corps-ember,code-corps/code-corps-ember,jderr-mx/code-corps-ember,eablack/code-corps-ember,eablack/code-corps-ember,code-corps/code-corps-ember
32fbe3dc4686e413886911f5d373137648f08614
packages/shim/src/index.js
packages/shim/src/index.js
/* eslint-disable global-require */ require('@webcomponents/template'); if (!window.customElements) require('@webcomponents/custom-elements'); if (!document.body.attachShadow) require('@webcomponents/shadydom'); require('@webcomponents/shadycss/scoping-shim.min'); require('@webcomponents/shadycss/apply-shim.min');
/* eslint-disable global-require */ require('@webcomponents/template'); if (!document.body.attachShadow) require('@webcomponents/shadydom'); if (!window.customElements) require('@webcomponents/custom-elements'); require('@webcomponents/shadycss/scoping-shim.min'); require('@webcomponents/shadycss/apply-shim.min');
Fix ShadyDOM before Custom Elements polyfill
Fix ShadyDOM before Custom Elements polyfill
JavaScript
mit
hybridsjs/hybrids
5bab1d44e4d2667a0997bd72002a22385aeae8fd
test/socket-api.test.js
test/socket-api.test.js
var assert = require('chai').assert; var nodemock = require('nodemock'); var utils = require('./test-utils'); var express = require('express'); var socketAdaptor = require('../lib/socket-adaptor'); var Connection = require('../lib/backend-adaptor').Connection; var client = require('socket.io-client'); suite('Socket.IO API', function() { var server; teardown(function() { if (server) { server.close(); } server = undefined; }); test('front to back', function() { var connection = nodemock .mock('emitMessage') .takes('search', { requestMessage: true }, function() {}); var application = express(); server = utils.setupServer(application); socketAdaptor.registerHandlers(application, server, { connection: connection }); var clientSocket = client.connect('http://localhost:' + utils.testServerPort); clientSocket.emit('search', { requestMessage: true }); connection.assertThrow(); }); });
var assert = require('chai').assert; var nodemock = require('nodemock'); var utils = require('./test-utils'); var express = require('express'); var socketAdaptor = require('../lib/socket-adaptor'); var Connection = require('../lib/backend-adaptor').Connection; var client = require('socket.io-client'); suite('Socket.IO API', function() { var server; teardown(function() { if (server) { server.close(); } server = undefined; }); test('front to back', function() { var connection = nodemock .mock('emitMessage') .takes('search', { requestMessage: true }, function() {}); var application = express(); server = utils.setupServer(application); socketAdaptor.registerHandlers(application, server, { connection: connection }); var clientSocket = client.connect('http://localhost:' + utils.testServerPort); clientSocket.emit('search', { requestMessage: true }); connection.assertThrows(); }); });
Fix typo: assertThrow => assertThrows
Fix typo: assertThrow => assertThrows
JavaScript
mit
droonga/express-droonga,droonga/express-droonga,KitaitiMakoto/express-droonga,KitaitiMakoto/express-droonga
4643995ca77ef4ed695d337da9fc36fdf7918749
test/events.emitter.test.js
test/events.emitter.test.js
define(['events/lib/emitter'], function(Emitter) { describe("Emitter", function() { it('should alias addListener to on', function() { expect(Emitter.prototype.addListener).to.be.equal(Emitter.prototype.on); }); it('should alias removeListener to off', function() { expect(Emitter.prototype.removeListener).to.be.equal(Emitter.prototype.off); }); }); return { name: "test.events.emitter" } });
define(['events/lib/emitter'], function(Emitter) { describe("Emitter", function() { it('should alias addListener to on', function() { expect(Emitter.prototype.addListener).to.be.equal(Emitter.prototype.on); }); it('should alias removeListener to off', function() { expect(Emitter.prototype.removeListener).to.be.equal(Emitter.prototype.off); }); describe("emit", function() { var emitter = new Emitter(); var fooSpy = []; emitter.on('foo', function() { fooSpy.push({}); }); it('should call listener with zero arguments', function() { var rv = emitter.emit('foo'); expect(rv).to.be.true; expect(fooSpy).to.have.length(1); }); it('should not call unknown listener', function() { var rv = emitter.emit('fubar'); expect(rv).to.be.false; }); }); }); return { name: "test.events.emitter" } });
Test case for zero argument emit.
Test case for zero argument emit.
JavaScript
mit
anchorjs/events,anchorjs/events
c78dbbec9ad549b8a850abce62f3a4757540eae8
server/mongoose-handler.js
server/mongoose-handler.js
var mongoose = require('mongoose'); var log = require('./logger').log; var process = require('process'); var options = require('./options-handler').options; exports.init = function(callback) { mongoose.connect(options['database']['uri']); var db = mongoose.connection; db.on('error', function(err) { log.error(err); process.exit(1); }); db.once('open', callback); };
var mongoose = require('mongoose'); var log = require('./logger').log; var options = require('./options-handler').options; exports.init = function(callback) { mongoose.connect(options['database']['uri']); var db = mongoose.connection; db.on('error', function(err) { log.error(err); setTimeout(function() { process.exit(1); }, 1000); }); db.once('open', callback); };
Fix exiting on DB error.
Fix exiting on DB error.
JavaScript
mit
MisterTea/TidalWave,MisterTea/TidalWave,MisterTea/TidalWave,MisterTea/TidalWave,MisterTea/TidalWave,MisterTea/TidalWave
cd810325efa67beac2cd339cd0bb5beeced14ec1
app/assets/javascripts/transactions.js
app/assets/javascripts/transactions.js
(function () { "use strict" window.GOVUK = window.GOVUK || {}; window.GOVUK.Transactions = { trackStartPageTabs : function (e) { var pagePath = e.target.href; GOVUK.analytics.trackEvent('startpages', 'tab', {label: pagePath, nonInteraction: true}); } }; })(); $(document).ready(function () { $('form#completed-transaction-form'). append('<input type="hidden" name="service_feedback[javascript_enabled]" value="true"/>'). append($('<input type="hidden" name="referrer">').val(document.referrer || "unknown")); $('#completed-transaction-form button.button').click(function() { $(this).attr('disabled', 'disabled'); $(this).parents('form').submit(); }); $('.transaction .govuk-tabs__tab').click(window.GOVUK.Transactions.trackStartPageTabs); });
(function () { "use strict" window.GOVUK = window.GOVUK || {}; window.GOVUK.Transactions = { trackStartPageTabs : function (e) { var pagePath = e.target.href; GOVUK.analytics.trackEvent('startpages', 'tab', {label: pagePath, nonInteraction: true}); } }; })(); $(document).ready(function () { $('form#completed-transaction-form'). append('<input type="hidden" name="service_feedback[javascript_enabled]" value="true"/>'). append($('<input type="hidden" name="referrer">').val(document.referrer || "unknown")); $('#completed-transaction-form button[type="submit"]').click(function() { $(this).attr('disabled', 'disabled'); $(this).parents('form').submit(); }); $('.transaction .govuk-tabs__tab').click(window.GOVUK.Transactions.trackStartPageTabs); });
Update JS following component usage
Update JS following component usage
JavaScript
mit
alphagov/frontend,alphagov/frontend,alphagov/frontend,alphagov/frontend
7bad2ae5ca65ef0572fa90ce46f6a20964b6e8ff
vendor/assets/javascripts/flash.js
vendor/assets/javascripts/flash.js
// refactoring from https://github.com/leonid-shevtsov/cacheable-flash-jquery var Flash = new Object(); Flash.data = {}; Flash.transferFromCookies = function() { var data = JSON.parse(unescape($.cookie("flash"))); if(!data) data = {}; Flash.data = data; $.cookie('flash',null, {path: '/'}); }; Flash.writeDataTo = function(name, element) { element = $(element); var content = ""; if (Flash.data[name]) { message = Flash.data[name].toString().replace(/\+/g, ' '); element.html(message); element.show(); } };
// refactoring from https://github.com/leonid-shevtsov/cacheable-flash-jquery var Flash = new Object(); Flash.data = {}; Flash.transferFromCookies = function() { var data = JSON.parse(unescape($.cookie("flash"))); if(!data) data = {}; Flash.data = data; $.cookie('flash',null, {path: '/'}); }; Flash.writeDataTo = function(name, element, callback) { element = $(element); var content = ""; if (Flash.data[name]) { message = Flash.data[name].toString().replace(/\+/g, ' '); element.html(message); if (callback && typeof(callback) === 'function') { callback(element); } else { element.show(); } } };
Add callback argument to Flash.writeDataTo()
Add callback argument to Flash.writeDataTo()
JavaScript
mit
khoan/cacheable-flash,nickurban/cacheable-flash,ndreckshage/cacheable-flash,efigence/cacheable-flash,ekampp/cacheable-flash,pivotal/cacheable-flash,nickurban/cacheable-flash,ekampp/cacheable-flash,pedrocarrico/cacheable-flash,wandenberg/cacheable-flash,pivotal/cacheable-flash,pboling/cacheable-flash,khoan/cacheable-flash,pedrocarrico/cacheable-flash,pivotal/cacheable-flash,pboling/cacheable-flash,pedrocarrico/cacheable-flash,pboling/cacheable-flash,efigence/cacheable-flash,ndreckshage/cacheable-flash,wandenberg/cacheable-flash,ndreckshage/cacheable-flash,pboling/cacheable-flash
32c16f42c6198803de75354cf29538c89ea060a1
app/services/data/get-team-caseload.js
app/services/data/get-team-caseload.js
const config = require('../../../knexfile').web const knex = require('knex')(config) module.exports = function (id, type) { var table = 'team_caseload_overview' var whereObject = {} if (id !== undefined) { whereObject.id = id } return knex(table) .where(whereObject) .select('name', 'grade_code AS gradeCode', 'untiered', 'd2', 'd1', 'c2', 'c1', 'b2', 'b1', 'a', 'total_cases AS totalCases', 'link_id AS linkId') .then(function (results) { return results }) }
const config = require('../../../knexfile').web const knex = require('knex')(config) module.exports = function (id) { var table = 'team_caseload_overview' var whereObject = {} if (id !== undefined) { whereObject.id = id } return knex(table) .where(whereObject) .select('name', 'grade_code AS gradeCode', 'untiered', 'd2', 'd1', 'c2', 'c1', 'b2', 'b1', 'a', 'total_cases AS totalCases', 'link_id AS linkId') .then(function (results) { return results }) }
Remove the type field as its not required.
784: Remove the type field as its not required.
JavaScript
mit
ministryofjustice/wmt-web,ministryofjustice/wmt-web
20905777baa711def48620d16507222b9ef50761
concepts/frame-list/main.js
concepts/frame-list/main.js
var mercury = require("mercury") var frameList = require("./views/frame-list") var frameEditor = require("./views/frame-editor") var frameData = require("./data/frames") // Load the data var initialFrameData = frameData.load() var frames = mercury.hash(initialFrameData) // When the data changes, save it frames(frameData.save) // Create the default view using the frame set var frameListEditor = frameList(frames) var state = mercury.hash({ frames: frames, editor: frameList }) // Show the frame editor frameListEditor.onSelectFrame(function (frameId) { var editor = frameEditor(frames[frameId]) editor.onExit(function () { // Restore the frame list state.editor.set(frameList) }) }) function render(state) { // This is a mercury partial rendered with editor.state instead // of globalSoup.state // The immutable internal event list is also passed in // Event listeners are obviously not serializable, but // they can expose their state (listener set) return h(state.editor.partial()) } // setup the loop and go. mercury.app(document.body, render, state)
var mercury = require("mercury") var frameList = require("./views/frame-list") var frameEditor = require("./views/frame-editor") var frameData = require("./data/frames") // Load the data var initialFrameData = frameData.load() // Create the default view using the frame set var frameListEditor = frameList(frames) var state = mercury.hash({ frames: mercury.hash(initialFrameData), editor: frameList }) // When the data changes, save it state.frames(frameData.save) // Show the frame editor frameListEditor.onSelectFrame(function (frameId) { var editor = frameEditor(state.frames[frameId]) editor.onExit(function () { // Restore the frame list state.editor.set(frameList) }) }) function render(state) { // This is a mercury partial rendered with editor.state instead // of globalSoup.state // The immutable internal event list is also passed in // Event listeners are obviously not serializable, but // they can expose their state (listener set) return h(state.editor.partial()) } // setup the loop and go. mercury.app(document.body, render, state)
Consolidate the two pieces of state into a single atom
Consolidate the two pieces of state into a single atom This helps readability of the code by knowing there is only one variable that contains the state and only one variable that can be mutated. This means if you refactor the code into multiple files you only have to pass this one variable into the functions from the other file.
JavaScript
mit
Raynos/mercury,eriser/mercury,staltz/mercury,staltz/mercury,eightyeight/mercury,beni55/mercury,mpal9000/mercury,jxson/mercury,vlad-x/mercury,martintietz/mercury,tommymessbauer/mercury
5d9441a2eabc8206c3fcca0728bd218d40ed1e0f
Data/Events.js
Data/Events.js
export default [ { day: 20, month: 7, year: 2017, date: '20 Julho 2017', location: 'Fundação Calouste Gulbenkian, Lisboa', name: 'Concerto pela Orquestra Gulbenkian, Dia do Fundador', description:'A Orquestra Gulbenkian, dirigida por José Eduardo Gomes, com os solistas Agostinho Sequeira (percussão) e Haïg Sarikouyoumdjian (duduk), irá interpretar obras de Jennifer Higdon e de Ludwig van Beethoven' }
export default [ { day: 20, month: 7, year: 2017, date: '20 Julho 2017', location: 'Fundação Calouste Gulbenkian, Lisboa', name: 'Concerto pela Orquestra Gulbenkian, Dia do Fundador', description: 'A Orquestra Gulbenkian, dirigida por José Eduardo Gomes, com os solistas Agostinho Sequeira (percussão) e Haïg Sarikouyoumdjian (duduk), irá interpretar obras de Jennifer Higdon e de Ludwig van Beethoven' } ];
Fix data object on event data
Fix data object on event data
JavaScript
mit
joaojusto/jose-gomes-landing-page
3c4d2080e1602fbeafcfbc71befbb591a186b2b1
webserver/static/js/main.js
webserver/static/js/main.js
console.log("Hello Console!"); host = window.location.host.split(":")[0]; console.log(host); var conn; $(document).ready(function () { conn = new WebSocket("ws://"+host+":8888/ws"); conn.onclose = function(evt) { console.log("connection closed"); } conn.onmessage = function(evt) { console.log("received : " + evt.data); } }); // Byte String -> Boolean function sendPacket(id, data) { return conn.send(String.fromCharCode(id) + data); } function sendit() { console.log(sendPacket(1, '{"msg": "hi"}')); }
console.log("Hello Console!"); host = window.location.host.split(":")[0]; console.log(host); var conn; $(document).ready(function () { initializePacketHandlers(); conn = new WebSocket("ws://"+host+":8888/ws"); conn.onclose = function(evt) { console.log("connection closed"); } conn.onmessage = function(evt) { console.log("received : " + evt.data); //handlePacket(evt.data) } }); //---- Packet Ids var LOGIN_PID = 0; var PACKET_HANDLERS = {}; function initializePacketHandlers() { //PACKET_HANDLERS[PID] = callback_function; } //--- Packet Senders // String String -> Bool function sendLogin(username, token) { return sendPacket(LOGIN_PID, { Username: username, Token: token }) } // Byte String -> Bool function sendPacket(id, data) { return conn.send(String.fromCharCode(id) + JSON.stringify(data)); } function sendit() { console.log(sendPacket(1, { msg: "hi" })); } //---- Packet Handlers // String -> ? function handlePacket(packet) { var pid = packet.charCodeAt(0); var data = packet.substring(1); handler = PACKET_HANDLERS[pid]; return handler(data); }
Expand the JS code a bit to prepare for networking code
Expand the JS code a bit to prepare for networking code
JavaScript
mit
quintenpalmer/attempt,quintenpalmer/attempt,quintenpalmer/attempt,quintenpalmer/attempt
43f89d6a8a19f87d57ee74b30b7f0e664a958a2f
tests/integration/components/canvas-block-filter/component-test.js
tests/integration/components/canvas-block-filter/component-test.js
import { moduleForComponent, test } from 'ember-qunit'; import hbs from 'htmlbars-inline-precompile'; moduleForComponent('canvas-block-filter', 'Integration | Component | canvas block filter', { integration: true }); test('it renders', function(assert) { // Set any properties with this.set('myProperty', 'value'); // Handle any actions with this.on('myAction', function(val) { ... }); this.render(hbs`{{canvas-block-filter}}`); assert.ok(this.$('input[type=text]').get(0)); });
import { moduleForComponent, test } from 'ember-qunit'; import Ember from 'ember'; import hbs from 'htmlbars-inline-precompile'; moduleForComponent('canvas-block-filter', 'Integration | Component | canvas block filter', { integration: true }); test('it binds a filter term', function(assert) { this.set('filterTerm', 'Foo'); this.render(hbs`{{canvas-block-filter filterTerm=filterTerm}}`); assert.equal(this.$('input').val(), 'Foo'); this.$('input').val('Bar').trigger('input'); assert.equal(this.get('filterTerm'), 'Bar'); }); test('it clears the filter when closing', function(assert) { this.set('filterTerm', 'Foo'); this.set('onCloseFilter', Ember.K); this.render(hbs`{{canvas-block-filter onCloseFilter=onCloseFilter filterTerm=filterTerm}}`); this.$('button').click(); assert.equal(this.get('filterTerm'), ''); }); test('it calls a close callback', function(assert) { this.set('onCloseFilter', _ => assert.ok(true)); this.render(hbs`{{canvas-block-filter onCloseFilter=onCloseFilter}}`); this.$('button').click(); });
Add meaningful tests to canvas-block-filter
Add meaningful tests to canvas-block-filter
JavaScript
apache-2.0
usecanvas/web-v2,usecanvas/web-v2,usecanvas/web-v2
9552b9842af3f5335cdcca132e37fbde591c41a4
src/js/services/tracker.js
src/js/services/tracker.js
/** * Event tracker (analytics) */ var module = angular.module('tracker', []); module.factory('rpTracker', ['$rootScope', function ($scope) { var track = function (event,properties) { if (Options.mixpanel && Options.mixpanel.track && mixpanel) { mixpanel.track(event,properties); } }; return { track: track }; }]);
/** * Event tracker (analytics) */ var module = angular.module('tracker', []); module.factory('rpTracker', ['$rootScope', function ($scope) { var track = function (event,properties) { if (Options.mixpanel && Options.mixpanel.track && window.mixpanel) { mixpanel.track(event,properties); } }; return { track: track }; }]);
Fix test failures due to missing mixpanel JS
[TEST] Fix test failures due to missing mixpanel JS
JavaScript
isc
Madsn/ripple-client,arturomc/ripple-client,darkdarkdragon/ripple-client-desktop,darkdarkdragon/ripple-client,xdv/ripple-client,mrajvanshy/ripple-client-desktop,h0vhannes/ripple-client,xdv/ripple-client,yongsoo/ripple-client-desktop,darkdarkdragon/ripple-client-desktop,mrajvanshy/ripple-client,h0vhannes/ripple-client,wangbibo/ripple-client,xdv/ripple-client-desktop,dncohen/ripple-client-desktop,vhpoet/ripple-client,bankonme/ripple-client-desktop,ripple/ripple-client-desktop,wangbibo/ripple-client,MatthewPhinney/ripple-client,MatthewPhinney/ripple-client,darkdarkdragon/ripple-client,arturomc/ripple-client,MatthewPhinney/ripple-client,vhpoet/ripple-client-desktop,darkdarkdragon/ripple-client,vhpoet/ripple-client-desktop,thics/ripple-client-desktop,darkdarkdragon/ripple-client,thics/ripple-client-desktop,xdv/ripple-client,h0vhannes/ripple-client,xdv/ripple-client-desktop,MatthewPhinney/ripple-client,arturomc/ripple-client,bsteinlo/ripple-client,resilience-me/DEPRICATED_ripple-client,vhpoet/ripple-client,yongsoo/ripple-client,Madsn/ripple-client,vhpoet/ripple-client,mrajvanshy/ripple-client,ripple/ripple-client,xdv/ripple-client,vhpoet/ripple-client,ripple/ripple-client-desktop,bsteinlo/ripple-client,Madsn/ripple-client,MatthewPhinney/ripple-client-desktop,ripple/ripple-client,bankonme/ripple-client-desktop,arturomc/ripple-client,Madsn/ripple-client,yongsoo/ripple-client,xdv/ripple-client-desktop,MatthewPhinney/ripple-client-desktop,mrajvanshy/ripple-client,yxxyun/ripple-client-desktop,yongsoo/ripple-client,yxxyun/ripple-client-desktop,wangbibo/ripple-client,yongsoo/ripple-client,mrajvanshy/ripple-client,mrajvanshy/ripple-client-desktop,ripple/ripple-client,yongsoo/ripple-client-desktop,wangbibo/ripple-client,dncohen/ripple-client-desktop,ripple/ripple-client,resilience-me/DEPRICATED_ripple-client,h0vhannes/ripple-client
e9b97e39609d9b592e8c8af0cc00e036d6326cc1
src/lib/listener/onFile.js
src/lib/listener/onFile.js
import {Readable} from "stream" import File from "lib/File" import getFieldPath from "lib/util/getFieldPath" const onFile = (options, cb) => (fieldname, stream, filename, enc, mime) => { try { const path = getFieldPath(fieldname) const contents = new Readable({ read() { /* noop */ } }) const onData = ch => contents.push(ch) const onEnd = () => { contents.push(null) const file = new File({filename, contents, enc, mime}) cb(null, [ path, file ]) } stream .on("data", onData) .on("end", onEnd) } catch (err) { return cb(err) } } export default onFile
import {Readable} from "stream" import File from "lib/File" import getFieldPath from "lib/util/getFieldPath" const onFile = (options, cb) => (fieldname, stream, filename, enc, mime) => { try { const path = getFieldPath(fieldname) const contents = new Readable({ read() { /* noop */ } }) const onData = ch => contents.push(ch) const onEnd = () => { contents.push(null) const file = new File({filename, contents, enc, mime}) cb(null, [ path, file ]) } stream .on("error", cb) .on("data", onData) .on("end", onEnd) } catch (err) { return cb(err) } } export default onFile
Add an error event listener for FileStream.
Add an error event listener for FileStream.
JavaScript
mit
octet-stream/then-busboy,octet-stream/then-busboy
e902c3b71a0ff79ebcb2424098197604d40ed21b
web_external/js/views/body/JobsPanel.js
web_external/js/views/body/JobsPanel.js
minerva.views.JobsPanel = minerva.View.extend({ initialize: function () { var columnEnum = girder.views.jobs_JobListWidget.prototype.columnEnum; var columns = columnEnum.COLUMN_STATUS_ICON | columnEnum.COLUMN_TITLE; this.jobListWidget = new girder.views.jobs_JobListWidget({ columns: columns, showHeader: false, pageLimit: 10, showPaging: false, triggerJobClick: true, parentView: this }).on('g:jobClicked', function (job) { // TODO right way to update specific job? // otherwise can get a detail that is out of sync with actual job status // seems weird to update the entire collection from here // another option is to refresh the job specifically this.jobListWidget.collection.on('g:changed', function () { job = this.jobListWidget.collection.get(job.get('id')); this.jobDetailsWidgetModalWrapper = new minerva.views.JobDetailsWidgetModalWrapper({ job: job, el: $('#g-dialog-container'), parentView: this }); this.jobDetailsWidgetModalWrapper.render(); }, this); this.jobListWidget.collection.fetch({}, true); }, this); girder.events.on('m:job.created', function () { this.jobListWidget.collection.fetch({}, true); }, this); }, render: function () { this.$el.html(minerva.templates.jobsPanel({})); this.jobListWidget.setElement(this.$('.m-jobsListContainer')).render(); return this; } });
minerva.views.JobsPanel = minerva.View.extend({ initialize: function () { var columnEnum = girder.views.jobs_JobListWidget.prototype.columnEnum; var columns = columnEnum.COLUMN_STATUS_ICON | columnEnum.COLUMN_TITLE; this.jobListWidget = new girder.views.jobs_JobListWidget({ columns: columns, showHeader: false, pageLimit: 10, showPaging: false, triggerJobClick: true, parentView: this }).on('g:jobClicked', function (job) { // update the job before displaying, as the job in the collection // could be stale and out of sync from the display in the job panel job.once('g:fetched', function () { this.jobDetailsWidgetModalWrapper = new minerva.views.JobDetailsWidgetModalWrapper({ job: job, el: $('#g-dialog-container'), parentView: this }); this.jobDetailsWidgetModalWrapper.render(); }, this).fetch(); }, this); girder.events.on('m:job.created', function () { this.jobListWidget.collection.fetch({}, true); }, this); }, render: function () { this.$el.html(minerva.templates.jobsPanel({})); this.jobListWidget.setElement(this.$('.m-jobsListContainer')).render(); return this; } });
Update job when job detail clicked
Update job when job detail clicked
JavaScript
apache-2.0
Kitware/minerva,Kitware/minerva,Kitware/minerva
fb73e6394654a38439387994556680215a93c0b3
addon/components/page-pagination.js
addon/components/page-pagination.js
import Ember from 'ember'; import layout from '../templates/components/page-pagination'; export default Ember.Component.extend({ layout: layout, keys: ['first', 'prev', 'next', 'last'], sortedLinks: Ember.computed('keys', 'links', function() { var result = {}; this.get('keys').map( (key) => { result[key] = this.get('links')[key]; }); if (!this.get('links.prev')) { result['first'] = undefined; } if (!this.get('links.next')) { result['last'] = undefined; } return result; }), actions: { changePage(link) { this.set('page', link['number'] || 0); this.set('size', link['size'] || 0); } } });
import Ember from 'ember'; import layout from '../templates/components/page-pagination'; export default Ember.Component.extend({ layout: layout, keys: ['first', 'prev', 'next', 'last'], sortedLinks: Ember.computed('keys', 'links', function() { var result = {}; this.get('keys').map( (key) => { result[key] = this.get('links')[key]; }); if (!this.get('links.prev')) { result['first'] = undefined; } if (!this.get('links.next')) { result['last'] = undefined; } return result; }), actions: { changePage(link) { this.set('page', link['number'] || 0); if (link['size']) { this.set('size', link['size']); } } } });
Fix unsensible default for page size
Fix unsensible default for page size
JavaScript
mit
mu-semtech/ember-data-table,erikap/ember-data-table,erikap/ember-data-table,mu-semtech/ember-data-table
ff552ff6677bbc93ab7a750184dfd79109c1a837
src/mock-get-user-media.js
src/mock-get-user-media.js
// Takes a mockOnStreamAvailable function which when given a webrtcstream returns a new stream // to replace it with. module.exports = function mockGetUserMedia(mockOnStreamAvailable) { let oldGetUserMedia; if (navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.mozGetUserMedia) { oldGetUserMedia = navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.mozGetUserMedia; navigator.webkitGetUserMedia = navigator.getUserMedia = navigator.mozGetUserMedia = function getUserMedia(constraints, onStreamAvailable, onStreamAvailableError, onAccessDialogOpened, onAccessDialogClosed, onAccessDenied) { return oldGetUserMedia.call(navigator, constraints, stream => { onStreamAvailable(mockOnStreamAvailable(stream)); }, onStreamAvailableError, onAccessDialogOpened, onAccessDialogClosed, onAccessDenied); }; } else { console.warn('Could not find getUserMedia function to mock out'); } };
// Takes a mockOnStreamAvailable function which when given a webrtcstream returns a new stream // to replace it with. module.exports = function mockGetUserMedia(mockOnStreamAvailable) { let oldGetUserMedia; if (navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.mozGetUserMedia) { oldGetUserMedia = navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.mozGetUserMedia; navigator.webkitGetUserMedia = navigator.getUserMedia = navigator.mozGetUserMedia = function getUserMedia(constraints, onStreamAvailable, onStreamAvailableError, onAccessDialogOpened, onAccessDialogClosed, onAccessDenied) { return oldGetUserMedia.call(navigator, constraints, stream => { onStreamAvailable(mockOnStreamAvailable(stream)); }, onStreamAvailableError, onAccessDialogOpened, onAccessDialogClosed, onAccessDenied); }; } else if (navigator.mediaDevices && navigator.mediaDevices.getUserMedia) { oldGetUserMedia = navigator.mediaDevices.getUserMedia; navigator.mediaDevices.getUserMedia = function getUserMedia (constraints) { return new Promise(function (resolve, reject) { oldGetUserMedia.call(navigator.mediaDevices, constraints).then(stream => { resolve(mockOnStreamAvailable(stream)); }, reason => { reject(reason); }).catch(err => { console.error('Error getting mock stream', err); }); }); }; } else { console.warn('Could not find getUserMedia function to mock out'); } };
Add MediaDevices support for mock getUserMedia
Add MediaDevices support for mock getUserMedia Signed-off-by: Kaustav Das Modak <[email protected]>
JavaScript
mit
aullman/opentok-camera-filters,aullman/opentok-camera-filters
2ecfcc3c05a3bdda467113b00748c32b3fb4db25
tests/backstop/detect-target-host.js
tests/backstop/detect-target-host.js
// Linux machines should use Docker's default gateway IP address to connect to. let hostname = '172.17.0.2'; // On MacOS and Windows, `host.docker.internal` is available to point to the // host and run backstopjs against. // If the hostname arg is set, then we're inside the container and this should take precedence. const hostArg = process.argv.find( ( arg ) => arg.match( /^--hostname=/ ) ); if ( hostArg ) { hostname = hostArg.replace( /^--hostname=/, '' ); } else if ( process.platform === 'darwin' || process.platform === 'win32' ) { hostname = 'host.docker.internal'; } module.exports = hostname;
// Linux machines should use Docker's default gateway IP address to connect to. let hostname = '172.17.0.1'; // On MacOS and Windows, `host.docker.internal` is available to point to the // host and run backstopjs against. // If the hostname arg is set, then we're inside the container and this should take precedence. const hostArg = process.argv.find( ( arg ) => arg.match( /^--hostname=/ ) ); if ( hostArg ) { hostname = hostArg.replace( /^--hostname=/, '' ); } else if ( process.platform === 'darwin' || process.platform === 'win32' ) { hostname = 'host.docker.internal'; } module.exports = hostname;
Fix default host IP for docker.
Fix default host IP for docker.
JavaScript
apache-2.0
google/site-kit-wp,google/site-kit-wp,google/site-kit-wp,google/site-kit-wp
fac9a134cafcecd5b2ef52d4c1a99123f9df0ff9
app/scripts/configs/modes/portal.js
app/scripts/configs/modes/portal.js
'use strict'; angular.module('ncsaas') .constant('MODE', { modeName: 'modePortal', toBeFeatures: [ 'localSignup', 'localSignin', 'team', 'monitoring', 'backups', 'templates', 'sizing', 'projectGroups' ], featuresVisible: false, comingFeatures: [ 'applications', ] });
'use strict'; angular.module('ncsaas') .constant('MODE', { modeName: 'modePortal', toBeFeatures: [ 'localSignup', 'localSignin', 'password', 'team', 'monitoring', 'backups', 'templates', 'sizing', 'projectGroups', 'apps', 'premiumSupport' ], featuresVisible: false, appStoreCategories: [ { name: 'VMs', type: 'provider', icon: 'desktop', services: ['Amazon', 'DigitalOcean', 'OpenStack'] }, { name: 'Private clouds', type: 'provider', icon: 'cloud', services: ['OpenStack'] } ], serviceCategories: [ { name: 'Virtual machines', services: ['Amazon', 'DigitalOcean', 'OpenStack'], } ] });
Disable Azure, Gitlab, Application, Support providers (SAAS-1329)
Disable Azure, Gitlab, Application, Support providers (SAAS-1329)
JavaScript
mit
opennode/waldur-homeport,opennode/waldur-homeport,opennode/waldur-homeport,opennode/waldur-homeport
3a5424c8966c899461191654e8b1de3e99dd2914
mezzanine/core/media/js/collapse_inline.js
mezzanine/core/media/js/collapse_inline.js
$(function() { var grappelli = !!$('#bookmarks'); var parentSelector = grappelli ? 'div.items' : 'tbody'; // Hide the exta inlines. $(parentSelector + ' > *:not(.has_original)').hide(); // Re-show inlines with errors, poetentially hidden by previous line. var errors = $(parentSelector + ' ul[class=errorlist]').parent().parent(); if (grappelli) { errors = errors.parent(); } errors.show(); // Add the 'Add another' link to the end of the inlines. var parent = $(parentSelector).parent(); if (!grappelli) { parent = parent.parent(); } parent.append('<p class="add-another"><a href="#">Add another</a></p>'); $('.add-another').click(function() { // Show a new inline when the 'Add another' link is clicked. var rows = $(this).parent().find(parentSelector + ' > *:hidden'); $(rows[0]).show(); if (rows.length == 1) { $(this).hide(); } return false; }); // Show the first hidden inline - grappelli's inline header is actually // part of the selector so for it we run this twice. $('.add-another').click(); if (grappelli) { $('.add-another').click(); } });
$(function() { var grappelli = !!$('#bookmarks'); var parentSelector = grappelli ? 'div.items' : 'tbody'; // Hide the exta inlines. $(parentSelector + ' > *:not(.has_original)').hide(); // Re-show inlines with errors, poetentially hidden by previous line. var errors = $(parentSelector + ' ul[class=errorlist]').parent().parent(); if (grappelli) { errors = errors.parent(); } errors.show(); // Add the 'Add another' link to the end of the inlines. var parent = $(parentSelector).parent(); if (!grappelli) { parent = parent.parent(); } parent.append('<p class="add-another add-another-inline">' + '<a href="#">Add another</a></p>'); $('.add-another-inline').click(function() { // Show a new inline when the 'Add another' link is clicked. var rows = $(this).parent().find(parentSelector + ' > *:hidden'); $(rows[0]).show(); if (rows.length == 1) { $(this).hide(); } return false; }); // Show the first hidden inline - grappelli's inline header is actually // part of the selector so for it we run this twice. $('.add-another-inline').click(); if (grappelli) { $('.add-another-inline').click(); } });
Make class name unique for dynamic inlines.
Make class name unique for dynamic inlines.
JavaScript
bsd-2-clause
dustinrb/mezzanine,tuxinhang1989/mezzanine,ZeroXn/mezzanine,scarcry/snm-mezzanine,nikolas/mezzanine,biomassives/mezzanine,gradel/mezzanine,adrian-the-git/mezzanine,damnfine/mezzanine,wbtuomela/mezzanine,guibernardino/mezzanine,wbtuomela/mezzanine,Cicero-Zhao/mezzanine,molokov/mezzanine,PegasusWang/mezzanine,cccs-web/mezzanine,jjz/mezzanine,eino-makitalo/mezzanine,agepoly/mezzanine,stbarnabas/mezzanine,viaregio/mezzanine,vladir/mezzanine,christianwgd/mezzanine,orlenko/sfpirg,dustinrb/mezzanine,adrian-the-git/mezzanine,mush42/mezzanine,douglaskastle/mezzanine,PegasusWang/mezzanine,stbarnabas/mezzanine,gbosh/mezzanine,saintbird/mezzanine,mush42/mezzanine,spookylukey/mezzanine,jerivas/mezzanine,ZeroXn/mezzanine,Cajoline/mezzanine,jjz/mezzanine,dovydas/mezzanine,jerivas/mezzanine,agepoly/mezzanine,eino-makitalo/mezzanine,theclanks/mezzanine,dekomote/mezzanine-modeltranslation-backport,stephenmcd/mezzanine,Skytorn86/mezzanine,SoLoHiC/mezzanine,frankier/mezzanine,sjdines/mezzanine,jerivas/mezzanine,promil23/mezzanine,stephenmcd/mezzanine,batpad/mezzanine,Skytorn86/mezzanine,Kniyl/mezzanine,tuxinhang1989/mezzanine,gbosh/mezzanine,guibernardino/mezzanine,sjdines/mezzanine,Cajoline/mezzanine,viaregio/mezzanine,theclanks/mezzanine,douglaskastle/mezzanine,dovydas/mezzanine,frankier/mezzanine,theclanks/mezzanine,nikolas/mezzanine,Cajoline/mezzanine,scarcry/snm-mezzanine,webounty/mezzanine,frankier/mezzanine,orlenko/sfpirg,damnfine/mezzanine,dustinrb/mezzanine,emile2016/mezzanine,douglaskastle/mezzanine,dsanders11/mezzanine,readevalprint/mezzanine,sjdines/mezzanine,sjuxax/mezzanine,webounty/mezzanine,spookylukey/mezzanine,ryneeverett/mezzanine,christianwgd/mezzanine,ryneeverett/mezzanine,fusionbox/mezzanine,frankchin/mezzanine,jjz/mezzanine,industrydive/mezzanine,agepoly/mezzanine,promil23/mezzanine,gradel/mezzanine,dekomote/mezzanine-modeltranslation-backport,biomassives/mezzanine,AlexHill/mezzanine,saintbird/mezzanine,molokov/mezzanine,joshcartme/mezzanine,SoLoHiC/mezzanine,PegasusWang/mezzanine,wyzex/mezzanine,christianwgd/mezzanine,gbosh/mezzanine,wrwrwr/mezzanine,wbtuomela/mezzanine,sjuxax/mezzanine,dsanders11/mezzanine,fusionbox/mezzanine,spookylukey/mezzanine,readevalprint/mezzanine,adrian-the-git/mezzanine,orlenko/plei,wyzex/mezzanine,geodesign/mezzanine,viaregio/mezzanine,geodesign/mezzanine,orlenko/plei,Cicero-Zhao/mezzanine,orlenko/plei,orlenko/sfpirg,biomassives/mezzanine,dsanders11/mezzanine,emile2016/mezzanine,industrydive/mezzanine,nikolas/mezzanine,cccs-web/mezzanine,ryneeverett/mezzanine,scarcry/snm-mezzanine,joshcartme/mezzanine,webounty/mezzanine,dekomote/mezzanine-modeltranslation-backport,wrwrwr/mezzanine,mush42/mezzanine,sjuxax/mezzanine,stephenmcd/mezzanine,tuxinhang1989/mezzanine,vladir/mezzanine,dovydas/mezzanine,AlexHill/mezzanine,geodesign/mezzanine,damnfine/mezzanine,readevalprint/mezzanine,eino-makitalo/mezzanine,promil23/mezzanine,vladir/mezzanine,industrydive/mezzanine,ZeroXn/mezzanine,saintbird/mezzanine,joshcartme/mezzanine,Kniyl/mezzanine,wyzex/mezzanine,molokov/mezzanine,emile2016/mezzanine,frankchin/mezzanine,SoLoHiC/mezzanine,Kniyl/mezzanine,batpad/mezzanine,Skytorn86/mezzanine,gradel/mezzanine,frankchin/mezzanine
94d2f1a72a525e0a36cd247b299150a87445d2e4
lib/nrouter/common.js
lib/nrouter/common.js
'use strict'; var Common = module.exports = {}; // iterates through all object keys-value pairs calling iterator on each one // example: $$.each(objOrArr, function (val, key) { /* ... */ }); Common.each = function each(obj, iterator, context) { var keys, i, l; if (null === obj || undefined === obj) { return; } context = context || iterator; if (Array.prototype.forEach && obj.forEach === Array.prototype.forEach) { obj.forEach(iterator, context); } else { keys = Object.getOwnPropertyNames(obj); for (i = 0, l = keys.length; i < l; i += 1) { if (false === iterator.call(context, obj[keys[i]], keys[i], obj)) { // break return; } } } };
'use strict'; var Common = module.exports = {}; // iterates through all object keys-value pairs calling iterator on each one // example: $$.each(objOrArr, function (val, key) { /* ... */ }); Common.each = function each(obj, iterator, context) { var keys, i, l; if (null === obj || undefined === obj) { return; } context = context || iterator; keys = Object.getOwnPropertyNames(obj); // not using Array#forEach, as it does not allows to stop iterator for (i = 0, l = keys.length; i < l; i += 1) { if (false === iterator.call(context, obj[keys[i]], keys[i], obj)) { // break return; } } };
Remove forEach fallback in Common.each
Remove forEach fallback in Common.each
JavaScript
mit
nodeca/pointer
c6578b2bb3652c65bcc5b0342efefde11aad034e
app.js
app.js
$(function(){ var yourSound = new Audio('notification.ogg'); yourSound.loop = true; $('.start button').click(function(ev){ $('.start').toggleClass('hidden'); $(".example").TimeCircles({ "animation": "ticks", "count_past_zero": false, "circle_bg_color": "#f1f1f1", "time": { Days: { show: false }, Hours: { show: false }, Minutes: { color: "#1abc9c" }, Seconds: { color: "#e74c3c" } } }).addListener(function(unit, value, total){ if(!total){ yourSound.play(); $('.stop').toggleClass('hidden'); } }); }); $('.stop button').click(function(ev){ yourSound.pause(); $(".example").TimeCircles().destroy(); $('.stop').toggleClass('hidden'); $('.start').toggleClass('hidden'); }); });
$(function(){ var yourSound = new Audio('notification.ogg'); yourSound.loop = true; $('.start button').click(function(ev){ $('.start').toggleClass('hidden'); $('.stop').toggleClass('hidden'); $(".example").TimeCircles({ "animation": "ticks", "count_past_zero": false, "circle_bg_color": "#f1f1f1", "time": { Days: { show: false }, Hours: { show: false }, Minutes: { color: "#1abc9c" }, Seconds: { color: "#e74c3c" } } }).addListener(function(unit, value, total){ if(!total){ yourSound.play(); } }); }); $('.stop button').click(function(ev){ yourSound.pause(); $(".example").TimeCircles().destroy(); $('.stop').toggleClass('hidden'); $('.start').toggleClass('hidden'); }); });
Stop button always visible when clock is running
Stop button always visible when clock is running
JavaScript
mit
dplesca/getup
32383c5d18a74120da107a708abfee60a601bb27
app/scripts/main.js
app/scripts/main.js
'use strict'; // Toogle asset images - zome in and out $(function() { var Snackbar = window.Snackbar; Snackbar.init(); var AssetPage = window.AssetPage; AssetPage.init(); // We only want zooming on asset's primary images. $('.asset .zoomable').click(function() { var $thisRow = $(this).closest('.image-row'); if ($thisRow.hasClass('col-md-6')) { $thisRow.removeClass('col-md-6').addClass('col-md-12'); $thisRow.next('div').addClass('col-md-offset-3') .removeClass('pull-right'); } else { $thisRow.removeClass('col-md-12').addClass('col-md-6'); $thisRow.next('div').removeClass('col-md-offset-3') .addClass('pull-right'); } }); var hideAllDropdowns = function() { $('.dropdown').removeClass('dropdown--active'); $('body').off('click', hideAllDropdowns); }; $('.dropdown__selected').on('click', function() { var $this = $(this); var $dropdown = $this.closest('.dropdown'); if ($dropdown.hasClass('dropdown--active') === false) { $dropdown.addClass('dropdown--active'); setTimeout(function() { $('body').off('click', hideAllDropdowns).on('click', hideAllDropdowns); }, 1); } }); });
'use strict'; // Toogle asset images - zome in and out $(function() { var Snackbar = window.Snackbar; Snackbar.init(); var AssetPage = window.AssetPage; AssetPage.init(); // We only want zooming on asset's primary images. $('.asset .zoomable').click(function() { var $thisRow = $(this).closest('.image-row'); if ($thisRow.hasClass('col-md-6')) { $thisRow.removeClass('col-md-6').addClass('col-md-12'); $thisRow.next('div').addClass('col-md-offset-3') .removeClass('pull-right'); } else { $thisRow.removeClass('col-md-12').addClass('col-md-6'); $thisRow.next('div').removeClass('col-md-offset-3') .addClass('pull-right'); } }); var hideAllDropdowns = function() { $('.dropdown').removeClass('dropdown--active'); $('body').off('click', hideAllDropdowns); }; $('.dropdown__selected').on('click', function() { var $this = $(this); $('body').off('click', hideAllDropdowns); $('.dropdown').removeClass('dropdown--active'); var $dropdown = $this.closest('.dropdown'); if ($dropdown.hasClass('dropdown--active') === false) { $dropdown.addClass('dropdown--active'); setTimeout(function() { $('body').on('click', hideAllDropdowns); }, 1); } }); });
Fix bug in dropdowns, where they didn’t disappear correctly
Fix bug in dropdowns, where they didn’t disappear correctly
JavaScript
mit
CopenhagenCityArchives/kbh-billeder,CopenhagenCityArchives/kbh-billeder,CopenhagenCityArchives/kbh-billeder
e7ed223545ffa3fea6d996eb2920908275a69cc9
cli.js
cli.js
#!/usr/bin/env node 'use strict'; const fs = require('fs'); const minimist = require('minimist'); const pkg = require('./package.json'); const oust = require('.'); const argv = minimist(process.argv.slice(2)); function printHelp() { console.log([ pkg.description, '', 'Usage', ' $ oust <filename> <type>', '', 'Example', ' $ oust index.html scripts' ].join('\n')); } if (argv.v || argv.version) { console.log(pkg.version); process.exit(0); } if (argv.h || argv.help || argv._.length === 0) { printHelp(); process.exit(0); } const file = argv._[0]; const type = argv._[1]; fs.readFile(file, (err, data) => { if (err) { console.error('Error opening file:', err.message); process.exit(1); } console.log(oust(data, type).join('\n')); });
#!/usr/bin/env node 'use strict'; const fs = require('fs'); const minimist = require('minimist'); const pkg = require('./package.json'); const oust = require('.'); const argv = minimist(process.argv.slice(2)); function printHelp() { console.log(` ${pkg.description} Usage: $ oust <filename> <type> Example: $ oust index.html scripts`); } if (argv.v || argv.version) { console.log(pkg.version); process.exit(0); } if (argv.h || argv.help || argv._.length === 0) { printHelp(); process.exit(0); } const file = argv._[0]; const type = argv._[1]; fs.readFile(file, (err, data) => { if (err) { console.error('Error opening file:', err.message); process.exit(1); } console.log(oust(data, type).join('\n')); });
Switch to template literals for the help screen.
Switch to template literals for the help screen.
JavaScript
apache-2.0
addyosmani/oust,addyosmani/oust
421230533c619e98a5dca0ce8374b176bdc10663
git.js
git.js
var exec = require('child_process').exec; var temp = require('temp'); var fs = fs = require('fs'); var log = require('./logger'); exports.head = function (path, callback) { exec('git --git-dir=' + path + ".git log -1 --pretty=format:'%H%n%an <%ae>%n%ad%n%s%n'", function(error, stdout, stderr) { var str = stdout.split('\n'); var commit = { commit: str[0], author: str[1], date: str[2], message: str[3], }; callback(commit); }); }; exports.commit = function (path, author, message, callback) { temp.open('bombastic', function(err, info) { if (err) { log.error("Can't create temporaty file " + info.path); callback(); } log.debug('Write commit message into temporary file ' + info.path); fs.write(info.fd, message); fs.close(info.fd, function(err) { var command = ['./scripts/commit.sh ', path, ' "', author.name, ' <', author.email, '> " "', info.path, '"'].join(''); exec(command, function(error, stdout, stderr) { log.debug(stdout); callback(); }); }); }); }
var exec = require('child_process').exec; var temp = require('temp'); var fs = fs = require('fs'); var log = require('./logger'); exports.head = function (path, callback) { exec('git --git-dir=' + path + ".git log -1 --pretty=format:'%H%n%an <%ae>%n%ad%n%s%n'", function(error, stdout, stderr) { var str = stdout.split('\n'); var commit = { commit: str[0], author: str[1], date: str[2], message: str[3], }; callback(commit); }); }; exports.commit = function (path, author, message, callback) { temp.open('bombastic', function(err, info) { if (err) { log.error("Can't create temporaty file " + info.path); callback(); } log.debug('Write commit message into temporary file ' + info.path); fs.write(info.fd, message); fs.close(info.fd, function(err) { var command = [__dirname + '/scripts/commit.sh ', path, ' "', author.name, ' <', author.email, '> " "', info.path, '"'].join(''); exec(command, function(error, stdout, stderr) { log.debug(stdout); callback(); }); }); }); }
Fix path to commit.sh script
Fix path to commit.sh script It should be relative to __dirname, not to cwd()
JavaScript
mit
finik/bombastic,finik/bombastic,finik/bombastic
88305e481396644d88a08605ba786bd1dce35af6
src/scripts/json-minify.js
src/scripts/json-minify.js
function minifyJson(data) { return JSON.stringify(JSON.parse(data)); } export function minifyJsonFile(readFileFn, fileName) { return minifyJson(readFileFn(fileName)); }
export function minifyJsonFile(readFileFn, fileName) { const minifyJson = new MinifyJson(readFileFn); return minifyJson.fromFile(fileName); } class MinifyJson { constructor(readFileFunction) { this.readFileFunction = readFileFunction; } fromFile(fileName) { const fileContent = this.readFileFunction(fileName); return MinifyJson.fromString(fileContent); } static fromString(data) { return JSON.stringify(JSON.parse(data)); } }
Refactor it out into a class.
Refactor it out into a class.
JavaScript
mit
cosmowiki/cosmowiki,cosmowiki/cosmowiki,cosmowiki/cosmowiki,cosmowiki/cosmowiki
084a1d1d7139d96540648a9938749a9d36d2efa4
desktop/src/lib/database.js
desktop/src/lib/database.js
/* eslint-env browser */ const fs = window.require('fs'); const fetchInitialState = () => { const data = fs.readFileSync('.config/db', 'utf-8'); if (data) { return JSON.parse(data); } return {}; }; const update = (state) => { fs.writeFileSync('.config/db', JSON.stringify(state), 'utf-8'); }; export { fetchInitialState, update };
/* eslint-env browser */ const fs = window.require('fs'); const fetchInitialState = () => { let data = fs.readFileSync('.config/db', 'utf-8'); if (data) { data = JSON.parse(data); return { tasks: { past: [], present: data.tasks, future: [], history: [], }, ideas: { past: [], present: data.ideas, future: [], history: [], }, appProperties: data.appProperties, }; } return {}; }; const update = (state) => { fs.writeFileSync('.config/db', JSON.stringify({ tasks: state.tasks.present, ideas: state.ideas.present, appProperties: state.appProperties, }), 'utf-8'); }; export { fetchInitialState, update };
Fix minor issue about making redux-undo state permanent
Fix minor issue about making redux-undo state permanent
JavaScript
mit
mkermani144/wanna,mkermani144/wanna
f5128b1e6c2581a5a1b33977914a23195ac4ad3d
scripts/entry.js
scripts/entry.js
#!/usr/bin/env node import childProcess from 'child_process'; import fs from 'fs-extra'; import moment from 'moment'; const today = new Date(); const path = `pages/posts/${moment(today).format('YYYY-MM-DD')}.md`; /** * Set Weekdays Locale */ moment.locale('jp', {weekdays: ['日', '月', '火', '水', '木', '金', '土']}); /** * Get Post Template * * @return {string} */ function getPostTmp() { return [ '---\n', 'title: "post"\n', `date: "${moment(today).format('YYYY-MM-DD HH:mm:ss (dddd)')}"\n`, 'layout: post\n', `path: "/${moment(today).format('YYYYMMDD')}/"\n`, '---' ].join(''); } /** * If already been created: Open File * else: Create & Open File */ fs.open(path, 'r+', err => { if (err) { const ws = fs.createOutputStream(path); ws.write(getPostTmp()); } childProcess.spawn('vim', [path], {stdio: 'inherit'}); });
#!/usr/bin/env node import childProcess from 'child_process'; import fs from 'fs-extra'; import moment from 'moment'; const today = new Date(); const path = `pages/posts/${moment(today).format('YYYY-MM-DD')}.md`; /** * Set Weekdays Locale */ moment.locale('jp', {weekdays: ['日', '月', '火', '水', '木', '金', '土']}); /** * Get Post Template * * @return {string} */ function getPostTmp() { return [ '---\n', 'title: "post"\n', `date: "${moment(today).format('YYYY-MM-DD HH:mm:ss (dddd)')}"\n`, 'layout: post\n', `path: "/${moment(today).format('YYYYMMDD')}/"\n`, '---' ].join(''); } /** * If already been created: Open File * else: Create & Open File */ fs.open(path, 'r+', err => { if (err) { fs.outputFile(path, getPostTmp()); } childProcess.spawn('vim', [path], {stdio: 'inherit'}); });
Fix fs-extra breaking change :bread:
fix(scripts): Fix fs-extra breaking change :bread:
JavaScript
mit
ideyuta/sofar
80a6031cae11d28b7056ae9178e5f7d4ec9cea62
server/config.js
server/config.js
// Copyright © 2013-2014 Esko Luontola <www.orfjackal.net> // This software is released under the Apache License 2.0. // The license text is at http://www.apache.org/licenses/LICENSE-2.0 'use strict'; var SECOND = 1000; var MINUTE = 60 * SECOND; var HOUR = 60 * MINUTE; var DAY = 24 * HOUR; var config = { port: process.env.PA_MENTOR_PORT || 8080, dbUri: process.env.PA_MENTOR_DB_URI || 'mongodb://localhost:27017/pa-mentor-test', updateInterval: Math.max(SECOND, process.env.PA_MENTOR_UPDATE_INTERVAL || HOUR), retryInterval: Math.max(SECOND, process.env.PA_MENTOR_RETRY_INTERVAL || MINUTE), samplingPeriod: Math.max(SECOND, process.env.PA_MENTOR_SAMPLING_PERIOD || 3 * DAY), samplingBatchSize: Math.max(SECOND, process.env.PA_MENTOR_SAMPLING_BATCH_SIZE || 3 * HOUR), maxGameDuration: 8 * HOUR // just a guess; used in the updater to do overlapping fetches to avoid missing games }; module.exports = config;
// Copyright © 2013-2014 Esko Luontola <www.orfjackal.net> // This software is released under the Apache License 2.0. // The license text is at http://www.apache.org/licenses/LICENSE-2.0 'use strict'; var SECOND = 1000; var MINUTE = 60 * SECOND; var HOUR = 60 * MINUTE; var DAY = 24 * HOUR; var config = { port: process.env.PA_MENTOR_PORT || 8080, dbUri: process.env.PA_MENTOR_DB_URI || 'mongodb://localhost:27017/pa-mentor-test', updateInterval: Math.max(SECOND, process.env.PA_MENTOR_UPDATE_INTERVAL || HOUR), retryInterval: Math.max(SECOND, process.env.PA_MENTOR_RETRY_INTERVAL || MINUTE), samplingPeriod: Math.max(SECOND, process.env.PA_MENTOR_SAMPLING_PERIOD || DAY), samplingBatchSize: Math.max(SECOND, process.env.PA_MENTOR_SAMPLING_BATCH_SIZE || 3 * HOUR), maxGameDuration: 8 * HOUR // just a guess; used in the updater to do overlapping fetches to avoid missing games }; module.exports = config;
Reduce default sampling period to make testing easier
Reduce default sampling period to make testing easier
JavaScript
apache-2.0
orfjackal/pa-mentor,orfjackal/pa-mentor,orfjackal/pa-mentor
ba5f567a44a5d7325f894c42e48f696f6925907b
routes/user/index.js
routes/user/index.js
"use strict"; var db = require('../../models'); var config = require('../../config.js'); var authHelper = require('../../lib/auth-helper'); module.exports = function (app, options) { app.get('/user/tokens', authHelper.ensureAuthenticated, function(req, res, next) { db.ServiceAccessToken .findAll({ include: [db.ServiceProvider] }) .complete(function(err, tokens) { if (err) { next(err); return; } res.render('./user/token_list.ejs', { tokens: tokens }); }); }); };
"use strict"; var config = require('../../config'); var db = require('../../models'); var authHelper = require('../../lib/auth-helper'); module.exports = function (app, options) { app.get('/user/tokens', authHelper.ensureAuthenticated, function(req, res, next) { db.ServiceAccessToken .findAll({ include: [db.ServiceProvider] }) .complete(function(err, tokens) { if (err) { next(err); return; } res.render('./user/token_list.ejs', { tokens: tokens }); }); }); };
Remove .js extension in require()
Remove .js extension in require()
JavaScript
bsd-3-clause
ebu/cpa-auth-provider
7788c984c07d81af3f819a93dac8f663f93063b8
src/clincoded/static/libs/render_variant_title_explanation.js
src/clincoded/static/libs/render_variant_title_explanation.js
'use strict'; import React from 'react'; import { ContextualHelp } from './bootstrap/contextual_help'; /** * Method to render a mouseover explanation for the variant title */ export function renderVariantTitleExplanation() { const explanation = 'The transcript with the longest translation with no stop codons. If no translation, then the longest non-protein-coding transcript.'; return ( <span className="variant-title-explanation"><ContextualHelp content={explanation} /></span> ); }
'use strict'; import React from 'react'; import { ContextualHelp } from './bootstrap/contextual_help'; /** * Method to render a mouseover explanation for the variant title */ export function renderVariantTitleExplanation() { const explanation = 'For ClinVar alleles, this represents the ClinVar Preferred Title. For alleles not in ClinVar, this HGVS is based on the transcript with the longest translation with no stop codons or, if no translation, the longest non-protein-coding transcript. If a single canonical transcript is not discernible the HGVS is based on the GRCh38 genomic coordinates.'; return ( <span className="variant-title-explanation"><ContextualHelp content={explanation} /></span> ); }
Update variant title explanation text
Update variant title explanation text
JavaScript
mit
ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded
00c45bc2e33b6c1236d87c6572cfee3610410bb5
server/fake-users.js
server/fake-users.js
var faker = require('faker'); var _ = require('lodash'); /** * Generate a list of random users. * @return {Array<{ * name: string, * email: string, * phone: string * }>} */ var getUsers = function() { return _.times(3).map(function() { return { name: faker.name.findName(), email: faker.internet.email(), phone: faker.phone.phoneNumber() } }) }; module.exports = { getUsers: getUsers };
var faker = require('faker'); var _ = require('lodash'); /** * Generate a list of random users. * @return {Array<{ * name: string, * email: string, * phone: string * }>} */ var getUsers = function() { var chuckNorris = { name: 'Chuck Norris', email: '[email protected]', phone: '212-555-1234' }; var rambo = { name: 'John Rambo', email: '[email protected]', phone: '415-555-9876' }; var fakeUsers = _.times(6).map(function() { return { name: faker.name.findName(), email: faker.internet.email(), phone: faker.phone.phoneNumber() }; }); // Add chuck norris at the beginning fakeUsers.unshift(chuckNorris); // Add rambo in the middle (range 1-4) var randomIndex = (new Date()).getTime() % 4 + 1; // removes 0 elements from index 'randomIndex', and inserts item fakeUsers.splice(randomIndex, 0, rambo); return fakeUsers; }; module.exports = { getUsers: getUsers };
Add chuck norris and rambo
Add chuck norris and rambo
JavaScript
mit
andresdominguez/protractor-codelab,andresdominguez/protractor-codelab
85a1333dbd1382da6176352f35481e245c846a8e
src/.eslintrc.js
src/.eslintrc.js
module.exports = { "env": { "browser": true, "commonjs": true, "es6": true }, "extends": "eslint:recommended", "installedESLint": true, "parserOptions": { "ecmaFeatures": { "experimentalObjectRestSpread": true, "jsx": true }, "sourceType": "module" }, "plugins": [ "react" ], "rules": { "react/jsx-uses-vars": 1, "indent": [ "error", 4 ], "linebreak-style": [ "error", "unix" ], "quotes": [ "error", "single" ], "semi": [ "error", "never" ] } };
module.exports = { "env": { "browser": true, "commonjs": true, "es6": true }, "extends": "eslint:recommended", "installedESLint": true, "parserOptions": { "ecmaFeatures": { "experimentalObjectRestSpread": true, "jsx": true }, "sourceType": "module" }, "plugins": [ "react" ], "rules": { "react/jsx-uses-vars": 1, "react/jsx-uses-react": [1], "indent": [ "error", 4 ], "linebreak-style": [ "error", "unix" ], "quotes": [ "error", "single" ], "semi": [ "error", "never" ] } };
Make linter know when JSX is using React variable
Make linter know when JSX is using React variable
JavaScript
bsd-3-clause
rlorenzo/tmlpstats,rlorenzo/tmlpstats,rlorenzo/tmlpstats,rlorenzo/tmlpstats,tmlpstats/tmlpstats,tmlpstats/tmlpstats,tmlpstats/tmlpstats,rlorenzo/tmlpstats,tmlpstats/tmlpstats
03d9bb448c252addcd98b3a0b0317fc2884c0c31
share/spice/google_plus/google_plus.js
share/spice/google_plus/google_plus.js
function ddg_spice_google_plus (api_result) { "use strict"; if(!api_result || !api_result.items || api_result.items.length === 0) { return Spice.failed("googleplus"); } Spice.add({ id: 'googleplus', name: 'Google Plus', data: api_result.items, meta: { sourceName : 'Google+', sourceUrl : 'http://plus.google.com', itemType: "Google+ Profile" + (api_result.items.length > 1 ? 's' : '') }, templates: { group: 'products_simple', item_detail: false, detail: false }, normalize : function(item) { var image = item.image.url.replace(/sz=50$/, "sz=200"); return { image : image.replace(/^https/, "http"), title: item.displayName }; } }); };
function ddg_spice_google_plus (api_result) { "use strict"; if(!api_result || !api_result.items || api_result.items.length === 0) { return Spice.failed("googleplus"); } Spice.add({ id: 'googleplus', name: 'Google+', data: api_result.items, meta: { sourceName : 'Google+', sourceUrl : 'http://plus.google.com', itemType: "Google+ Profile" + (api_result.items.length > 1 ? 's' : '') }, templates: { group: 'products_simple', item_detail: false, detail: false }, normalize : function(item) { var image = item.image.url.replace(/sz=50$/, "sz=200"); return { image : image.replace(/^https/, "http"), title: item.displayName }; } }); };
Change the name from "Google Plus" to "Google+"
Google+: Change the name from "Google Plus" to "Google+" It's just not how it's styled.
JavaScript
apache-2.0
Kr1tya3/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,stennie/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,echosa/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,lernae/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,levaly/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,levaly/zeroclickinfo-spice,mayo/zeroclickinfo-spice,P71/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,soleo/zeroclickinfo-spice,echosa/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,imwally/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,soleo/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,ppant/zeroclickinfo-spice,ppant/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,lerna/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,ppant/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,imwally/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,levaly/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,lernae/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,levaly/zeroclickinfo-spice,mayo/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,soleo/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,lernae/zeroclickinfo-spice,loganom/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,lernae/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,imwally/zeroclickinfo-spice,sevki/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,P71/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,deserted/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,soleo/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,lerna/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,imwally/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,lerna/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,deserted/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,loganom/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,lerna/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,lerna/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,sevki/zeroclickinfo-spice,deserted/zeroclickinfo-spice,P71/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,soleo/zeroclickinfo-spice,mayo/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,echosa/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,loganom/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,echosa/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,ppant/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,deserted/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,sevki/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,stennie/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,stennie/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,lernae/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,echosa/zeroclickinfo-spice,loganom/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,deserted/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,levaly/zeroclickinfo-spice,levaly/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,sevki/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,lernae/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,P71/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,soleo/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,imwally/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,stennie/zeroclickinfo-spice,deserted/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,mayo/zeroclickinfo-spice
55d69b6528833130d4f1e0118368b9a5ed9f587a
src/TcpReader.js
src/TcpReader.js
function TcpReader(callback) { this.callback = callback; this.buffer = ""; }; TcpReader.prototype.read = function(data) { this.buffer = this.buffer.concat(data); size = this.payloadSize( this.buffer ); while ( size > 0 && this.buffer.length >= ( 6 + size ) ) { this.consumeOne( size ); size = this.payloadSize( this.buffer ); } } TcpReader.prototype.payloadSize = function(buffer) { if ( this.buffer.length >= 6 ){ return parseInt( buffer.slice( 0,6 ) ); } else { return -1; } } TcpReader.prototype.consumeOne = function(size) { messageStart = 6; messageEnd = 6 + size; this.callback( this.buffer.slice( messageStart, messageEnd ) ); this.buffer = this.buffer.slice( messageEnd, this.buffer.length ); } if(typeof module !== 'undefined' && module.exports){ module.exports = TcpReader; }
function TcpReader(callback) { this.callback = callback; this.buffer = ""; }; TcpReader.prototype.read = function(data) { this.buffer = this.buffer.concat(data); var size = this.payloadSize( this.buffer ); while ( size > 0 && this.buffer.length >= ( 6 + size ) ) { this.consumeOne( size ); size = this.payloadSize( this.buffer ); } } TcpReader.prototype.payloadSize = function(buffer) { if ( this.buffer.length >= 6 ){ return parseInt( buffer.slice( 0,6 ), 10 ); } else { return -1; } } TcpReader.prototype.consumeOne = function(size) { var messageStart = 6; var messageEnd = 6 + size; this.callback( this.buffer.slice( messageStart, messageEnd ) ); this.buffer = this.buffer.slice( messageEnd, this.buffer.length ); } if(typeof module !== 'undefined' && module.exports){ module.exports = TcpReader; }
Patch parseInt usage to specify radix explicitly
Patch parseInt usage to specify radix explicitly My node install informed me that parseInt('000039') === 3, so: womp womp. This commit also avoids a couple of globals.
JavaScript
bsd-3-clause
noam-io/lemma-javascript,noam-io/lemma-javascript
3a02688886a40dbb922c034811bbdf5399c06929
src/app/wegas.js
src/app/wegas.js
var ServiceURL = "/api/"; angular.module('Wegas', [ 'ui.router', 'wegas.service.auth', 'wegas.behaviours.tools', 'public', 'private' ]) .config(function ($stateProvider, $urlRouterProvider) { $stateProvider .state('wegas', { url: '/', views: { 'main@': { controller: 'WegasMainCtrl', templateUrl: 'app/wegas.tmpl.html' } } }) ; $urlRouterProvider.otherwise('/'); }).controller('WegasMainCtrl', function WegasMainCtrl($state, Auth) { Auth.getAuthenticatedUser().then(function(user){ if(user == null){ $state.go("wegas.public"); }else{ if(user.isScenarist){ $state.go("wegas.private.scenarist"); }else{ if(user.isTrainer){ $state.go("wegas.private.trainer"); }else{ $state.go("wegas.private.player"); } } } }); });
var ServiceURL = "/api/"; angular.module('Wegas', [ 'ui.router', 'ngAnimate', 'wegas.service.auth', 'wegas.behaviours.tools', 'public', 'private' ]) .config(function ($stateProvider, $urlRouterProvider) { $stateProvider .state('wegas', { url: '/', views: { 'main@': { controller: 'WegasMainCtrl', templateUrl: 'app/wegas.tmpl.html' } } }) ; $urlRouterProvider.otherwise('/'); }).controller('WegasMainCtrl', function WegasMainCtrl($state, Auth) { Auth.getAuthenticatedUser().then(function(user){ if(user == null){ $state.go("wegas.public"); }else{ if(user.isScenarist){ $state.go("wegas.private.scenarist"); }else{ if(user.isTrainer){ $state.go("wegas.private.trainer"); }else{ $state.go("wegas.private.player"); } } } }); });
Resolve conflict - add module ngAnimate
Resolve conflict - add module ngAnimate
JavaScript
mit
Heigvd/Wegas,ghiringh/Wegas,ghiringh/Wegas,Heigvd/Wegas,Heigvd/Wegas,Heigvd/Wegas,Heigvd/Wegas,ghiringh/Wegas
22f07bfd0bd4c2928f6c641ccab91750b0c88f5b
client/lib/convert-to-print/convert-items/paragraphToReact.js
client/lib/convert-to-print/convert-items/paragraphToReact.js
import React from 'react'; function applyProperties(text, properties) { // TODO: support more than 1 property const property = properties[0]; return React.createElement('p', null, [ React.createElement('span', null, text.substring(0, property.offSets.start)), React.createElement(property.type, null, text.substring(property.offSets.start, property.offSets.end)), React.createElement('span', null, text.substring(property.offSets.end)), ]); } export default function paragraphObjetToReact(paragraph, level) { if (!paragraph.inlineProperties || paragraph.inlineProperties.length === 0) { return React.createElement( 'p', { className: 'c_print-view__paragraph', 'data-level': level, }, paragraph.text, ); } return applyProperties(paragraph.text, paragraph.inlineProperties); }
import React from 'react'; function applyProperties(text, properties) { // TODO: support more than 1 property const property = properties[0]; return React.createElement('p', null, [ React.createElement('span', null, text.substring(0, property.offsets.start)), React.createElement(property.type, null, text.substring(property.offsets.start, property.offsets.end)), React.createElement('span', null, text.substring(property.offsets.end)), ]); } export default function paragraphObjetToReact(paragraph, level) { if (!paragraph.inlineProperties || paragraph.inlineProperties.length === 0) { return React.createElement( 'p', { className: 'c_print-view__paragraph', 'data-level': level, }, paragraph.text, ); } return applyProperties(paragraph.text, paragraph.inlineProperties); }
Fix small property rename issue after rebase.
Fix small property rename issue after rebase.
JavaScript
mit
OpenWebslides/OpenWebslides,OpenWebslides/OpenWebslides,OpenWebslides/OpenWebslides,OpenWebslides/OpenWebslides
139065ee61c1c1322879785fe546fc8374a671e2
example/routes.js
example/routes.js
'use strict'; /** * Sets up the routes. * @param {object} app - Express app */ module.exports.setup = function (app) { /** * @swagger * /: * get: * responses: * 200: * description: hello world */ app.get('/', rootHandler); /** * @swagger * /login: * post: * responses: * 200: * description: login */ app.get('/login', loginHandler); }; function rootHandler(req, res) { res.send('Hello World!'); } function loginHandler(req, res) { var user = {}; user.username = req.param('username'); user.password = req.param('password'); res.json(user); }
'use strict'; /** * Sets up the routes. * @param {object} app - Express app */ module.exports.setup = function (app) { /** * @swagger * /: * get: * responses: * 200: * description: hello world */ app.get('/', rootHandler); /** * @swagger * /login: * post: * responses: * 200: * description: login */ app.post('/login', loginHandler); }; function rootHandler(req, res) { res.send('Hello World!'); } function loginHandler(req, res) { var user = {}; user.username = req.param('username'); user.password = req.param('password'); res.json(user); }
Use 2 spaces for deeply nested objects
Use 2 spaces for deeply nested objects
JavaScript
mit
zeornelas/jsdoc-express-with-swagger,zeornelas/jsdoc-express-with-swagger,devlouisc/jsdoc-express-with-swagger,devlouisc/jsdoc-express-with-swagger
371b5cffd0e20c540b01d00076ec38ccc0bda504
spec/leaflet_spec.js
spec/leaflet_spec.js
describe('LeafletMap Ext Component', function() { describe('Basics', function() { var Map = vrs.ux.touch.LeafletMap; it('provides new mapping events', function() { var map = new Map(); expect(map.events.repPicked).toBeDefined(); }); it('provides new mapping events', function() { var map = new Map(); expect(map.events.repPicked).toBeDefined(); }); }); });
/* Disable Leaflet for now describe('LeafletMap Ext Component', function() { describe('Basics', function() { var Map = vrs.ux.touch.LeafletMap; it('provides new mapping events', function() { var map = new Map(); expect(map.events.repPicked).toBeDefined(); }); it('provides new mapping events', function() { var map = new Map(); expect(map.events.repPicked).toBeDefined(); }); }); }); */
Comment out leaflet test for now since it depends upon manually installing leaflet to a given directory path.
Comment out leaflet test for now since it depends upon manually installing leaflet to a given directory path.
JavaScript
mit
vrsource/vrs.ux.touch,vrsource/vrs.ux.touch,vrsource/vrs.ux.touch,vrsource/vrs.ux.touch
9ab9b55982f39de1b9866ee9ba86e4bbd7d2050d
spec/main/program.js
spec/main/program.js
var test = require('test'); test.assert(require('dot-slash') === 10, 'main with "./"'); test.assert(require('js-ext') === 20, 'main with ".js" extension'); test.assert(require('no-ext') === 30, 'main with no extension'); test.assert(require('dot-js-ext') === 40, 'main with "." in module name and ".js" extension'); test.print('DONE', 'info');
var test = require('test'); test.assert(require('dot-slash') === 10, 'main with "./"'); test.assert(require('js-ext') === 20, 'main with ".js" extension'); test.assert(require('no-ext') === 30, 'main with no extension'); test.assert(require('dot-js-ext') === 40, 'main with "." in module name and ".js" extension'); test.assert(require('js-ext') === require("js-ext/a"), 'can require "main" without extension'); test.print('DONE', 'info');
Add test for requiring a package's main module without .js extension
Add test for requiring a package's main module without .js extension
JavaScript
bsd-3-clause
kriskowal/mr,kriskowal/mr
92b65306960142124ca97a6816bd4ce8596714d3
app/js/main.js
app/js/main.js
(function() { 'use strict'; var params = window.location.search.substring(1) .split( '&' ) .reduce(function( object, param ) { var pair = param.split( '=' ).map( decodeURIComponent ); object[ pair[0] ] = pair[1]; return object; }, {} ); var port = params.port || 8080; var host = window.location.hostname; var socket = new WebSocket( 'ws://' + host + ':' + port ); socket.addEventListener( 'message', function( event ) { console.log( event ); }); }) ();
(function() { 'use strict'; var params = window.location.search.substring(1) .split( '&' ) .reduce(function( object, param ) { var pair = param.split( '=' ).map( decodeURIComponent ); object[ pair[0] ] = pair[1]; return object; }, {} ); var port = params.port || 8080; var host = window.location.hostname; var socket = new WebSocket( 'ws://' + host + ':' + port ); socket.addEventListener( 'message', function( event ) { var data = JSON.parse( event.data ); console.log( data ); }); var types = [ 'push', 'toggle', 'xy', 'fader', 'rotary', 'encoder', 'multitoggle', 'multixy', 'multipush', 'multifader' ]; // Boolean. function Push( value ) { this.value = value || false; } function Toggle( value ) { this.value = value || false; } // Numeric. function Fader( value ) { this.value = value || 0; } function Rotary( value ) { this.value = value || 0; } // Coordinates. function XY( x, y ) { this.x = x || 0; this.y = y || 0; } // Collections. function MultiToggle( values ) { this.values = values || []; } function MultiXY( values ) { this.values = values || []; } function MultiPush( values ) { this.values = values || []; } }) ();
Add basic TouchOSC data structures.
Add basic TouchOSC data structures.
JavaScript
mit
razh/osc-dev
ee424745693facc1e23c5896e30a25253c99adab
app/js/tree.js
app/js/tree.js
'use strict'; var MAX = 1000; function Node( number ){ this.number = 0; this.parent = null; this.left = null; this.right = null; this.depth = 0; if( number === undefined ){ this.number = Math.floor((Math.random() * MAX) + 1); } else{ this.number = number; } } function Tree(){ this.list = []; this.root = null; } Tree.prototype.insert = function( number ){ var node = new Node( number ); if( this.root === null || this.root === undefined ){ this.root = node; } else{ var parentNode = this.root; while( true ){ if( parentNode.number > node.number ){ if( parentNode.left === null ){ parentNode.left = node; node.parent = parentNode; node.depth = parentNode.depth + 1; break; } else{ parentNode = parentNode.left; } } else{ if( parentNode.right === null ){ parentNode.right = node; node.parent = parentNode; node.depth = parentNode.depth + 1; break; } else{ parentNode = parentNode.right; } } } } this.list.push( node ); }; /* // TODO Tree.prototype.delete = function( node ) { }; */
'use strict'; var MAX = 1000; function Node( number ){ this.number = 0; this.parent = null; this.left = null; this.right = null; this.depth = 0; if( number === undefined ){ this.number = Math.floor((Math.random() * MAX) + 1); } else{ this.number = number; } } function Tree(){ this.list = []; this.root = null; } Tree.prototype.insert = function( number ){ var node = new Node( number ); if( this.root === null || this.root === undefined ){ this.root = node; } else{ var parentNode = this.root; while( true ){ if( parentNode.number < node.number ){ if( parentNode.left === null ){ parentNode.left = node; node.parent = parentNode; node.depth = parentNode.depth + 1; break; } else{ parentNode = parentNode.left; } } else{ if( parentNode.right === null ){ parentNode.right = node; node.parent = parentNode; node.depth = parentNode.depth + 1; break; } else{ parentNode = parentNode.right; } } } } this.list.push( node ); }; /* // TODO Tree.prototype.delete = function( node ) { }; */
Change left-right for test CI
Change left-right for test CI
JavaScript
mit
takecode/SampleTree
3bfdcb7e7ab642d26498c7b08ec7d014a008c4a6
application.js
application.js
define(['render', 'events', 'class'], function(render, Emitter, clazz) { function Application() { Application.super_.call(this); this.render = render; this.controller = undefined; } clazz.inherits(Application, Emitter); Application.prototype.run = function() { this.willLaunch(); this.launch(); this.didLaunch(); render.$(document).ready(function() { this.willDisplay(); this.display(); this.didDisplay(); }); }; Application.prototype.launch = function() {}; Application.prototype.display = function() { if (!this.controller) throw new Error('No controller initialized by application.'); this.controller.willAddEl(); this.controller.el.prependTo(document.body); this.controller.didAddEl(); }; Application.prototype.willLaunch = function() {}; Application.prototype.didLaunch = function() {}; Application.prototype.willDisplay = function() {}; Application.prototype.didDisplay = function() {}; return Application; });
define(['render', 'events', 'class'], function(render, Emitter, clazz) { function Application() { Application.super_.call(this); this.render = render; this.controller = undefined; } clazz.inherits(Application, Emitter); Application.prototype.run = function() { this.willLaunch(); this.launch(); this.didLaunch(); var self = this; render.$(document).ready(function() { self.willDisplay(); self.display(); self.didDisplay(); }); }; Application.prototype.launch = function() {}; Application.prototype.display = function() { if (!this.controller) throw new Error('No controller initialized by application.'); this.controller.willAddEl(); this.controller.el.prependTo(document.body); this.controller.didAddEl(); }; Application.prototype.willLaunch = function() {}; Application.prototype.didLaunch = function() {}; Application.prototype.willDisplay = function() {}; Application.prototype.didDisplay = function() {}; return Application; });
Fix this context in ready callback.
Fix this context in ready callback.
JavaScript
mit
sailjs/application
c64492441b8bcac86b1dbc29d40fcb84fb31a51a
generators/reducer/index.js
generators/reducer/index.js
'use strict'; let generator = require('yeoman-generator'); let utils = require('generator-react-webpack/utils/all'); let path = require('path'); module.exports = generator.NamedBase.extend({ constructor: function() { generator.NamedBase.apply(this, arguments); }, writing: function() { let baseName = this.name; let destinationPath = path.join('src', 'reducers', baseName + '.js'); let testDestinationPath = path.join('test', 'reducers', baseName + 'Test.js'); // Copy the base store this.fs.copyTpl( this.templatePath('reducer.js'), this.destinationPath(destinationPath), { reducerName: baseName } ); // Copy the unit test this.fs.copyTpl( this.templatePath('Test.js'), this.destinationPath(testDestinationPath), { reducerName: baseName } ); } });
'use strict'; let esprima = require('esprima'); let walk = require('esprima-walk'); let escodegen = require('escodegen'); let generator = require('yeoman-generator'); //let utils = require('generator-react-webpack/utils/all'); let path = require('path'); let fs = require('fs'); module.exports = generator.NamedBase.extend({ constructor: function() { generator.NamedBase.apply(this, arguments); }, writing: function() { let baseName = this.name; let destinationPath = path.join('src', 'reducers', baseName + '.js'); let rootReducerPath = this.destinationPath(path.join('src', 'reducers', 'index.js')); let testDestinationPath = path.join('test', 'reducers', baseName + 'Test.js'); // Copy the base store this.fs.copyTpl( this.templatePath('reducer.js'), this.destinationPath(destinationPath), { reducerName: baseName } ); // Copy the unit test this.fs.copyTpl( this.templatePath('Test.js'), this.destinationPath(testDestinationPath), { reducerName: baseName } ); // Add the reducer to the root reducer let reducer = 'var reducer = { ' + baseName +': require(\'./' + baseName + '.js\')}'; reducer = esprima.parse(reducer); reducer = reducer.body[0].declarations[0].init.properties[0]; let data = fs.readFileSync(rootReducerPath, 'utf8'); let parsed = esprima.parse(data); walk.walkAddParent(parsed, function(node) { if(node.type === 'VariableDeclarator' && node.id.name === 'reducers') { node.init.properties.push(reducer); } }); let options = { format: { indent: { style: ' ' } } }; let code = escodegen.generate(parsed, options); fs.writeFileSync(rootReducerPath, code, 'utf8'); // TODO: Add the reducer to App.js } });
Add reducer to root reducer
Add reducer to root reducer
JavaScript
mit
stylesuxx/generator-react-webpack-redux,stylesuxx/generator-react-webpack-redux
f01b2067158e327eec89db536cc34b8976b0f0e8
openfisca_web_ui/static/js/auth.js
openfisca_web_ui/static/js/auth.js
define([ 'jquery' ], function($) { var Auth = function () {}; Auth.prototype = { init: function (authconfig) { navigator.id.watch({ loggedInUser: authconfig.currentUser, onlogin: function (assertion) { $.ajax({ type: 'POST', url: '/login', data: { assertion: assertion }, success: function(res, status, xhr) { window.location.href = res.accountUrl; }, error: function(xhr, status, err) { navigator.id.logout(); // TODO translate string alert("Login failure: " + err); } }); }, onlogout: function () { if (window.location.pathname == '/logout') { window.location.href = '/'; } else { $.ajax({ type: 'POST', url: '/logout', success: function(res, status, xhr) { window.location.reload(); }, error: function(xhr, status, err) { // TODO translate string alert("Logout failure: " + err); } }); } } }); $(document).on('click', '.sign-in', function () { navigator.id.request(); }); $(document).on('click', '.sign-out', function() { navigator.id.logout(); }); } }; var auth = new Auth(); return auth; });
define([ 'jquery' ], function($) { var Auth = function () {}; Auth.prototype = { init: function (authconfig) { navigator.id.watch({ loggedInUser: authconfig.currentUser, onlogin: function (assertion) { $.ajax({ type: 'POST', url: '/login', data: { assertion: assertion } }) .done(function(data) { window.location.href = data.accountUrl; }) .fail(function(jqXHR, textStatus, errorThrown) { console.error('onlogin fail', jqXHR, textStatus, errorThrown, jqXHR.responseText); navigator.id.logout(); // TODO translate string alert("Login failure"); }); }, onlogout: function () { if (window.location.pathname == '/logout') { window.location.href = '/'; } else { $.ajax({ type: 'POST', url: '/logout' }) .done(function() { window.location.reload(); }) .fail(function(jqXHR, textStatus, errorThrown) { console.error('onlogout fail', jqXHR, textStatus, errorThrown, jqXHR.responseText); // TODO translate string alert("Logout failure"); }); } } }); $(document).on('click', '.sign-in', function () { navigator.id.request(); }); $(document).on('click', '.sign-out', function() { navigator.id.logout(); }); } }; var auth = new Auth(); return auth; });
Use new jquery jqXHR API.
Use new jquery jqXHR API.
JavaScript
agpl-3.0
openfisca/openfisca-web-ui,openfisca/openfisca-web-ui,openfisca/openfisca-web-ui
8287ca26fd538a3bc9ec68d0dc6cd81a3ff1cda3
node-server/config.js
node-server/config.js
// Don't commit this file to your public repos. This config is for first-run exports.creds = { mongoose_auth_local: 'mongodb://localhost/tasklist', // Your mongo auth uri goes here audience: 'http://localhost:8888/', // the Audience is the App URL when you registered the application. identityMetadata: 'https://login.microsoftonline.com/hypercubeb2c.onmicrosoft.com/.well-known/openid-configuration?p=b2c_1_B2CSI' // Replace the text after p= with your specific policy. };
// Don't commit this file to your public repos. This config is for first-run exports.creds = { mongoose_auth_local: 'mongodb://localhost/tasklist', // Your mongo auth uri goes here audience: 'http://localhost:8888/', // the Audience is the App URL when you registered the application. identityMetadata: 'https://login.microsoftonline.com/common/' // Replace the text after p= with your specific policy. };
Update back to business scenarios
Update back to business scenarios
JavaScript
apache-2.0
AzureADSamples/WebAPI-Nodejs
3b9144acc0031957a1e824d15597a8605cd0be86
examples/index.js
examples/index.js
import 'bootstrap/dist/css/bootstrap.min.css'; import 'nvd3/build/nv.d3.min.css'; import 'react-select/dist/react-select.min.css'; import 'fixed-data-table/dist/fixed-data-table.min.css'; import ReactDOM from 'react-dom'; import React from 'react'; import customDataHandlers from './customDataHandlers'; import { settings } from './settings'; import App from './App'; import { Router, Route, browserHistory } from 'react-router'; console.log('JJ', jeckyll); ReactDOM.render(<App />, document.getElementById('root'));
import 'bootstrap/dist/css/bootstrap.min.css'; import 'nvd3/build/nv.d3.min.css'; import 'react-select/dist/react-select.min.css'; import 'fixed-data-table/dist/fixed-data-table.min.css'; import ReactDOM from 'react-dom'; import React from 'react'; import customDataHandlers from './customDataHandlers'; import { settings } from './settings'; import App from './App'; import { Router, Route, browserHistory } from 'react-router'; ReactDOM.render(<App />, document.getElementById('root'));
Test for jekyll env - 1.1
Test for jekyll env - 1.1
JavaScript
mit
NuCivic/react-dashboard,NuCivic/react-dash,NuCivic/react-dashboard,NuCivic/react-dashboard,NuCivic/react-dash,NuCivic/react-dash
bc97c558b40592bbec42753baf72911f59bc8da6
src/DataProcessor.js
src/DataProcessor.js
export default class DataProcessor { static dataToPoints(data, width, height, limit) { if (limit && limit < data.length) { data = data.slice(data.length - limit); } let max = this.max(data); let min = this.min(data); let vfactor = height / (max - min); let hfactor = width / (limit || data.length); return data.map((d, i) => { return { x: i * hfactor, y: (max - data[i]) * vfactor } }); } static max(data) { return Math.max.apply(Math, data); } static min(data) { return Math.min.apply(Math, data); } static mean(data) { return (this.max(data) - this.min(data)) / 2; } static avg(data) { return data.reduce((a, b) => a + b) / (data.length + 1); } static median(data) { return data.sort()[Math.floor(data.length / 2)]; } static calculateFromData(data, calculationType) { return this[calculationType].call(this, data); } }
export default class DataProcessor { static dataToPoints(data, width, height, limit) { if (limit && limit < data.length) { data = data.slice(data.length - limit); } let max = this.max(data); let min = this.min(data); let vfactor = height / (max - min); let hfactor = width / (limit || data.length); return data.map((d, i) => { return { x: i * hfactor, y: (max - data[i]) * vfactor } }); } static max(data) { return Math.max.apply(Math, data); } static min(data) { return Math.min.apply(Math, data); } static mean(data) { return (this.max(data) - this.min(data)) / 2; } static avg(data) { return data.reduce((a, b) => a + b) / (data.length + 1); } static median(data) { return data.sort()[Math.floor(data.length / 2)]; } static variance(data) { let mean = this.mean(data); let sq = data.map(n => Math.pow(n - mean, 2)); return this.mean(sq); } static stddev(data) { let avg = this.avg(data); let sqDiff = data.map(n => Math.pow(n - mean, 2)); let avgSqDiff = this.avg(sqDiff); return Math.sqrt(avgSqDiff); } static calculateFromData(data, calculationType) { return this[calculationType].call(this, data); } }
Add calcualtion for standard deviation
Add calcualtion for standard deviation
JavaScript
mit
timoxley/react-sparklines,codevlabs/react-sparklines,Jonekee/react-sparklines,okonet/react-sparklines,samsface/react-sparklines,goodeggs/react-sparklines,kidaa/react-sparklines,shaunstanislaus/react-sparklines,rkichenama/react-sparklines,DigitalCoder/react-sparklines,geminiyellow/react-sparklines,rkichenama/react-sparklines,DigitalCoder/react-sparklines,fredericksilva/react-sparklines,fredericksilva/react-sparklines,konsumer/react-sparklines,timoxley/react-sparklines,codevlabs/react-sparklines,samsface/react-sparklines,borisyankov/react-sparklines,okonet/react-sparklines,geminiyellow/react-sparklines,kidaa/react-sparklines,shaunstanislaus/react-sparklines,Jonekee/react-sparklines,konsumer/react-sparklines
4e2ac67d7fc85ec38bc9404a350fcb2126fb0511
_config/task.local-server.js
_config/task.local-server.js
/* jshint node: true */ 'use strict'; function getTaskConfig(projectConfig) { var taskConfig = { server: { baseDir: taskConfig.baseDir } }; return taskConfig; } module.exports = getTaskConfig;
/* jshint node: true */ 'use strict'; function getTaskConfig(projectConfig) { //Browser Sync options object //https://www.browsersync.io/docs/options var taskConfig = { //Server config options server: { baseDir: projectConfig.dirs.build, // directory: true, // directory listing // index: "index.htm", // specific index filename }, ghostMode: false, // Mirror behaviour on all devices online: false, // Speed up startup time (When xip & tunnel aren't being used) // notify: false // Turn off UI notifications // browser: 'google chrome' //Set what browser to open on start - https://www.browsersync.io/docs/options#option-browser // open: false // Stop browser automatically opening }; return taskConfig; } module.exports = getTaskConfig;
Add base browser sync config options
feat: Add base browser sync config options
JavaScript
mit
cartridge/cartridge-local-server
53b5893362dfe65bb47e6824a171b9ede1c5f1da
src/Web/Firebase/Authentication/Eff.js
src/Web/Firebase/Authentication/Eff.js
'use strict'; // module Web.Firebase.Authentication.Eff exports._onAuth = function (callback, firebase) { var cbEffect = function(data) { return cbEffect(data)(); // ensure effect gets used }; return function() { return firebase.onAuth(cbEffect); }; }; exports._authWithOAuthRedirect = function (provider, errorCallback, ref) { var errorCbEffect = function(error) { return errorCallback(error)(); // ensure effect gets used }; ref.authWithOAuthRedirect(provider, errorCbEffect); };
'use strict'; // module Web.Firebase.Authentication.Eff exports._onAuth = function (callback, firebase) { var cbEffect = function(data) { return callback(data)(); // ensure effect gets used }; return function() { return firebase.onAuth(cbEffect); }; }; exports._authWithOAuthRedirect = function (provider, errorCallback, ref) { var errorCbEffect = function(error) { return errorCallback(error)(); // ensure effect gets used }; ref.authWithOAuthRedirect(provider, errorCbEffect); };
Fix infinite recursion in onAuth
Fix infinite recursion in onAuth
JavaScript
mit
mostalive/purescript-firebase,mostalive/purescript-firebase,mostalive/purescript-firebase
b575a80c0bf801a2b32c35f27cb71ca5fe7a71c6
src/Whoops/Resources/js/whoops.base.js
src/Whoops/Resources/js/whoops.base.js
Zepto(function($) { prettyPrint(); var $frameLines = $('[id^="frame-line-"]'); var $activeLine = $('.frames-container .active'); var $activeFrame = $('.active[id^="frame-code-"]').show(); var $container = $('.details-container'); var headerHeight = $('header').css('height'); var highlightCurrentLine = function() { // Highlight the active and neighboring lines for this frame: var activeLineNumber = +($activeLine.find('.frame-line').text()); var $lines = $activeFrame.find('.linenums li'); var firstLine = +($lines.first().val()); $($lines[activeLineNumber - firstLine - 1]).addClass('current'); $($lines[activeLineNumber - firstLine]).addClass('current active'); $($lines[activeLineNumber - firstLine + 1]).addClass('current'); } // Highlight the active for the first frame: highlightCurrentLine(); $frameLines.click(function() { var $this = $(this); var id = /frame\-line\-([\d]*)/.exec($this.attr('id'))[1]; var $codeFrame = $('#frame-code-' + id); if($codeFrame) { $activeLine.removeClass('active'); $activeFrame.removeClass('active'); $this.addClass('active'); $codeFrame.addClass('active'); $activeLine = $this; $activeFrame = $codeFrame; highlightCurrentLine(); $container.scrollTop(headerHeight); } }); });
Zepto(function($) { prettyPrint(); var $frameLines = $('[id^="frame-line-"]'); var $activeLine = $('.frames-container .active'); var $activeFrame = $('.active[id^="frame-code-"]').show(); var $container = $('.details-container'); var headerHeight = $('header').height(); var highlightCurrentLine = function() { // Highlight the active and neighboring lines for this frame: var activeLineNumber = +($activeLine.find('.frame-line').text()); var $lines = $activeFrame.find('.linenums li'); var firstLine = +($lines.first().val()); $($lines[activeLineNumber - firstLine - 1]).addClass('current'); $($lines[activeLineNumber - firstLine]).addClass('current active'); $($lines[activeLineNumber - firstLine + 1]).addClass('current'); } // Highlight the active for the first frame: highlightCurrentLine(); $frameLines.click(function() { var $this = $(this); var id = /frame\-line\-([\d]*)/.exec($this.attr('id'))[1]; var $codeFrame = $('#frame-code-' + id); if($codeFrame) { $activeLine.removeClass('active'); $activeFrame.removeClass('active'); $this.addClass('active'); $codeFrame.addClass('active'); $activeLine = $this; $activeFrame = $codeFrame; highlightCurrentLine(); $container.scrollTop(headerHeight); } }); });
Use correct header height for scrolling back up.
Use correct header height for scrolling back up.
JavaScript
mit
UnderDogg/whoops,emilkje/whoops,oligriffiths/whoops,emilkje/whoops,stefen/whoops,michabbb-backup/whoops,staabm/whoops,staabm/whoops,michabbb-backup/whoops,UnderDogg/whoops,Vmak11/whoops,filp/whoops,stefen/whoops,Vmak11/whoops,oligriffiths/whoops,nonconforme/whoops,nonconforme/whoops,filp/whoops
894ac7126415d351ae03c93387bb96436d911044
website/src/app/global.components/mc-show-sample.component.js
website/src/app/global.components/mc-show-sample.component.js
class MCShowSampleComponentController { /*@ngInject*/ constructor($stateParams, samplesService, toast, $mdDialog) { this.projectId = $stateParams.project_id; this.samplesService = samplesService; this.toast = toast; this.$mdDialog = $mdDialog; this.viewHeight = this.viewHeight ? this.viewHeight : "40vh"; } $onInit() { if (this.viewHeight) { } this.samplesService.getProjectSample(this.projectId, this.sampleId) .then( (sample) => this.sample = sample, () => this.toast.error('Unable to retrieve sample') ) } showProcess(process) { this.$mdDialog.show({ templateUrl: 'app/project/experiments/experiment/components/dataset/components/show-process-dialog.html', controllerAs: '$ctrl', controller: ShowProcessDialogController, bindToController: true, locals: { process: process } }); } } class ShowProcessDialogController { /*@ngInject*/ constructor($mdDialog) { this.$mdDialog = $mdDialog; } done() { this.$mdDialog.cancel(); } } angular.module('materialscommons').component('mcShowSample', { templateUrl: 'app/global.components/mc-show-sample.html', controller: MCShowSampleComponentController, bindings: { sampleId: '<', viewHeight: '@' } });
class MCShowSampleComponentController { /*@ngInject*/ constructor($stateParams, samplesService, toast, $mdDialog) { this.projectId = $stateParams.project_id; this.samplesService = samplesService; this.toast = toast; this.$mdDialog = $mdDialog; this.viewHeight = this.viewHeight ? this.viewHeight : "40vh"; } $onInit() { this.samplesService.getProjectSample(this.projectId, this.sampleId) .then( (sample) => this.sample = sample, () => this.toast.error('Unable to retrieve sample') ) } showProcess(process) { this.$mdDialog.show({ templateUrl: 'app/project/experiments/experiment/components/dataset/components/show-process-dialog.html', controllerAs: '$ctrl', controller: ShowProcessDialogController, bindToController: true, locals: { process: process } }); } } class ShowProcessDialogController { /*@ngInject*/ constructor($mdDialog) { this.$mdDialog = $mdDialog; } done() { this.$mdDialog.cancel(); } } angular.module('materialscommons').component('mcShowSample', { templateUrl: 'app/global.components/mc-show-sample.html', controller: MCShowSampleComponentController, bindings: { sampleId: '<', viewHeight: '@' } });
Remove if(this.viewHeight){} since block is empty.
Remove if(this.viewHeight){} since block is empty.
JavaScript
mit
materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org
b948fe73af2929c0d8a8665eacdaf2de1a94637e
lib/createMockCouchAdapter.js
lib/createMockCouchAdapter.js
var express = require('express'); function createMethodWrapper(app, verb) { var original = app[verb]; return function (route, handler) { var hasSentResponse = false; original.call(app, route, function (req, res, next) { handler(req, { setHeader: function () { // empty }, send: function(statusCode, body) { if (hasSentResponse) { return; } hasSentResponse = true; res.send(statusCode, body); } }, function _next(err) { if (hasSentResponse) { return; } hasSentResponse = true; next(err); }); }); }; } module.exports = function createMockCouchAdapter() { var app = express(); var deferred; var original; ['del', 'head', 'get', 'post'].forEach(function(verb) { var expressVerb = (verb === 'del' ? 'delete' : verb); app[verb] = createMethodWrapper(app, expressVerb); }); // store the put method app.put = function (route, handler) { deferred = handler; }; original = app.use; app.use = function (middleware) { original.call(app, '/:db', middleware); // now add the put method createMethodWrapper(app, 'put')('/:db', deferred); }; return app; };
var express = require('express'); function createMethodWrapper(app, verb) { var original = app[verb]; return function (route, handler) { original.call(app, route, function (req, res, next) { // must be places here in order that it is cleared on every request var hasSentResponse = false; handler(req, { setHeader: function () { // empty }, send: function(statusCode, body) { if (hasSentResponse) { return; } hasSentResponse = true; res.send(statusCode, body); } }, function _next(err) { if (hasSentResponse) { return; } hasSentResponse = true; next(err); }); }); }; } module.exports = function createMockCouchAdapter() { var app = express(); var deferred; var original; ['del', 'head', 'get', 'post'].forEach(function(verb) { var expressVerb = (verb === 'del' ? 'delete' : verb); app[verb] = createMethodWrapper(app, expressVerb); }); // store the put method app.put = function (route, handler) { deferred = handler; }; original = app.use; app.use = function (middleware) { original.call(app, '/:db', middleware); // now add the put method createMethodWrapper(app, 'put')('/:db', deferred); }; return app; };
Fix bug where hasSentResponse would not be reset stalling further requests.
Fix bug where hasSentResponse would not be reset stalling further requests.
JavaScript
bsd-3-clause
alexjeffburke/unexpected-couchdb
21e4abd8902165863e0d9acd49b4402f5341ed15
src/client/gravatar-image-retriever.js
src/client/gravatar-image-retriever.js
import md5 from 'md5'; export default class GravatarImageRetriever { constructor(picturePxSize) { this.picturePxSize = picturePxSize; } getImageUrl(email) { // https://en.gravatar.com/site/implement/hash/ if (email) { // https://en.gravatar.com/site/implement/images/ // https://github.com/blueimp/JavaScript-MD5 return `https://www.gravatar.com/avatar/${md5(email.trim().toLowerCase())}.jpg` + `?s=${this.picturePxSize}&r=g&d=mm`; } } }
import md5 from 'md5'; export default class GravatarImageRetriever { constructor(picturePxSize) { this.picturePxSize = picturePxSize; } getImageUrl(email) { // https://en.gravatar.com/site/implement/hash/ if (email) { // https://en.gravatar.com/site/implement/images/ return `https://www.gravatar.com/avatar/${md5(email.trim().toLowerCase())}.jpg` + `?s=${this.picturePxSize}&r=g&d=mm`; } } }
Remove comment, project using md5 package not blueimp-md5
Remove comment, project using md5 package not blueimp-md5
JavaScript
mit
ritterim/star-orgs,ritterim/star-orgs
4f8eee87a64f675a4f33ff006cf2f059a47d6267
app/assets/javascripts/application.js
app/assets/javascripts/application.js
'use strict'; $(document).ready(() => { $('.new').click((event) => { event.preventDefault(); }); // 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 any plugin's vendor/assets/javascripts directory 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/rails/sprockets#sprockets-directives) for details // about supported directives. // //= require jquery //= require jquery_ujs //= require turbolinks //= require_tree .
$(document).ready(function() { $('.new').on('click', function(event) { event.preventDefault(); var $link = $(this); var route = $link.attr('href'); var ajaxRequest = $.ajax({ method: 'GET', url: route }); ajaxRequest.done(function(data) { $('.posts').prepend(data); }); }); }); // 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 any plugin's vendor/assets/javascripts directory 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/rails/sprockets#sprockets-directives) for details // about supported directives. // //= require jquery //= require jquery_ujs //= require turbolinks //= require_tree .
Build ajax request for new snippet form
Build ajax request for new snippet form
JavaScript
mit
dshaps10/snippet,dshaps10/snippet,dshaps10/snippet
70f438378cbadf23f176d5d8bfc1272f1e06a1ad
app/components/SearchResults/index.js
app/components/SearchResults/index.js
import React, { PropTypes } from 'react'; import './index.css'; const SearchResults = React.createClass({ propTypes: { displayOptions: PropTypes.object.isRequired, }, render() { const { options, selectionIndex, onOptionSelected } = this.props; return ( <div className="SearchResults"> <ul className="SearchResults-list"> {options.map((option, index) => { const classNames = ['SearchResults-listItem']; if (selectionIndex === index) { classNames.push('SearchResults-listItem__active'); } return ( <li className={classNames.join(' ')} onClick={() => { onOptionSelected(option); }}> {option.name} {option.type} </li>); })} </ul> </div> ); }, }); export default SearchResults;
import React, { PropTypes } from 'react'; import './index.css'; const SearchResults = React.createClass({ propTypes: { displayOptions: PropTypes.object.isRequired, }, render() { const { options, selectionIndex, onOptionSelected } = this.props; return ( <div className="SearchResults"> <ul className="SearchResults-list"> {options.map((option, index) => { const classNames = ['SearchResults-listItem']; if (selectionIndex === index) { classNames.push('SearchResults-listItem__active'); } return ( <li className={classNames.join(' ')} key={option.id} onClick={() => { onOptionSelected(option); }} > {option.name} {option.type} </li>); })} </ul> </div> ); }, }); export default SearchResults;
Add key to list item
Add key to list item
JavaScript
mit
waagsociety/tnl-relationizer,transparantnederland/relationizer,transparantnederland/browser,transparantnederland/relationizer,transparantnederland/browser,waagsociety/tnl-relationizer
248f547f7fe9c9cfab0d76088fb188ac379ab2fb
gulpfile.babel.js
gulpfile.babel.js
import gulp from 'gulp'; import requireDir from 'require-dir'; import runSequence from 'run-sequence'; // Require individual tasks requireDir('./gulp/tasks', { recurse: true }); gulp.task('default', ['dev']); gulp.task('dev', () => runSequence('clean', 'set-development', 'set-watch-js', [ 'i18n', 'copy-static', 'bower', 'stylesheets', 'webpack', 'cached-lintjs-watch' ], 'watch') ); gulp.task('hot-dev', () => runSequence('clean', 'set-development', [ 'i18n', 'copy-static', 'bower', 'stylesheets-livereload', 'cached-lintjs-watch' ], ['webpack', 'watch']) ); gulp.task('build', cb => runSequence('clean', [ 'i18n', 'copy-static', 'bower', 'stylesheets', 'lintjs' ], 'webpack', 'minify', cb) );
import gulp from 'gulp'; import requireDir from 'require-dir'; import runSequence from 'run-sequence'; // Require individual tasks requireDir('./gulp/tasks', { recurse: true }); gulp.task('default', ['dev']); gulp.task('dev', () => runSequence('clean', 'set-development', 'set-watch-js', [ 'i18n', 'copy-static', 'bower', 'stylesheets', 'cached-lintjs-watch' ], ['webpack', 'watch']) ); gulp.task('hot-dev', () => runSequence('clean', 'set-development', [ 'i18n', 'copy-static', 'bower', 'stylesheets-livereload', 'cached-lintjs-watch' ], ['webpack', 'watch']) ); gulp.task('build', cb => runSequence('clean', [ 'i18n', 'copy-static', 'bower', 'stylesheets', 'lintjs' ], 'webpack', 'minify', cb) );
Fix styl/img watching in gulp tasks
Fix styl/img watching in gulp tasks
JavaScript
mit
MusikAnimal/WikiEduDashboard,Wowu/WikiEduDashboard,MusikAnimal/WikiEduDashboard,KarmaHater/WikiEduDashboard,KarmaHater/WikiEduDashboard,alpha721/WikiEduDashboard,WikiEducationFoundation/WikiEduDashboard,majakomel/WikiEduDashboard,Wowu/WikiEduDashboard,majakomel/WikiEduDashboard,Wowu/WikiEduDashboard,WikiEducationFoundation/WikiEduDashboard,feelfreelinux/WikiEduDashboard,sejalkhatri/WikiEduDashboard,sejalkhatri/WikiEduDashboard,MusikAnimal/WikiEduDashboard,KarmaHater/WikiEduDashboard,sejalkhatri/WikiEduDashboard,sejalkhatri/WikiEduDashboard,sejalkhatri/WikiEduDashboard,alpha721/WikiEduDashboard,feelfreelinux/WikiEduDashboard,MusikAnimal/WikiEduDashboard,alpha721/WikiEduDashboard,Wowu/WikiEduDashboard,WikiEducationFoundation/WikiEduDashboard,majakomel/WikiEduDashboard,feelfreelinux/WikiEduDashboard,WikiEducationFoundation/WikiEduDashboard,alpha721/WikiEduDashboard,feelfreelinux/WikiEduDashboard,majakomel/WikiEduDashboard,WikiEducationFoundation/WikiEduDashboard,KarmaHater/WikiEduDashboard
11329fe25bb2242ecd27745f7b712ce37c0030e4
src/lib/timer.js
src/lib/timer.js
const moment = require('moment'); function Timer(element) { this.element = element; this.secondsElapsed = 0; } Timer.prototype = { start: function() { var self = this; self.timerId = setInterval(function() { self.secondsElapsed++; self.displaySeconds(); }, 1000); }, stop: function() { var self = this; clearInterval(self.timerId); }, displaySeconds: function() { var minutes = Math.floor(this.secondsElapsed / 60); var seconds = this.secondsElapsed % 60; this.element.text(String(minutes).padStart(2, "0") + ":" + String(seconds).padStart(2, "0")); } }; module.exports = Timer;
const moment = require('moment'); function Timer(element) { this.element = element; this.secondsElapsed = 0; } Timer.prototype = { start: function() { var self = this; self.timerId = setInterval(function() { self.secondsElapsed++; self.displaySeconds(); }, 1000); }, stop: function() { var self = this; clearInterval(self.timerId); }, displaySeconds: function() { var minutes = Math.floor(this.secondsElapsed / 60); var seconds = this.secondsElapsed % 60; this.element.text(String(minutes).padStart(2, "0") + ":" + String(seconds).padStart(2, "0")); }, reset: function() { var self = this; clearInterval(self.timerId); self.secondsElapsed = 0; self.displaySeconds(); } }; module.exports = Timer;
Add a reset method to the Timer class.
Add a reset method to the Timer class. Refs #9.
JavaScript
mpl-2.0
jwir3/minuteman,jwir3/minuteman
5f56c522c4d3b2981e6d10b99bbe065e85d37ac4
client/src/js/files/components/File.js
client/src/js/files/components/File.js
import React from "react"; import PropTypes from "prop-types"; import { Col, Row } from "react-bootstrap"; import { byteSize } from "../../utils"; import { Icon, ListGroupItem, RelativeTime } from "../../base"; export default class File extends React.Component { static propTypes = { id: PropTypes.string, name: PropTypes.string, size: PropTypes.number, file: PropTypes.object, uploaded_at: PropTypes.string, user: PropTypes.object, onRemove: PropTypes.func }; handleRemove = () => { this.props.onRemove(this.props.id); }; render () { const { name, size, uploaded_at, user } = this.props; let creation; if (user === null) { creation = ( <span> Retrieved <RelativeTime time={uploaded_at} /> </span> ); } else { creation = ( <span> Uploaded <RelativeTime time={uploaded_at} /> by {user.id} </span> ); } return ( <ListGroupItem className="spaced"> <Row> <Col md={5}> <strong>{name}</strong> </Col> <Col md={2}> {byteSize(size)} </Col> <Col md={4}> {creation} </Col> <Col md={1}> <Icon name="trash" bsStyle="danger" style={{fontSize: "17px"}} onClick={this.handleRemove} pullRight /> </Col> </Row> </ListGroupItem> ); } }
import React from "react"; import PropTypes from "prop-types"; import { Col, Row } from "react-bootstrap"; import { byteSize } from "../../utils"; import { Icon, ListGroupItem, RelativeTime } from "../../base"; export default class File extends React.Component { static propTypes = { id: PropTypes.string, name: PropTypes.string, size: PropTypes.object, file: PropTypes.object, uploaded_at: PropTypes.string, user: PropTypes.object, onRemove: PropTypes.func }; handleRemove = () => { this.props.onRemove(this.props.id); }; render () { const { name, size, uploaded_at, user } = this.props; let creation; if (user === null) { creation = ( <span> Retrieved <RelativeTime time={uploaded_at} /> </span> ); } else { creation = ( <span> Uploaded <RelativeTime time={uploaded_at} /> by {user.id} </span> ); } return ( <ListGroupItem className="spaced"> <Row> <Col md={5}> <strong>{name}</strong> </Col> <Col md={2}> {byteSize(size.size)} </Col> <Col md={4}> {creation} </Col> <Col md={1}> <Icon name="trash" bsStyle="danger" style={{fontSize: "17px"}} onClick={this.handleRemove} pullRight /> </Col> </Row> </ListGroupItem> ); } }
Fix file size prop warning
Fix file size prop warning
JavaScript
mit
virtool/virtool,igboyes/virtool,virtool/virtool,igboyes/virtool
5da4c6e6ad78987f74a073ba5316a299071c0006
src/components/Time.js
src/components/Time.js
import React, { PropTypes, Component } from 'react' import moment from 'moment' import eventActions from '../actions/eventActionCreators' const TIME_INIT = moment('2190-07-02').utc() const DELAY = 250 class Time extends Component { componentWillMount () { this.setState({ time: TIME_INIT }) } componentDidMount () { this.timer = setInterval(this._interval.bind(this), DELAY) } componentWillUnmount () { clearInterval(this.timer) } render () { return <div>{this.state.time.format('MMM Do YYYY').valueOf()}</div> } _interval () { this._advanceTime() if (Math.random() < 0.01) this._triggerEvent() } _advanceTime () { const time = this.state.time.add(1, 'days') this.setState({ time }) } _triggerEvent () { const n = Math.random() const eventCategory = (n < 0.5) ? 'easy' : (n < 0.75 ? 'medium' : 'hard') this.props.dispatch(eventActions.triggerEvent(eventCategory)) } } Time.propTypes = { dispatch: PropTypes.func.isRequired, } export default Time
import React, { PropTypes, Component } from 'react' import moment from 'moment' import eventActions from '../actions/eventActionCreators' const TIME_INIT = moment('2190-07-02').utc() const DELAY = 1000 class Time extends Component { componentWillMount () { this.setState({ time: TIME_INIT }) } componentDidMount () { this.timer = setInterval(this._interval.bind(this), DELAY) } componentWillUnmount () { clearInterval(this.timer) } render () { return <div>{this.state.time.format('MMM Do YYYY').valueOf()}</div> } _interval () { this._advanceTime() if (Math.random() < 0.01) this._triggerEvent() } _advanceTime () { const time = this.state.time.add(1, 'days') this.setState({ time }) } _triggerEvent () { const n = Math.random() const eventCategory = (n < 0.5) ? 'easy' : (n < 0.75 ? 'medium' : 'hard') this.props.dispatch(eventActions.triggerEvent(eventCategory)) } } Time.propTypes = { dispatch: PropTypes.func.isRequired, } export default Time
Change time frequency: one virtual day per second
Change time frequency: one virtual day per second
JavaScript
mit
albertoblaz/lord-commander,albertoblaz/lord-commander
65bfe55ca0448dc941739deea117347798807fc9
app/assets/javascripts/patient_auto_complete.js
app/assets/javascripts/patient_auto_complete.js
$(document).ready(function() { $("[data-autocomplete-source]").each(function() { var url = $(this).data("autocomplete-source"); var target = $(this).data("autocomplete-rel"); $(this).autocomplete({ minLength: 2, source: function(request,response) { var path = url + "?term=" + request.term $.getJSON(path, function(data) { var list = $.map(data, function(patient) { return { label: patient.unique_label, value: patient.unique_label, id: patient.id }; }); response(list); }) }, search: function(event, ui) { $(target).val(""); }, select: function(event, ui) { $(target).val(ui.item.id); } }); }); });
$(document).ready(function() { $("[data-autocomplete-source]").each(function() { var url = $(this).data("autocomplete-source"); var target = $(this).data("autocomplete-rel"); $(this).autocomplete({ minLength: 2, source: function(request,response) { $.ajax({ url: url, data: { term: request.term }, success: function(data) { var list = $.map(data, function(patient) { return { label: patient.unique_label, id: patient.id }; }); response(list); }, error: function(jqXHR, textStatus, errorThrown) { var msg = "An error occurred. Please contact an administrator."; response({ label: msg, id: 0}); } }); }, search: function(event, ui) { $(target).val(""); }, select: function(event, ui) { $(target).val(ui.item.id); } }); }); });
Handle error if autocomplete query fails
Handle error if autocomplete query fails
JavaScript
mit
airslie/renalware-core,airslie/renalware-core,airslie/renalware-core,airslie/renalware-core
cf3200a37bf58f26cf8ffe9f8650bd9d39bffbc5
Gruntfile.js
Gruntfile.js
module.exports = function(grunt) { grunt.loadNpmTasks("grunt-mocha-test"); grunt.loadNpmTasks("grunt-mocha-istanbul"); var testOutputLocation = process.env.CIRCLE_TEST_REPORTS || "test_output"; var artifactsLocation = process.env.CIRCLE_ARTIFACTS || "build_artifacts"; grunt.initConfig({ mochaTest: { test: { src: ["test/**/*.js"] }, ci: { src: ["test/**/*.js"], options: { reporter: "xunit", captureFile: testOutputLocation + "/mocha/results.xml", quiet: true } } }, mocha_istanbul: { coverage: { src: ["test/**/*.js"], options: { coverageFolder: artifactsLocation + "/coverage", check: { lines: 100, statements: 100, branches: 100, functions: 100 }, reportFormats: ["lcov"] } } } }); grunt.registerTask("test", ["mochaTest:test", "mocha_istanbul"]); grunt.registerTask("ci-test", ["mochaTest:ci", "mocha_istanbul"]); grunt.registerTask("default", "test"); };
module.exports = function(grunt) { grunt.loadNpmTasks("grunt-mocha-test"); grunt.loadNpmTasks("grunt-mocha-istanbul"); var testOutputLocation = process.env.CIRCLE_TEST_REPORTS || "test_output"; var artifactsLocation = process.env.CIRCLE_ARTIFACTS || "build_artifacts"; grunt.initConfig({ mochaTest: { test: { src: ["test/**/*.js"] }, ci: { src: ["test/**/*.js"], options: { reporter: "xunit", captureFile: testOutputLocation + "/mocha/results.xml", quiet: true } } }, mocha_istanbul: { coverage: { src: ["test/**/*.js"], options: { coverageFolder: artifactsLocation, check: { lines: 100, statements: 100, branches: 100, functions: 100 }, reportFormats: ["lcov"] } } } }); grunt.registerTask("test", ["mochaTest:test", "mocha_istanbul"]); grunt.registerTask("ci-test", ["mochaTest:ci", "mocha_istanbul"]); grunt.registerTask("default", "test"); };
Change artifact location to suite CircleCI
Change artifact location to suite CircleCI
JavaScript
mit
JMiknys/todo-grad-project-justas,JMiknys/todo-grad-project-justas
a0aa49e9d906a644f8eae3ae85bb83a1d7bbcdde
packages/lesswrong/components/recommendations/withContinueReading.js
packages/lesswrong/components/recommendations/withContinueReading.js
import gql from 'graphql-tag'; import { graphql } from 'react-apollo'; import { getFragment } from 'meteor/vulcan:core'; export const withContinueReading = component => { // FIXME: For some unclear reason, using a ...fragment in the 'sequence' part // of this query doesn't work (leads to a 400 Bad Request), so this is expanded // out to a short list of individual fields. const continueReadingQuery = gql` query ContinueReadingQuery { ContinueReading { sequence { _id title gridImageId canonicalCollectionSlug } collection { _id title slug } lastReadPost { ...PostsList } nextPost { ...PostsList } numRead numTotal lastReadTime } } ${getFragment("PostsList")} `; return graphql(continueReadingQuery, { alias: "withContinueReading", options: (props) => ({ variables: {} }), props(props) { return { continueReadingLoading: props.data.loading, continueReading: props.data.ContinueReading, } } } )(component); }
import gql from 'graphql-tag'; import { graphql } from 'react-apollo'; import { getFragment } from 'meteor/vulcan:core'; export const withContinueReading = component => { // FIXME: For some unclear reason, using a ...fragment in the 'sequence' part // of this query doesn't work (leads to a 400 Bad Request), so this is expanded // out to a short list of individual fields. const continueReadingQuery = gql` query ContinueReadingQuery { ContinueReading { sequence { _id title gridImageId canonicalCollectionSlug } collection { _id title slug gridImageId } lastReadPost { ...PostsList } nextPost { ...PostsList } numRead numTotal lastReadTime } } ${getFragment("PostsList")} `; return graphql(continueReadingQuery, { alias: "withContinueReading", options: (props) => ({ variables: {} }), props(props) { return { continueReadingLoading: props.data.loading, continueReading: props.data.ContinueReading, } } } )(component); }
Add gridImageId to continueReading fragments
Add gridImageId to continueReading fragments
JavaScript
mit
Discordius/Telescope,Discordius/Telescope,Discordius/Lesswrong2,Discordius/Lesswrong2,Discordius/Lesswrong2,Discordius/Lesswrong2,Discordius/Telescope,Discordius/Telescope
d48742aa5a3002b347cf284ea28777a91d300f1b
client/app/components/components.js
client/app/components/components.js
import angular from 'angular'; import Dogs from './dogs/dogs'; import DogProfile from './dog-profile/dog-profile'; import Users from './users/users'; import DogPost from './dog-post/dog-post'; import UserPost from './user-post/user-post'; let componentModule = angular.module('app.components', [ Dogs, Users, DogProfile, DogPost, UserPost ]) .name; export default componentModule;
import angular from 'angular'; import Auth from './auth/auth'; import Signup from './signup/signup'; import Dogs from './dogs/dogs'; import DogProfile from './dog-profile/dog-profile'; import Users from './users/users'; import DogPost from './dog-post/dog-post'; import UserPost from './user-post/user-post'; let componentModule = angular.module('app.components', [ Signup, Auth, Dogs, Users, DogProfile, DogPost, UserPost ]) .name; export default componentModule;
Add to auth and signup component
Add to auth and signup component
JavaScript
apache-2.0
nickpeleh/dogs-book,nickpeleh/dogs-book
c343c6ee7fb3c2f545b082c06c21f3fbb93a4585
src/extension/index.js
src/extension/index.js
import { setupTokenEditor, setTokenEditorValue, useDefaultToken } from '../editor'; import { getParameterByName } from '../utils.js'; import { publicKeyTextArea } from './dom-elements.js'; /* For initialization, look at the end of this file */ function parseLocationQuery() { const publicKey = getParameterByName('publicKey'); const value = getParameterByName('value'); const token = getParameterByName('token'); if(publicKey) { publicKeyTextArea.value = publicKey; } if(value) { setTokenEditorValue(value); } if(token) { setTokenEditorValue(token); } } function loadToken() { const lastToken = localStorage.getItem('lastToken'); if(lastToken) { setTokenEditorValue(value); const lastPublicKey = localStorage.getItem('lastPublicKey'); if(lastPublicKey) { publicKeyTextArea.value = lastPublicKey; } } else { useDefaultToken('HS256'); } } // Initialization setupTokenEditor(); loadToken(); parseLocationQuery();
import { setupTokenEditor, setTokenEditorValue, useDefaultToken } from '../editor'; import { publicKeyTextArea } from './dom-elements.js'; /* For initialization, look at the end of this file */ function loadToken() { const lastToken = localStorage.getItem('lastToken'); if(lastToken) { setTokenEditorValue(value); const lastPublicKey = localStorage.getItem('lastPublicKey'); if(lastPublicKey) { publicKeyTextArea.value = lastPublicKey; } } else { useDefaultToken('HS256'); } } // Initialization setupTokenEditor(); loadToken();
Remove unnecessary code for the extension.
Remove unnecessary code for the extension.
JavaScript
mit
nov/jsonwebtoken.github.io,simo5/jsonwebtoken.github.io,simo5/jsonwebtoken.github.io,nov/jsonwebtoken.github.io
8afb86988829ead1404efdfa4bccf77fb983a08e
Gruntfile.js
Gruntfile.js
module.exports = function(grunt) { grunt.registerTask("default", ["test-server", "test-client"]); grunt.registerTask("test-client", function() { var done = this.async(); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["test/testee/client"]}); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["./node_modules/mocha/bin/mocha", "test/client.js"]}, function(error) { done(!error); }); }); grunt.registerTask("test-server", function() { var done = this.async(); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["test/testee/server"]}); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["./node_modules/mocha/bin/mocha", "test/server.js"]}, function(error) { done(!error); }); }); };
module.exports = function(grunt) { grunt.registerTask("default", ["test-server", "test-client"]); grunt.registerTask("test-client", function() { var done = this.async(); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["test/testee/client"]}); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["./node_modules/mocha/bin/mocha", "test/client.js", "--reporter", "spec"]}, function(error) { done(!error); }); }); grunt.registerTask("test-server", function() { var done = this.async(); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["test/testee/server"]}); grunt.util.spawn({cmd: "node", opts: {stdio: 'inherit'}, args: ["./node_modules/mocha/bin/mocha", "test/server.js", "--reporter", "spec"]}, function(error) { done(!error); }); }); };
Change mocha's reporter type to spec
Change mocha's reporter type to spec
JavaScript
apache-2.0
vibe-project/vibe-protocol
a8dc6903bbeb207b63fcde2f318501d27052ec07
js/background.js
js/background.js
chrome.tabs.onCreated.addListener(function(tab) { console.log("Tab Created", tab); }); chrome.tabs.onUpdated.addListener(function(tabId, changeInfo, tab) { console.log("Tab changed: #" + tabId, changeInfo, tab ); }); chrome.browserAction.onClicked.addListener(function() { console.log("Browser action clicked!"); });
chrome.tabs.onCreated.addListener(function(tab) { console.log("Tab Created", tab); }); chrome.tabs.onUpdated.addListener(function(tabId, changeInfo, tab) { console.log("Tab changed: #" + tabId, changeInfo, tab ); }); chrome.storage.sync.get(null, function(items) { console.log("All items in synced storage", items ); }); chrome.storage.sync.set({name : "Pierce Moore", _config : _config }, function() { console.log("Set name to Pierce Moore"); }); chrome.storage.sync.get("name", function(items) { console.log("Name in synced storage", items ); }); chrome.storage.sync.get(null, function(items) { console.log("All items in synced storage", items ); }); chrome.storage.sync.getBytesInUse(null, function(bytes) { console.log("Total bytes in use:" + bytes + " bytes"); }); var d = new Date(); console.log(d.toUTCString());
Set of generic functions to test the chrome.* APIs
Set of generic functions to test the chrome.* APIs
JavaScript
bsd-3-clause
rex/BANTP
d8a2c541823fad0a5d1458a08e991ca4cc7fd216
Gruntfile.js
Gruntfile.js
'use strict'; module.exports = function(grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), jshint: { allFiles: ['gruntfile.js', 'lib/**/*.js', 'test/**/*.js'], options: { jshintrc: '.jshintrc', } }, mochacli: { all: ['test/**/*.js'], options: { reporter: 'spec', ui: 'tdd' } }, 'mocha_istanbul': { coveralls: { src: 'test/lib', options: { coverage: true, legend: true, check: { lines: 90, statements: 90 }, root: './lib', reportFormats: ['lcov'] } } } }) grunt.event.on('coverage', function(lcov, done){ require('coveralls').handleInput(lcov, function(error) { if (error) { console.log(error) return done(error) } done() }) }) // Load the plugins grunt.loadNpmTasks('grunt-contrib-jshint') grunt.loadNpmTasks('grunt-mocha-cli') grunt.loadNpmTasks('grunt-mocha-istanbul') // Configure tasks grunt.registerTask('default', ['test']) grunt.registerTask('coveralls', ['mocha_istanbul:coveralls']) grunt.registerTask('test', ['mochacli', 'jshint', 'coveralls']) }
'use strict'; module.exports = function(grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), jshint: { allFiles: ['gruntfile.js', 'lib/**/*.js', 'test/**/*.js'], options: { jshintrc: '.jshintrc', } }, mochacli: { all: ['test/**/*.js'], options: { reporter: 'spec', ui: 'tdd' } }, 'mocha_istanbul': { coveralls: { src: 'test/lib', options: { coverage: true, legend: true, check: { lines: 68, statements: 70 }, root: './lib', reportFormats: ['lcov'] } } } }) grunt.event.on('coverage', function(lcov, done){ require('coveralls').handleInput(lcov, function(error) { if (error) { console.log(error) return done(error) } done() }) }) // Load the plugins grunt.loadNpmTasks('grunt-contrib-jshint') grunt.loadNpmTasks('grunt-mocha-cli') grunt.loadNpmTasks('grunt-mocha-istanbul') // Configure tasks grunt.registerTask('default', ['test']) grunt.registerTask('coveralls', ['mocha_istanbul:coveralls']) grunt.registerTask('test', ['mochacli', 'jshint', 'coveralls']) }
Adjust limits to meet what we have currently
Adjust limits to meet what we have currently
JavaScript
apache-2.0
xmpp-ftw/xmpp-ftw
2c001cfd50d80bae25de6adce09a11926de9a991
Gruntfile.js
Gruntfile.js
module.exports = function (grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), clean: ['.tmp'], babel: { options: { sourceMap: true }, dist: { files: { 'dist/index.js': 'src/index.js' } }, test: { files: { '.tmp/tests.js': 'test/tests.js' } } }, jshint: { all: [ 'Gruntfile.js', 'src/**/*.js', 'test/**/*.js' ], options: { jshintrc: '.jshintrc' } }, mochacli: { all: ['.tmp/**/*.js'], options: { reporter: 'spec', ui: 'tdd', timeout: 10000 } } }); grunt.loadNpmTasks('grunt-contrib-jshint'); grunt.loadNpmTasks('grunt-mocha-cli'); grunt.loadNpmTasks('grunt-babel'); grunt.loadNpmTasks('grunt-contrib-clean'); grunt.registerTask('build', ['babel:dist']); grunt.registerTask('test', ['jshint', 'build', 'babel:test', 'mochacli']); grunt.registerTask('default', ['test']); };
module.exports = function (grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), clean: ['.tmp'], babel: { options: { sourceMap: true }, dist: { files: { 'dist/index.js': 'src/index.js' } }, test: { files: { '.tmp/tests.js': 'test/tests.js' } } }, jshint: { all: [ 'Gruntfile.js', 'src/**/*.js', 'test/**/*.js' ], options: { jshintrc: '.jshintrc' } }, mochacli: { all: ['.tmp/**/*.js'], options: { reporter: 'spec', ui: 'tdd', timeout: 10000, bail: 'true' } } }); grunt.loadNpmTasks('grunt-contrib-jshint'); grunt.loadNpmTasks('grunt-mocha-cli'); grunt.loadNpmTasks('grunt-babel'); grunt.loadNpmTasks('grunt-contrib-clean'); grunt.registerTask('build', ['babel:dist']); grunt.registerTask('test', ['jshint', 'build', 'babel:test', 'mochacli']); grunt.registerTask('default', ['test']); };
Add bail option to mochacli to halt on the first failed test.
Add bail option to mochacli to halt on the first failed test.
JavaScript
mit
khornberg/simplenote
c8656f406dcefc83c8eec14a6607c7f334f37607
Gruntfile.js
Gruntfile.js
/* * generator-init * https://github.com/use-init/generator-init * */ 'use strict'; module.exports = function (grunt) { // Load all grunt tasks matching the `grunt-*` pattern. require('load-grunt-tasks')(grunt); // Project configuration. grunt.initConfig({ jshint: { all: [ 'Gruntfile.js', 'app/index.js', '<%= mochaTest.test.src%>' ], options: { jshintrc: '.jshintrc' } }, // Before generating any new files, remove any previously-created files. clean: { tests: ['tests/temp'] }, // Unit tests. mochaTest: { test: { options: { reporter: 'spec' }, src: ['test/*.js'] } } }); // Whenever the "test" task is run, first clean the "temp" dir, then run this // plugin's task(s), then test the result. grunt.registerTask('test', ['clean', 'mochaTest']); // By default, lint and run all tests. grunt.registerTask('default', ['clean', 'jshint', 'mochaTest']); };
/* * generator-init * https://github.com/use-init/generator-init * */ 'use strict'; module.exports = function (grunt) { // Load all grunt tasks matching the `grunt-*` pattern. require('load-grunt-tasks')(grunt); // Project configuration. grunt.initConfig({ jshint: { all: [ 'Gruntfile.js', 'app/index.js', 'lib/*.js', 'page/index.js', 'module/index.js', 'jqueryplugin/index.js', 'page/index.js', '<%= mochaTest.test.src%>' ], options: { jshintrc: '.jshintrc' } }, // Before generating any new files, remove any previously-created files. clean: { tests: ['tests/temp'] }, // Unit tests. mochaTest: { test: { options: { reporter: 'spec' }, src: ['test/*.js'] } } }); // Whenever the "test" task is run, first clean the "temp" dir, then run this // plugin's task(s), then test the result. grunt.registerTask('test', ['clean', 'mochaTest']); // By default, lint and run all tests. grunt.registerTask('default', ['clean', 'jshint', 'mochaTest']); };
Add all JS files to JSHint
Add all JS files to JSHint
JavaScript
mit
use-init/generator-init,use-init/generator-init
b3138e99e44b96027ed4d1d3ffdc146d49bb52d2
Gruntfile.js
Gruntfile.js
module.exports = function(grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), // the package file to use qunit: { // internal task or name of a plugin (like "qunit") all: ['js/tests/*.html'] }, watch: { files: [ 'js/tests/*.js', 'js/tests/*.html', 'tmpl/*.html', 'js/*.js', 'src/*.go' ], tasks: ['qunit', 'shell:buildGo', 'shell:testGo'] }, shell: { buildGo: { command: function() { var gitCmd = 'git rev-parse --short HEAD'; return 'go build -o build/rtfblog' + ' -ldflags "-X main.genVer $(' + gitCmd + ')"' + ' src/*.go'; }, options: { stdout: true, stderr: true } }, testGo: { command: 'go test ./src/...', options: { stdout: true, stderr: true } } } }); // load up your plugins grunt.loadNpmTasks('grunt-contrib-qunit'); grunt.loadNpmTasks('grunt-contrib-watch'); grunt.loadNpmTasks('grunt-shell'); // register one or more task lists (you should ALWAYS have a "default" task list) grunt.registerTask('default', ['qunit', 'shell:buildGo', 'shell:testGo']); };
module.exports = function(grunt) { grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), // the package file to use qunit: { // internal task or name of a plugin (like "qunit") all: ['js/tests/*.html'] }, watch: { files: [ 'js/tests/*.js', 'js/tests/*.html', 'tmpl/*.html', 'js/*.js', 'src/*.go' ], tasks: ['qunit', 'shell:buildGo', 'shell:testGo'] }, shell: { buildGo: { command: function() { var gitCmd = 'git rev-parse --short HEAD'; return 'go build -o build/rtfblog' + ' -ldflags "-X main.genVer=$(' + gitCmd + ')"' + ' src/*.go'; }, options: { stdout: true, stderr: true } }, testGo: { command: 'go test ./src/...', options: { stdout: true, stderr: true } } } }); // load up your plugins grunt.loadNpmTasks('grunt-contrib-qunit'); grunt.loadNpmTasks('grunt-contrib-watch'); grunt.loadNpmTasks('grunt-shell'); // register one or more task lists (you should ALWAYS have a "default" task list) grunt.registerTask('default', ['qunit', 'shell:buildGo', 'shell:testGo']); };
Fix warning, add assignment operator
Fix warning, add assignment operator
JavaScript
bsd-2-clause
rtfb/rtfblog,rtfb/rtfblog,rtfb/rtfblog,rtfb/rtfblog,rtfb/rtfblog