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
|
---|---|---|---|---|---|---|---|---|---|
58239dac2cc98052570cd13e87905c9fb3b11de5
|
src/scenes/home/opCodeCon/opCodeCon.js
|
src/scenes/home/opCodeCon/opCodeCon.js
|
import React from 'react';
import commonUrl from 'shared/constants/commonLinks';
import LinkButton from 'shared/components/linkButton/linkButton';
import styles from './opCodeCon.css';
const OpCodeCon = () => (
<div className={styles.hero}>
<div className={styles.heading}>
<h1>OpCodeCon</h1>
<h3>Join us for our inaugural Operation Code Convention!</h3>
<p>September 19th-20th, 2018</p>
<p>Raleigh Convention Center, Raleigh, NC</p>
<p>
<a href="mailto:[email protected]" className={styles.textLink}>
Contact us
</a>{' '}
for sponsorship information.
</p>
<LinkButton role="button" text="Donate" theme="red" link={commonUrl.donateLink} isExternal />
{/* <p>Check back for more information.</p> */}
</div>
</div>
);
export default OpCodeCon;
|
import React from 'react';
import commonUrl from 'shared/constants/commonLinks';
import LinkButton from 'shared/components/linkButton/linkButton';
import styles from './opCodeCon.css';
const OpCodeCon = () => (
<div className={styles.hero}>
<div className={styles.heading}>
<h1>OpCodeCon</h1>
<h3>Join us for our inaugural Operation Code Convention!</h3>
<p>September 19th-20th, 2018</p>
<p>Raleigh Convention Center, Raleigh, NC</p>
<p>
<a href="mailto:[email protected]" className={styles.textLink}>
Contact us
</a>{' '}
for sponsorship information.
</p>
<LinkButton
role="button"
text="Donate"
theme="red"
link={commonUrl.donateLink}
isExternal
/>
{/* <p>Check back for more information.</p> */}
</div>
</div>
);
export default OpCodeCon;
|
Fix ESLint error causing Travis build to fail
|
Fix ESLint error causing Travis build to fail
'jsx-max-props-per-line' rule
|
JavaScript
|
mit
|
sethbergman/operationcode_frontend,OperationCode/operationcode_frontend,sethbergman/operationcode_frontend,sethbergman/operationcode_frontend,hollomancer/operationcode_frontend,OperationCode/operationcode_frontend,hollomancer/operationcode_frontend,OperationCode/operationcode_frontend,hollomancer/operationcode_frontend
|
c4e00daab05ac6cc0b9965fd5a07539b3281bd2e
|
app/routes.js
|
app/routes.js
|
module.exports = {
bind : function (app) {
app.get('/', function (req, res) {
console.log("Clearing the session.")
delete req.session
res.render('index');
});
app.get('/examples/template-data', function (req, res) {
res.render('examples/template-data', { 'name' : 'Foo' });
});
app.post('/start-flow', function(req, res) {
res.redirect('/service-before');
});
// add your routes here
}
};
|
function clear_session(req) {
console.log("Clearing the session.")
delete req.session
}
module.exports = {
bind : function (app) {
app.get('/', function (req, res) {
clear_session(req);
res.render('index');
});
app.get('/index', function (req, res) {
clear_session(req);
res.render('index');
});
app.get('/examples/template-data', function (req, res) {
res.render('examples/template-data', { 'name' : 'Foo' });
});
app.post('/start-flow', function(req, res) {
res.redirect('/service-before');
});
// add your routes here
}
};
|
Clear the session on accessing the index page too.
|
Clear the session on accessing the index page too.
|
JavaScript
|
mit
|
stephenjoe1/pay-staff-tool,stephenjoe1/pay-staff-tool,stephenjoe1/pay-staff-tool
|
8ebb4b1d798c02dd62d7b0e584f567374c4a930c
|
NoteWrangler/public/js/routes.js
|
NoteWrangler/public/js/routes.js
|
// js/routes
(function() {
"use strict";
angular.module("NoteWrangler")
.config(config);
function config($routeProvider) {
$routeProvider
.when("/notes", {
templateUrl: "../templates/pages/notes/index.html",
controller: "NotesIndexController",
controllerAs: "notesIndexCtrl"
})
.when("/users", {
templateUrl: "../templates/pages/users/index.html"
})
.when("/notes/new", {
templateUrl: "templates/pages/notes/new.html",
controller: "NotesCreateController",
controllerAs: "notesCreateCtrl"
})
.when("/notes/:id", {
templateUrl: "templates/pages/notes/show.html",
controller: "NotesShowController",
controllerAs: "notesShowCtrl"
})
.otherwise({
redirectTo: "/"
});
}
})();
|
// js/routes
(function() {
"use strict";
angular.module("NoteWrangler")
.config(config);
function config($routeProvider) {
$routeProvider
.when("/notes", {
templateUrl: "../templates/pages/notes/index.html",
controller: "NotesIndexController",
controllerAs: "notesIndexCtrl"
})
.when("/users", {
templateUrl: "../templates/pages/users/index.html"
})
.when("/notes/new", {
templateUrl: "templates/pages/notes/new.html",
controller: "NotesCreateController",
controllerAs: "notesCreateCtrl"
})
.when("/notes/:id", {
templateUrl: "templates/pages/notes/show.html",
controller: "NotesShowController",
controllerAs: "notesShowCtrl"
})
.otherwise({
redirectTo: "/",
templateUrl: "templates/pages/index/index.html"
});
}
})();
|
Add templateUrl for default route
|
Add templateUrl for default route
|
JavaScript
|
mit
|
var-bin/angularjs-training,var-bin/angularjs-training,var-bin/angularjs-training,var-bin/angularjs-training
|
d60038a85207a5126048733c700b15cd39b7e80b
|
modules/web.js
|
modules/web.js
|
var express = require('express');
var webInterface = function(dbot) {
var dbot = dbot;
var pub = 'public';
var app = express.createServer();
app.use(express.compiler({ src: pub, enable: ['sass'] }));
app.use(express.static(pub));
app.set('view engine', 'jade');
app.get('/', function(req, res) {
res.redirect('/quotes');
//res.render('index', { });
});
app.get('/quotes', function(req, res) {
// Lists the quote categories
res.render('quotelist', { 'quotelist': Object.keys(dbot.db.quoteArrs) });
});
app.get('/quotes/:key', function(req, res) {
// Lists the quotes in a category
var key = req.params.key.toLowerCase();
if(dbot.db.quoteArrs.hasOwnProperty(key)) {
res.render('quotes', { 'quotes': dbot.db.quoteArrs[key], locals: {url_regex: RegExp.prototype.url_regex()}});
} else {
res.render('error', { 'message': 'No quotes under that key.' });
}
});
app.listen(9443);
return {
'onDestroy': function() {
app.close();
}
};
};
exports.fetch = function(dbot) {
return webInterface(dbot);
};
|
var express = require('express');
var webInterface = function(dbot) {
var dbot = dbot;
var pub = 'public';
var app = express.createServer();
app.use(express.compiler({ src: pub, enable: ['sass'] }));
app.use(express.static(pub));
app.set('view engine', 'jade');
app.get('/', function(req, res) {
res.redirect('/quotes');
//res.render('index', { });
});
app.get('/quotes', function(req, res) {
// Lists the quote categories
res.render('quotelist', { 'quotelist': Object.keys(dbot.db.quoteArrs) });
});
app.get('/quotes/:key', function(req, res) {
// Lists the quotes in a category
var key = req.params.key.toLowerCase();
if(dbot.db.quoteArrs.hasOwnProperty(key)) {
res.render('quotes', { 'quotes': dbot.db.quoteArrs[key], locals: {url_regex: RegExp.prototype.url_regex()}});
} else {
res.render('error', { 'message': 'No quotes under that key.' });
}
});
app.listen(443);
return {
'onDestroy': function() {
app.close();
}
};
};
exports.fetch = function(dbot) {
return webInterface(dbot);
};
|
Move listen port back to 443
|
Move listen port back to 443
|
JavaScript
|
mit
|
zuzak/dbot,zuzak/dbot
|
b33eafc06f6f89166cecd8cde664c470cc249b31
|
lib/app.js
|
lib/app.js
|
var app = require("express")();
app.get('/', function (req, res) {
res.send('c\'est ne une jsbin');
});
app.listen(3000);
|
var express = require('express'),
path = require('path'),
app = express();
app.root = path.join(__dirname, '..', 'public');
app.use(express.logger());
app.use(express.static(app.root));
app.get('/', function (req, res) {
res.send('c\'est ne une jsbin');
});
module.exports = app;
// Run a local development server if this file is called directly.
if (require.main === module) {
app.listen(3000);
}
|
Add support for serving static files and logging
|
Add support for serving static files and logging
|
JavaScript
|
mit
|
thsunmy/jsbin,jsbin/jsbin,filamentgroup/jsbin,mingzeke/jsbin,jwdallas/jsbin,kentcdodds/jsbin,jsbin/jsbin,knpwrs/jsbin,IvanSanchez/jsbin,martinvd/jsbin,blesh/jsbin,saikota/jsbin,pandoraui/jsbin,carolineartz/jsbin,dhval/jsbin,svacha/jsbin,mlucool/jsbin,dennishu001/jsbin,eggheadio/jsbin,Freeformers/jsbin,mcanthony/jsbin,ctide/jsbin,johnmichel/jsbin,eggheadio/jsbin,ctide/jsbin,arcseldon/jsbin,ilyes14/jsbin,y3sh/jsbin-fork,mingzeke/jsbin,francoisp/jsbin,AverageMarcus/jsbin,KenPowers/jsbin,Freeformers/jsbin,KenPowers/jsbin,IveWong/jsbin,late-warrior/jsbin,dedalik/jsbin,jasonsanjose/jsbin-app,yize/jsbin,nitaku/jervis,HeroicEric/jsbin,mlucool/jsbin,fend-classroom/jsbin,Hamcha/jsbin,saikota/jsbin,Hamcha/jsbin,simonThiele/jsbin,KenPowers/jsbin,mcanthony/jsbin,simonThiele/jsbin,jamez14/jsbin,yohanboniface/jsbin,dennishu001/jsbin,jamez14/jsbin,dedalik/jsbin,knpwrs/jsbin,pandoraui/jsbin,minwe/jsbin,knpwrs/jsbin,dhval/jsbin,francoisp/jsbin,yize/jsbin,carolineartz/jsbin,juliankrispel/jsbin,mdo/jsbin,peterblazejewicz/jsbin,IveWong/jsbin,fgrillo21/NPA-Exam,jasonsanjose/jsbin-app,ilyes14/jsbin,minwe/jsbin,fgrillo21/NPA-Exam,digideskio/jsbin,y3sh/jsbin-fork,AverageMarcus/jsbin,IvanSanchez/jsbin,johnmichel/jsbin,fend-classroom/jsbin,remotty/jsbin,vipulnsward/jsbin,HeroicEric/jsbin,vipulnsward/jsbin,thsunmy/jsbin,digideskio/jsbin,martinvd/jsbin,jwdallas/jsbin,arcseldon/jsbin,late-warrior/jsbin,svacha/jsbin,kirjs/jsbin,roman01la/jsbin,juliankrispel/jsbin,yohanboniface/jsbin,kirjs/jsbin,roman01la/jsbin,peterblazejewicz/jsbin,kentcdodds/jsbin,filamentgroup/jsbin
|
4390638b4674024c7abd266450916fbe4f78ea5a
|
prompts.js
|
prompts.js
|
'use strict';
var _ = require('lodash');
var prompts = [
{
type: 'input',
name: 'projectName',
message: 'Machine-name of your project?',
// Name of the parent directory.
default: _.last(process.cwd().split('/')),
validate: function (input) {
return (input.search(' ') === -1) ? true : 'No spaces allowed.';
}
},
{
type: 'list',
name: 'webserver',
message: 'Choose your webserver:',
choices: [
'apache',
'nginx',
'custom'
],
default: 'apache'
},
{
name: 'webImage',
message: 'Specify your webserver Docker image:',
default: 'phase2/apache24php55',
when: function(answers) {
return answers.webserver == 'custom';
},
validate: function(input) {
if (_.isString(input)) {
return true;
}
return 'A validate docker image identifier is required.';
}
}
];
module.exports = prompts;
|
'use strict';
var _ = require('lodash');
var prompts = [
{
type: 'input',
name: 'projectName',
message: 'Machine-name of your project?',
// Name of the parent directory.
default: _.last(process.cwd().split('/')),
validate: function (input) {
return (input.search(' ') === -1) ? true : 'No spaces allowed.';
}
},
{
type: 'list',
name: 'webserver',
message: 'Choose your webserver:',
choices: [
'apache',
'nginx',
'custom'
],
default: 'apache'
},
{
name: 'webImage',
message: 'Specify your webserver Docker image:',
default: 'phase2/apache24php55',
when: function(answers) {
return answers.webserver == 'custom';
},
validate: function(input) {
if (_.isString(input)) {
return true;
}
return 'A validate docker image identifier is required.';
}
},
{
type: 'list',
name: 'cacheInternal',
message: 'Choose a cache backend:',
default: 'memcache',
choices: [
'memcache',
'database'
]
}
];
module.exports = prompts;
|
Add support for memcache with Drupal config via override.settings.php.
|
Add support for memcache with Drupal config via override.settings.php.
|
JavaScript
|
mit
|
phase2/generator-outrigger-drupal,phase2/generator-outrigger-drupal,phase2/generator-outrigger-drupal
|
9c69add5dbeb82687180f0f225defbe8cc2f0553
|
shows/paste.js
|
shows/paste.js
|
function(doc, req) {
start({
"headers" : {
"Content-type": "text/html"
}
});
var Mustache = require("vendor/mustache");
var x = Mustache.to_html(this.templates.paste, doc);
return x;
}
|
function(doc, req) {
start({
"Content-type": "text/html; charset='utf-8'"
});
var Mustache = require("vendor/mustache");
Mustache.to_html(this.templates.paste, doc, null, send);
}
|
Use CouchDB send function when displaying the template
|
Use CouchDB send function when displaying the template
Also correct the start function which was wrong before.
|
JavaScript
|
mit
|
gdamjan/paste-couchapp
|
2aacce141e11e2e30f566cad900c9fa1f4234d2b
|
tests/dummy/app/routes/nodes/detail/draft-registrations.js
|
tests/dummy/app/routes/nodes/detail/draft-registrations.js
|
import Ember from 'ember';
export default Ember.Route.extend({
model() {
let node = this.modelFor('nodes.detail');
return node.get('draftRegistrations');
}
});
|
import Ember from 'ember';
export default Ember.Route.extend({
model() {
let node = this.modelFor('nodes.detail');
let drafts = node.get('draftRegistrations');
return Ember.RSVP.hash({
node: node,
drafts: drafts
});
},
});
|
Make both node and draft model available in draft template.
|
Make both node and draft model available in draft template.
|
JavaScript
|
apache-2.0
|
crcresearch/ember-osf,CenterForOpenScience/ember-osf,pattisdr/ember-osf,hmoco/ember-osf,baylee-d/ember-osf,hmoco/ember-osf,jamescdavis/ember-osf,CenterForOpenScience/ember-osf,pattisdr/ember-osf,chrisseto/ember-osf,binoculars/ember-osf,binoculars/ember-osf,cwilli34/ember-osf,jamescdavis/ember-osf,crcresearch/ember-osf,baylee-d/ember-osf,chrisseto/ember-osf,cwilli34/ember-osf
|
0ef49d43df60f47ba98979c19c1c10d9808d1443
|
web/static/js/query.js
|
web/static/js/query.js
|
App.QueryController = Ember.Controller.extend({
needs: ['insight'],
columnsBinding: "controllers.insight.columns",
limitBinding: "controllers.insight.limit",
_schema: Em.ArrayProxy.create({content:[]}),
_records: Em.ArrayProxy.create({content:[]}),
schema: function(){
this.execute();
return this._schema;
}.property(),
records: function(){
this.execute();
return this._records;
}.property(),
url: function(){
var cols = this.get('columns');
return "/json?limit=%@".fmt(this.get('limit')) +
(cols ? "&cols=%@".fmt(cols):"");
}.property("columns"),
execute: _.debounce(function(){
var self = this;
var array = [];
Ember.$.getJSON(this.get('url'), function(json) {
var schema = json.schema;
self.set('_schema.content', schema);
json.records.forEach(function(record,i){
var o = _.object(schema, record);
array.push(Em.Object.create(o));
});
self.set('_records.content', array);
});
return self;
},300).observes('url')
});
|
App.QueryController = Ember.Controller.extend({
needs: ['insight'],
orderBy: null,
where: null,
columnsBinding: "controllers.insight.columns",
limitBinding: "controllers.insight.limit",
whereBinding: "controllers.insight.where",
_schema: Em.ArrayProxy.create({content:[]}),
_records: Em.ArrayProxy.create({content:[]}),
schema: function(){
this.execute();
return this._schema;
}.property(),
records: function(){
this.execute();
return this._records;
}.property(),
url: function(){
var args = [
"limit=%@".fmt(this.get('limit')),
]
var limit = this.get('limit');
var orderBy = this.get('orderBy');
if(orderBy){
args.push('order_by=%@'.fmt(orderBy.join(' ')));
}
var cols = this.get('columns');
if(cols){
args.push("cols=%@".fmt(cols));
}
var where = this.get('where');
console.log(where)
if(where){
args.push("where=%@".fmt(where));
}
return "/json?" + args.join('&');
}.property("columns", "limit", "orderBy", "where"),
execute: _.debounce(function(){
var self = this;
var array = [];
Ember.$.getJSON(this.get('url'), function(json) {
var schema = json.schema;
self.set('_schema.content', schema);
json.records.forEach(function(record,i){
var o = _.object(schema, record);
array.push(Em.Object.create(o));
});
self.set('_records.content', array);
});
return self;
},300).observes('url')
});
|
Allow editing of filters, ordering and limits.
|
Allow editing of filters, ordering and limits.
|
JavaScript
|
mpl-2.0
|
mozilla/caravela,mozilla/caravela,mozilla/caravela,mozilla/caravela
|
1e28a1f64256b02c70d1534561760657c6076179
|
ui/app/common/authentication/directives/pncRequiresAuth.js
|
ui/app/common/authentication/directives/pncRequiresAuth.js
|
/*
* JBoss, Home of Professional Open Source.
* Copyright 2014 Red Hat, Inc., and individual contributors
* as indicated by the @author tags.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the 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.
*/
(function () {
'use strict';
var module = angular.module('pnc.common.authentication');
/**
* @ngdoc directive
* @name pnc.common.authentication:pncRequiresAuth
* @restrict A
* @description
* @example
* @author Alex Creasy
*/
module.directive('pncRequiresAuth', [
'authService',
function (authService) {
return {
restrict: 'A',
link: function (scope, elem, attrs) {
if (!authService.isAuthenticated()) {
attrs.$set('disabled', 'disabled');
attrs.$set('title', 'Log in to run this action');
elem.addClass('pointer-events-auto');
}
}
};
}
]);
})();
|
/*
* JBoss, Home of Professional Open Source.
* Copyright 2014 Red Hat, Inc., and individual contributors
* as indicated by the @author tags.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the 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.
*/
(function () {
'use strict';
var module = angular.module('pnc.common.authentication');
/**
* @ngdoc directive
* @name pnc.common.authentication:pncRequiresAuth
* @restrict A
* @description
* @example
* @author Alex Creasy
*/
module.directive('pncRequiresAuth', [
'authService',
function (authService) {
return {
restrict: 'A',
link: function (scope, elem, attrs) {
if (!authService.isAuthenticated()) {
attrs.$set('disabled', 'disabled');
attrs.$set('title', 'Log in to run this action');
attrs.$set('tooltip', ''); // hack to hide bootstrap tooltip in FF
elem.addClass('pointer-events-auto');
}
}
};
}
]);
})();
|
Add title when action buttons is disabled - FF fix
|
Add title when action buttons is disabled - FF fix
|
JavaScript
|
apache-2.0
|
jdcasey/pnc,jbartece/pnc,jsenko/pnc,alexcreasy/pnc,ruhan1/pnc,thauser/pnc,alexcreasy/pnc,jsenko/pnc,jbartece/pnc,dans123456/pnc,thescouser89/pnc,matejonnet/pnc,matedo1/pnc,jdcasey/pnc,ruhan1/pnc,rnc/pnc,jbartece/pnc,matedo1/pnc,matedo1/pnc,pkocandr/pnc,thauser/pnc,alexcreasy/pnc,project-ncl/pnc,jsenko/pnc,dans123456/pnc,thauser/pnc,jdcasey/pnc,dans123456/pnc,ruhan1/pnc
|
c530d6bee2bc659945b711c215b9f0368f0a8981
|
background.js
|
background.js
|
chrome.contextMenus.create(
{
"title": "Define \"%s\"",
"contexts":["selection"],
"onclick": function(info, tab){
chrome.tabs.create(
{url: "http://www.google.com/search?q=define" + encodeURIComponent(" " + info.selectionText)
});
}
});
|
chrome.contextMenus.create(
{
"title": "Define \"%s\"",
"contexts":["selection"],
"onclick": function(info, tab){
chrome.tabs.create(
{url: "http://www.google.com/search?q=define" + encodeURIComponent(" " + info.selectionText).replace(/%20/g, "+")
});
}
});
|
Improve the looks of the tab's URL by using "+" instead of "%20"
|
Improve the looks of the tab's URL by using "+" instead of "%20"
|
JavaScript
|
mit
|
nwjlyons/google-dictionary-lookup
|
608891cff627257521353d513397b01294bbf855
|
lib/logger.js
|
lib/logger.js
|
'use strict';
var path = require('path');
var winston = require('winston');
//
// Logging levels
//
var config = {
levels: {
silly: 0,
verbose: 1,
debug: 2,
info: 3,
warn: 4,
error: 5
},
colors: {
silly: 'magenta',
verbose: 'cyan',
debug: 'blue',
info: 'green',
warn: 'yellow',
error: 'red'
}
};
var logger = module.exports = function(label) {
label = path.relative(__dirname, label);
var debug = true;
if (process.env.DEBUG !== undefined) {
debug = process.env.DEBUG === 'true';
}
return new (winston.Logger)({
transports: [
new (winston.transports.Console)({
level: 'silly',
silent: !debug,
label: label,
colorize: true,
debug: false
})
],
levels: config.levels,
colors: config.colors
});
};
|
'use strict';
var path = require('path');
var winston = require('winston');
//
// Logging levels
//
var config = {
levels: {
silly: 0,
verbose: 1,
debug: 2,
info: 3,
warn: 4,
error: 5
},
colors: {
silly: 'magenta',
verbose: 'cyan',
debug: 'blue',
info: 'green',
warn: 'yellow',
error: 'red'
}
};
var logger = module.exports = function(label) {
label = path.relative(__dirname, label);
var debug = false;
if (process.env.DEBUG !== undefined) {
debug = process.env.DEBUG === 'true';
}
return new (winston.Logger)({
transports: [
new (winston.transports.Console)({
level: 'silly',
silent: !debug,
label: label,
colorize: true,
debug: false
})
],
levels: config.levels,
colors: config.colors
});
};
|
Disable debug mode by default
|
Disable debug mode by default
|
JavaScript
|
apache-2.0
|
mwaylabs/mcap-cli
|
e5e82e6af9505c9f5a04a8acbe8170349faf80b7
|
modules/openlmis-web/src/main/webapp/public/js/shared/directives/angular-flot.js
|
modules/openlmis-web/src/main/webapp/public/js/shared/directives/angular-flot.js
|
/**
* Created with IntelliJ IDEA.
* User: issa
* Date: 2/10/14
* Time: 1:18 AM
*/
app.directive('aFloat', function() {
function link(scope, element, attrs){
scope.$watch('afData', function(){
init(scope.afData,scope.afOption);
});
scope.$watch('afOption', function(){
init(scope.afData,scope.afOption);
});
function init(o,d){
var totalWidth = element.width(), totalHeight = element.height();
if (totalHeight === 0 || totalWidth === 0) {
throw new Error('Please set height and width for the aFloat element'+'width is '+ele);
}
if(element.is(":visible") && !isUndefined(d)){
$.plot(element, o , d);
}
}
}
return {
restrict: 'EA',
template: '<div></div>',
link: link,
replace:true,
scope: {
afOption: '=',
afData: '='
}
};
});
|
/**
* Created with IntelliJ IDEA.
* User: issa
* Date: 2/10/14
* Time: 1:18 AM
*/
app.directive('aFloat', function() {
function link(scope, element, attrs){
scope.$watch('afData', function(){
init(scope.afData,scope.afOption);
});
scope.$watch('afOption', function(){
init(scope.afData,scope.afOption);
});
function init(o,d){
var totalWidth = element.width(), totalHeight = element.height();
if (totalHeight === 0 || totalWidth === 0) {
throw new Error('Please set height and width for the aFloat element'+'width is '+element);
}
if(element.is(":visible") && !isUndefined(d) && !isUndefined(o)){
$.plot(element, o , d);
}
}
}
return {
restrict: 'EA',
template: '<div></div>',
link: link,
replace:true,
scope: {
afOption: '=',
afData: '='
}
};
});
|
Fix angular jqflot integration error
|
Fix angular jqflot integration error
|
JavaScript
|
agpl-3.0
|
OpenLMIS/open-lmis,jasolangi/jasolangi.github.io,jasolangi/jasolangi.github.io,USAID-DELIVER-PROJECT/elmis,OpenLMIS/open-lmis,vimsvarcode/elmis,vimsvarcode/elmis,vimsvarcode/elmis,kelvinmbwilo/vims,vimsvarcode/elmis,jasolangi/jasolangi.github.io,USAID-DELIVER-PROJECT/elmis,kelvinmbwilo/vims,vimsvarcode/elmis,kelvinmbwilo/vims,OpenLMIS/open-lmis,USAID-DELIVER-PROJECT/elmis,USAID-DELIVER-PROJECT/elmis,kelvinmbwilo/vims,OpenLMIS/open-lmis
|
596710cc1308f0da187aca5f3cbe4f0b39a478a6
|
frontend/Components/Dashboard.style.js
|
frontend/Components/Dashboard.style.js
|
const u = require('../styles/utils');
module.exports = {
'.dashboard': {
'padding': u.inRem(20),
},
'.dashboard’s-title': {
'font-size': u.inRem(40),
'line-height': u.inRem(40),
},
'.dashboard’s-subtitle': {
'font-size': u.inRem(12),
'text-transform': 'uppercase',
'letter-spacing': '0.2em',
},
};
|
const u = require('../styles/utils');
const dashboardPadding = 20;
const categoryBorderWidth = 1;
const categoryBorder =
`${categoryBorderWidth}px solid rgba(255, 255, 255, .2)`;
module.exports = {
'.dashboard': {
'padding': u.inRem(dashboardPadding),
},
'.dashboard’s-title': {
'font-size': u.inRem(40),
'line-height': u.inRem(40),
},
'.dashboard’s-subtitle': {
'font-size': u.inRem(12),
'text-transform': 'uppercase',
'letter-spacing': '0.2em',
},
'.dashboard’s-categories': {
'list-style-type': 'none',
'padding-top': u.inRem(40),
'margin': `0 ${u.inRem(-dashboardPadding)}`,
'border-bottom': categoryBorder,
},
'.dashboard’s-category': {
'line-height': u.inRem(40),
'padding': [
u.inRem(10 - categoryBorderWidth / 2),
u.inRem(20),
].join(' '),
'border-top': categoryBorder,
},
};
|
Make categories a bit prettier
|
Make categories a bit prettier
|
JavaScript
|
mit
|
magnificat/magnificat.surge.sh,magnificat/magnificat.surge.sh,magnificat/magnificat.surge.sh
|
96507503d52fef205e9462de3bdcd7d38f18c453
|
lib/routes.js
|
lib/routes.js
|
Router.configure({
layoutTemplate: '_layout'
});
//From what I can tell this has been depreciated
//https://github.com/iron-meteor/iron-router/blob/739bcc1445db3ad6bf90bda4e0cab3203a0ae526/lib/router.js#L88
Router.map(function() {
// initiative routes
this.route('initiatives', {
path: '/',
template: 'initiatives',
data: function() {
return {
userData: Meteor.subscribe("userData"),
initiatives: Initiatives.find({}, {sort: {votes: -1}})
}
}
});
this.route('initiative', {
path: '/initiative/:_id',
template: 'initiativeShow',
data: function () {
return {
initiative: Initiatives.findOne(this.params._id)
}
}
});
this.route('profile', {
path: '/profile',
template: 'profileShow',
data: function() {
return {
profile: Meteor.user()
}
}
})
// login routes
this.route('login', {
path: '/login',
template: 'publicLogin'
});
this.route('about');
});
|
Router.configure({
layoutTemplate: '_layout'
});
//From what I can tell this has been depreciated
//https://github.com/iron-meteor/iron-router/blob/739bcc1445db3ad6bf90bda4e0cab3203a0ae526/lib/router.js#L88
Router.map(function() {
// initiative routes
this.route('initiatives', {
path: '/',
template: 'initiatives',
data: function() {
return {
userData: Meteor.subscribe("userData"),
initiatives: Initiatives.find({}, {sort: {votes: -1}})
}
}
});
this.route('initiative', {
path: '/initiative/:_id',
template: 'initiativeShow',
data: function () {
return {
userData: Meteor.subscribe("userData"),
initiative: Initiatives.findOne(this.params._id)
}
}
});
this.route('profile', {
path: '/profile',
template: 'profileShow',
data: function() {
return {
profile: Meteor.user()
}
}
})
// login routes
this.route('login', {
path: '/login',
template: 'publicLogin'
});
this.route('about');
});
|
Fix initiativeShow to subscribe to userData
|
Fix initiativeShow to subscribe to userData
|
JavaScript
|
mit
|
mtr-cherish/cherish,mtr-cherish/cherish
|
2e357b2fd8d384047a98a2d13f074c378c6c7cbb
|
src/background/settings.js
|
src/background/settings.js
|
/**
* Incomplete type for settings in the `settings.json` file.
*
* This contains only the settings that the background script uses. Other
* settings are used when generating the `manifest.json` file.
*
* @typedef Settings
* @prop {string} apiUrl
* @prop {string} buildType
* @prop {{ dsn: string, release: string }} [raven]
* @prop {string} serviceUrl
*/
// nb. This will error if the build has not been run yet.
import settings from '../../build/settings.json';
/**
* Configuration data for the extension.
*/
export default /** @type {Settings} */ ({
...settings,
// Ensure API url does not end with '/'
apiUrl: settings.apiUrl.replace(/\/^/, ''),
});
|
/**
* Incomplete type for settings in the `settings.json` file.
*
* This contains only the settings that the background script uses. Other
* settings are used when generating the `manifest.json` file.
*
* @typedef Settings
* @prop {string} apiUrl
* @prop {string} buildType
* @prop {{ dsn: string, release: string }} [raven]
* @prop {string} serviceUrl
*/
// nb. This will error if the build has not been run yet.
import settings from '../../build/settings.json';
/**
* Configuration data for the extension.
*/
export default /** @type {Settings} */ ({
...settings,
// Ensure API url does not end with '/'
apiUrl: settings.apiUrl.replace(/\/$/, ''),
});
|
Correct regex pattern in the replace
|
Correct regex pattern in the replace
I believe the intention is to strip out the last `/` character, if any
(as the comment say).
|
JavaScript
|
bsd-2-clause
|
hypothesis/browser-extension,hypothesis/browser-extension,hypothesis/browser-extension,hypothesis/browser-extension
|
4fead2fa52d33a187879371f2cb5b9af2ad2aa14
|
api/routes/houseRoutes.js
|
api/routes/houseRoutes.js
|
'use strict'
var passport = require('passport')
module.exports = function(app) {
var house = require('../controllers/houseController')
app.route('/houses')
.get(house.list_all_houses)
.post(passport.authenticate('jwt', {
session: false
}),
function(req, res) {
var token = getToken(req.headers)
if (token) {
console.log("Creates a house: " + req.user)
house.create_a_house(req, res)
} else {
return res.status(403).send({
success: false,
message: 'Unauthorized.'
})
}
})
app.route('/houses/:houseId')
.get(house.read_a_house)
.put(house.update_a_house)
.delete(house.delete_a_house)
}
const getToken = (headers) => {
if (headers && headers.authorization) {
var parted = headers.authorization.split(' ')
if (parted.length === 2) {
return parted[1]
} else {
return null
}
} else {
return null
}
}
|
'use strict'
var passport = require('passport')
module.exports = function(app) {
var house = require('../controllers/houseController')
var versioning = require('../config/versioning')
app.route(versioning.url + '/houses')
.get(house.list_all_houses)
.post(passport.authenticate('jwt', {
session: false
}),
function(req, res) {
var token = getToken(req.headers)
if (token) {
// User from token is at req.user
house.create_a_house(req, res)
} else {
return res.status(403).send({
success: false,
message: 'Unauthorized.'
})
}
})
app.route(versioning.url + '/houses/:houseId')
.get(house.read_a_house)
.put(house.update_a_house)
.delete(house.delete_a_house)
}
// JWT approach of getting token from request headers
const getToken = (headers) => {
if (headers && headers.authorization) {
var parted = headers.authorization.split(' ')
if (parted.length === 2) {
return parted[1]
} else {
return null
}
} else {
return null
}
}
|
Add API versioning for House endpoints.
|
Add API versioning for House endpoints.
|
JavaScript
|
apache-2.0
|
sotirelisc/housebot-api
|
c1941e8deb1011fcda896467dea65f2a1a067bcd
|
app/libs/details/index.js
|
app/libs/details/index.js
|
'use strict';
module.exports = {
get: function(task) {
return new Promise((resolve, reject) => {
// Check type
if ( task.type === undefined || ! ['show', 'move'].includes(task.type) ) {
return reject('Invalid job type "' + task.type + '" specified');
}
// Get metadata, auth with trakt and get media information
this.metadata.get(task.file).then((meta) => {
task.meta = meta;
return this[task.type](task.basename);
}).then((info) => {
task.details = info;
return resolve(task);
}).catch((err) => {
return reject(err);
});
});
},
metadata: require('./metadata'),
show: require('./show'),
movie: require('./movie')
};
|
'use strict';
// Load requirements
const fs = require('fs'),
path = require('path');
// Define the config directory
let configDir = path.resolve('./config');
// Create config directory if we don't have one
if ( ! fs.existsSync(configDir) ) {
fs.mkdirSync(configDir);
}
module.exports = {
get: function(task) {
return new Promise((resolve, reject) => {
// Check type
if ( task.type === undefined || ! ['show', 'move'].includes(task.type) ) {
return reject('Invalid job type "' + task.type + '" specified');
}
// Get metadata, auth with trakt and get media information
this.metadata.get(task.file).then((meta) => {
task.meta = meta;
return this[task.type](task.basename);
}).then((info) => {
task.details = info;
return resolve(task);
}).catch((err) => {
return reject(err);
});
});
},
metadata: require('./metadata'),
show: require('./show'),
movie: require('./movie')
};
|
Create config directory if not present
|
WIP: Create config directory if not present
|
JavaScript
|
apache-2.0
|
transmutejs/core
|
4b534e9a9412d28c5a5e741287c0153af2286c2f
|
addons/graphql/src/preview.js
|
addons/graphql/src/preview.js
|
import React from 'react';
import GraphiQL from 'graphiql';
import { fetch } from 'global';
import 'graphiql/graphiql.css';
import FullScreen from './components/FullScreen';
const FETCH_OPTIONS = {
method: 'post',
headers: { 'Content-Type': 'application/json' },
};
function getDefautlFetcher(url) {
return params => {
const body = JSON.stringify(params);
const options = Object.assign({ body }, FETCH_OPTIONS);
return fetch(url, options).then(res => res.json());
};
}
function reIndentQuery(query) {
const lines = query.split('\n');
const spaces = lines[lines.length - 1].length - 1;
return lines.map((l, i) => (i === 0 ? l : l.slice(spaces)).join('\n'));
}
export function setupGraphiQL(config) {
return (_query, variables = '{}') => {
const query = reIndentQuery(_query);
const fetcher = config.fetcher || getDefautlFetcher(config.url);
return () =>
<FullScreen>
<GraphiQL query={query} variables={variables} fetcher={fetcher} />
</FullScreen>;
};
}
|
import React from 'react';
import GraphiQL from 'graphiql';
import { fetch } from 'global';
import 'graphiql/graphiql.css';
import FullScreen from './components/FullScreen';
const FETCH_OPTIONS = {
method: 'post',
headers: { 'Content-Type': 'application/json' },
};
function getDefautlFetcher(url) {
return params => {
const body = JSON.stringify(params);
const options = Object.assign({ body }, FETCH_OPTIONS);
return fetch(url, options).then(res => res.json());
};
}
function reIndentQuery(query) {
const lines = query.split('\n');
const spaces = lines[lines.length - 1].length - 1;
return lines.map((l, i) => (i === 0 ? l : l.slice(spaces))).join('\n');
}
export function setupGraphiQL(config) {
return (_query, variables = '{}') => {
const query = reIndentQuery(_query);
const fetcher = config.fetcher || getDefautlFetcher(config.url);
return () =>
<FullScreen>
<GraphiQL query={query} variables={variables} fetcher={fetcher} />
</FullScreen>;
};
}
|
Fix bug in addons/graphql in reIndentQuery
|
Fix bug in addons/graphql in reIndentQuery
|
JavaScript
|
mit
|
enjoylife/storybook,storybooks/storybook,rhalff/storybook,jribeiro/storybook,nfl/react-storybook,jribeiro/storybook,storybooks/react-storybook,storybooks/storybook,storybooks/storybook,rhalff/storybook,enjoylife/storybook,nfl/react-storybook,jribeiro/storybook,nfl/react-storybook,kadirahq/react-storybook,storybooks/storybook,rhalff/storybook,rhalff/storybook,enjoylife/storybook,nfl/react-storybook,rhalff/storybook,enjoylife/storybook,storybooks/storybook,storybooks/react-storybook,storybooks/react-storybook,storybooks/storybook,storybooks/react-storybook,kadirahq/react-storybook,rhalff/storybook,storybooks/storybook,jribeiro/storybook
|
1208ee980cf3e5b3c2c847c2a8d27b4ec7207f0f
|
client/src/js/samples/components/Analyses/Create.js
|
client/src/js/samples/components/Analyses/Create.js
|
import React, { PropTypes } from "react";
import { Modal } from "react-bootstrap";
import { AlgorithmSelect, Button } from "virtool/js/components/Base";
const getInitialState = () => ({
algorithm: "pathoscope_bowtie"
});
export default class CreateAnalysis extends React.Component {
constructor (props) {
super(props);
this.state = getInitialState();
}
static propTypes = {
show: PropTypes.bool,
sampleId: PropTypes.string,
onSubmit: PropTypes.func
};
handleSubmit = (event) => {
event.preventDefault();
this.props.onSubmit(this.props.sampleId, this.state.algorithm);
this.onHide();
};
render = () => (
<Modal show={this.props.show} onHide={this.props.onHide} onExited={() => this.setState(getInitialState())}>
<Modal.Header>
New Analysis
</Modal.Header>
<form onSubmit={this.handleSubmit}>
<Modal.Body>
<div className="toolbar">
<AlgorithmSelect
value={this.state.algorithm}
onChange={(e) => this.setState({algorithm: e.target.value})}
/>
</div>
</Modal.Body>
<Modal.Footer>
<Button
type="submit"
bsStyle="primary"
icon="play"
>
Start
</Button>
</Modal.Footer>
</form>
</Modal>
);
}
|
import React, { PropTypes } from "react";
import { Modal } from "react-bootstrap";
import { AlgorithmSelect, Button } from "virtool/js/components/Base";
const getInitialState = () => ({
algorithm: "pathoscope_bowtie"
});
export default class CreateAnalysis extends React.Component {
constructor (props) {
super(props);
this.state = getInitialState();
}
static propTypes = {
show: PropTypes.bool,
sampleId: PropTypes.string,
onSubmit: PropTypes.func,
onHide: PropTypes.func
};
handleSubmit = (event) => {
event.preventDefault();
this.props.onSubmit(this.props.sampleId, this.state.algorithm);
this.props.onHide();
};
render = () => (
<Modal show={this.props.show} onHide={this.props.onHide} onExited={() => this.setState(getInitialState())}>
<Modal.Header>
New Analysis
</Modal.Header>
<form onSubmit={this.handleSubmit}>
<Modal.Body>
<div className="toolbar">
<AlgorithmSelect
value={this.state.algorithm}
onChange={(e) => this.setState({algorithm: e.target.value})}
/>
</div>
</Modal.Body>
<Modal.Footer>
<Button
type="submit"
bsStyle="primary"
icon="play"
>
Start
</Button>
</Modal.Footer>
</form>
</Modal>
);
}
|
Hide create analysis modal on success
|
Hide create analysis modal on success
|
JavaScript
|
mit
|
igboyes/virtool,igboyes/virtool,virtool/virtool,virtool/virtool
|
3d81d8597aec5d77525edf6b479e02317b75ca36
|
app/dashboard/routes/importer/helper/determine_path.js
|
app/dashboard/routes/importer/helper/determine_path.js
|
var slugify = require('./slugify');
var join = require('path').join;
var moment = require('moment');
module.exports = function (title, page, draft, dateStamp) {
var relative_path_without_extension;
var slug = slugify(title);
var name = name || slug;
name = name.split('/').join('-');
if (page) {
relative_path_without_extension = join('Pages', name);
} else if (draft) {
relative_path_without_extension = join('Drafts', name);
} else {
relative_path_without_extension = join(moment(dateStamp).format('YYYY'), moment(dateStamp).format('MM') + '-' + moment(dateStamp).format('DD') + '-' + name);
}
return relative_path_without_extension;
};
|
var slugify = require("./slugify");
var join = require("path").join;
var moment = require("moment");
module.exports = function(title, page, draft, dateStamp, slug) {
var relative_path_without_extension;
var name;
slug = slugify(title || slug);
name = name || slug;
name = name.split("/").join("-");
if (page) {
relative_path_without_extension = join("Pages", name);
} else if (draft) {
relative_path_without_extension = join("Drafts", name);
} else {
relative_path_without_extension = join(
moment(dateStamp).format("YYYY"),
moment(dateStamp).format("MM") +
"-" +
moment(dateStamp).format("DD") +
"-" +
name
);
}
return relative_path_without_extension;
};
|
Allow optional slug in function which determines an imported entry's path
|
Allow optional slug in function which determines an imported entry's path
|
JavaScript
|
cc0-1.0
|
davidmerfield/Blot,davidmerfield/Blot,davidmerfield/Blot,davidmerfield/Blot
|
62ddd0bc9c88d199090089d5506d4894dc5d8737
|
Resources/ui/handheld/android/ResponsesNewWindow.js
|
Resources/ui/handheld/android/ResponsesNewWindow.js
|
function ResponsesNewWindow(surveyID) {
try {
var ResponsesIndexView = require('ui/common/responses/ResponsesIndexView');
var ResponsesNewView = require('ui/common/responses/ResponsesNewView');
var ConfirmDialog = require('ui/common/components/ConfirmDialog');
var self = Ti.UI.createWindow({
navBarHidden : true,
backgroundColor : "#fff"
});
var view = new ResponsesNewView(surveyID);
self.add(view);
view.addEventListener('ResponsesNewView:savedResponse', function() {
Ti.App.fireEvent('ResponseNewWindow:closed');
view.cleanup();
view = null;
self.close();
});
var confirmDialog = new ConfirmDialog(L("confirm"), L("confirm_clear_answers"), onConfirm = function(e) {
view.cleanup();
view = null;
self.close();
});
self.addEventListener('android:back', function() {
confirmDialog.show();
});
return self;
}
catch(e) {
var auditor = require('helpers/Auditor');
auditor.writeIntoAuditFile(arguments.callee.name + " - " + e.toString());
}
}
module.exports = ResponsesNewWindow;
|
function ResponsesNewWindow(surveyID) {
try {
var ResponsesIndexView = require('ui/common/responses/ResponsesIndexView');
var ResponsesNewView = require('ui/common/responses/ResponsesNewView');
var ConfirmDialog = require('ui/common/components/ConfirmDialog');
var self = Ti.UI.createWindow({
navBarHidden : true,
backgroundColor : "#fff"
});
var view = new ResponsesNewView(surveyID);
self.add(view);
view.addEventListener('ResponsesNewView:savedResponse', function() {
Ti.App.fireEvent('ResponseNewWindow:closed');
view.cleanup();
view = null;
self.close();
});
var confirmDialog = new ConfirmDialog(L("confirm"), L("confirm_clear_answers"), onConfirm = function(e) {
if(view) {
view.cleanup();
}
view = null;
self.close();
});
self.addEventListener('android:back', function() {
confirmDialog.show();
});
return self;
}
catch(e) {
var auditor = require('helpers/Auditor');
auditor.writeIntoAuditFile(arguments.callee.name + " - " + e.toString());
}
}
module.exports = ResponsesNewWindow;
|
Add a guard clause to ResponseNewWindow
|
Add a guard clause to ResponseNewWindow
|
JavaScript
|
mit
|
nilenso/ashoka-survey-mobile,nilenso/ashoka-survey-mobile
|
fc112a5d2fe9418150c15740b297e2c74af72ab2
|
lib/VideoCapture.js
|
lib/VideoCapture.js
|
// This module is responsible for capturing videos
'use strict';
const config = require('config');
const PiCamera = require('pi-camera');
const myCamera = new PiCamera({
mode: 'video',
output: process.argv[2],
width: config.get('camera.videoWidth'),
height: config.get('camera.videoHeight'),
timeout: config.get('camera.videoTimeout'),
nopreview: true,
});
process.on('message', (message) => {
if (message.cmd === 'set') {
myCamera.config = Object.assign(myCamera.config, message.set);
}
else if (message.cmd === 'capture') {
myCamera.record()
.then((result) => process.send({
response: 'success',
result,
error: null,
}))
.catch((error) => process.send({
response: 'failure',
error,
}));
}
});
|
// This module is responsible for capturing videos
'use strict';
const config = require('config');
const PiCamera = require('pi-camera');
const myCamera = new PiCamera({
mode: 'video',
output: process.argv[2],
width: config.get('camera.videoWidth'),
height: config.get('camera.videoHeight'),
timeout: config.get('camera.videoTimeout'),
nopreview: true,
});
process.on('message', (message) => {
if (message.cmd === 'set') {
myCamera.config = Object.assign(myCamera.config, message.set);
}
else if (message.cmd === 'capture') {
setTimeout(() => {
myCamera.record()
.then((result) => process.send({
response: 'success',
result,
error: null,
}))
.catch((error) => process.send({
response: 'failure',
error,
}));
}, 500);
}
});
|
Add minor delay to video capture. Hopefully this helps the camera moduel keep up.
|
Add minor delay to video capture. Hopefully this helps the camera moduel keep up.
|
JavaScript
|
mit
|
stetsmando/pi-motion-detection
|
e6516d3ef113bb35bcee5fd199ab06d14ca3f036
|
src/main/webapp/styles.js
|
src/main/webapp/styles.js
|
const propertiesReader = require("properties-reader");
const defaults = {
"primary-color": "#1890ff",
"info-color": "#1890ff",
"link-color": "#1890ff",
"font-size-base": "14px",
"border-radius-base": "2px",
};
function formatAntStyles() {
const custom = {};
const re = /styles.ant.([\w+-]*)/;
try {
const properties = propertiesReader("/etc/irida/irida.conf");
properties.each((key, value) => {
const found = key.match(re);
if (found) {
custom[found[1]] = value;
}
});
} catch (e) {
console.log("No styles in `/etc/irida/irida.conf`");
}
return Object.assign({}, defaults, custom);
}
module.exports = { formatAntStyles };
|
const propertiesReader = require("properties-reader");
const fs = require("fs");
const defaults = {
"primary-color": "#1890ff",
"info-color": "#1890ff",
"link-color": "#1890ff",
"font-size-base": "14px",
"border-radius-base": "2px",
};
const iridaConfig = "/etc/irida/irida.conf";
const propertiesConfig = "../resources/configuration.properties";
function formatAntStyles() {
const colourProperties = {};
const re = /styles.ant.([\w+-]*)/;
try {
if (fs.existsSync(propertiesConfig)) {
const properties = propertiesReader(propertiesConfig);
properties.each((key, value) => {
const found = key.match(re);
if (found) {
colourProperties[found[1]] = value;
}
});
}
if (fs.existsSync(iridaConfig)) {
const properties = propertiesReader(iridaConfig);
properties.each((key, value) => {
const found = key.match(re);
if (found) {
colourProperties[found[1]] = value;
}
});
}
} catch (e) {
console.log("No styles in `/etc/irida/irida.conf`");
}
return Object.assign({}, defaults, colourProperties);
}
module.exports = { formatAntStyles };
|
Check to see what values are in which file.
|
Check to see what values are in which file.
|
JavaScript
|
apache-2.0
|
phac-nml/irida,phac-nml/irida,phac-nml/irida,phac-nml/irida,phac-nml/irida,phac-nml/irida,phac-nml/irida,phac-nml/irida
|
f998f5fe7aedb8e33a81727c8371b690a698c73b
|
src/browser.js
|
src/browser.js
|
/*
*
* This is used to build the bundle with browserify.
*
* The bundle is used by people who doesn't use browserify.
* Those who use browserify will install with npm and require the module,
* the package.json file points to index.js.
*/
import Auth0Lock from './classic';
import Auth0LockPasswordless from './passwordless';
global.window.Auth0Lock = Auth0Lock;
global.window.Auth0LockPasswordless = Auth0LockPasswordless;
//use amd or just throught to window object.
if (typeof global.window.define == 'function' && global.window.define.amd) {
global.window.define('auth0Lock', function () { return Auth0Lock; });
global.window.define('auth0LockPasswordless', function () { return Auth0LockPasswordless; });
} else if (global.window) {
global.window.Auth0Lock = Auth0Lock;
global.window.Auth0LockPasswordless = Auth0LockPasswordless;
}
|
/*
*
* This is used to build the bundle with browserify.
*
* The bundle is used by people who doesn't use browserify.
* Those who use browserify will install with npm and require the module,
* the package.json file points to index.js.
*/
import Auth0Lock from './classic';
// import Auth0LockPasswordless from './passwordless';
global.window.Auth0Lock = Auth0Lock;
// global.window.Auth0LockPasswordless = Auth0LockPasswordless;
//use amd or just throught to window object.
if (typeof global.window.define == 'function' && global.window.define.amd) {
global.window.define('auth0Lock', function () { return Auth0Lock; });
// global.window.define('auth0LockPasswordless', function () { return Auth0LockPasswordless; });
} else if (global.window) {
global.window.Auth0Lock = Auth0Lock;
// global.window.Auth0LockPasswordless = Auth0LockPasswordless;
}
|
Exclude passwordless stuff from build
|
Exclude passwordless stuff from build
|
JavaScript
|
mit
|
mike-casas/lock,mike-casas/lock,mike-casas/lock
|
0458bfe4e4fbe287049722f4efa46df1fa2be52f
|
lib/js/SetBased/Abc/Core/Page/CorePage.js
|
lib/js/SetBased/Abc/Core/Page/CorePage.js
|
/*jslint browser: true, single: true, maxlen: 120, eval: true, white: true */
/*global define */
/*global set_based_abc_inline_js*/
//----------------------------------------------------------------------------------------------------------------------
define(
'SetBased/Abc/Core/Page/CorePage',
['jquery',
'SetBased/Abc/Page/Page',
'SetBased/Abc/Core/InputTable',
'SetBased/Abc/Table/OverviewTablePackage',
'SetBased/Abc/Form/FormPackage'],
function ($, Page, InputTable, OverviewTable, Form) {
'use strict';
//------------------------------------------------------------------------------------------------------------------
$('form').submit(InputTable.setCsrfValue);
Form.registerForm('form');
InputTable.registerTable('form');
Page.enableDatePicker();
OverviewTable.registerTable('.overview_table');
$('.icon_action').click(Page.showConfirmMessage);
if (window.hasOwnProperty('set_based_abc_inline_js')) {
eval(set_based_abc_inline_js);
}
//------------------------------------------------------------------------------------------------------------------
}
);
//----------------------------------------------------------------------------------------------------------------------
|
/*jslint browser: true, single: true, maxlen: 120, eval: true, white: true */
/*global define */
/*global set_based_abc_inline_js*/
//----------------------------------------------------------------------------------------------------------------------
define(
'SetBased/Abc/Core/Page/CorePage',
['jquery',
'SetBased/Abc/Page/Page',
'SetBased/Abc/Core/InputTable',
'SetBased/Abc/Table/OverviewTablePackage',
'SetBased/Abc/Form/FormPackage'],
function ($, Page, InputTable, OverviewTable, Form) {
'use strict';
//------------------------------------------------------------------------------------------------------------------
$('form').submit(InputTable.setCsrfValue);
Form.registerForm('form');
InputTable.registerTable('form');
Page.enableDatePicker();
OverviewTable.registerTable('.overview-table');
$('.icon_action').click(Page.showConfirmMessage);
if (window.hasOwnProperty('set_based_abc_inline_js')) {
eval(set_based_abc_inline_js);
}
//------------------------------------------------------------------------------------------------------------------
}
);
//----------------------------------------------------------------------------------------------------------------------
|
Align with changes in OverviewTable.
|
Align with changes in OverviewTable.
|
JavaScript
|
mit
|
SetBased/php-abc-core,SetBased/php-abc-core
|
2ddf6d6222e6c0fa6f6b29665b90a2ba6fbd5d0f
|
src/app/libparsio/technical/services/update.service.js
|
src/app/libparsio/technical/services/update.service.js
|
/*
* Author: Alexandre Havrileck (Oxyno-zeta)
* Date: 25/06/16
* Licence: See Readme
*/
(function () {
'use strict';
angular
.module('libparsio.technical.services')
.factory('updateService', updateService);
/** @ngInject */
function updateService($q, updateDaoService, updateWrapperService, updateCacheService) {
var service = {
initialize: initialize
};
return service;
////////////////
/* ************************************* */
/* ******** PRIVATE FUNCTIONS ******** */
/* ************************************* */
/* ************************************* */
/* ******** PUBLIC FUNCTIONS ******** */
/* ************************************* */
/**
* Initialize.
*/
function initialize() {
var promises = [];
promises.push(updateDaoService.getReleases());
promises.push(updateWrapperService.getAppVersion());
$q.all(promises).then(function(response){
var release = response[0];
//var appVersion = response[1];
var appVersion = '0.1.0';
var version = updateWrapperService.clean(release['tag_name']);
// Check if version if greater than actual
var isGreaterThan = updateWrapperService.isGreaterThan(version, appVersion);
if (isGreaterThan){
updateCacheService.putAllData(true, version);
}
});
}
}
})();
|
/*
* Author: Alexandre Havrileck (Oxyno-zeta)
* Date: 25/06/16
* Licence: See Readme
*/
(function () {
'use strict';
angular
.module('libparsio.technical.services')
.factory('updateService', updateService);
/** @ngInject */
function updateService($q, updateDaoService, updateWrapperService, updateCacheService) {
var service = {
initialize: initialize
};
return service;
////////////////
/* ************************************* */
/* ******** PRIVATE FUNCTIONS ******** */
/* ************************************* */
/* ************************************* */
/* ******** PUBLIC FUNCTIONS ******** */
/* ************************************* */
/**
* Initialize.
*/
function initialize() {
var promises = [];
promises.push(updateDaoService.getReleases());
promises.push(updateWrapperService.getAppVersion());
$q.all(promises).then(function(response){
var release = response[0];
var appVersion = response[1];
var version = updateWrapperService.clean(release['tag_name']);
// Check if version if greater than actual
var isGreaterThan = updateWrapperService.isGreaterThan(version, appVersion);
if (isGreaterThan){
updateCacheService.putAllData(true, version);
}
});
}
}
})();
|
Remove mock version in code
|
[App] Remove mock version in code
|
JavaScript
|
mit
|
oxyno-zeta/LibParsio,oxyno-zeta/LibParsio
|
74b84e2aa981ed9d8972afa97b998c8110a6dc6e
|
packages/net/__imports__.js
|
packages/net/__imports__.js
|
exports.map = {
'node': ['net.env.node.stdio'],
'browser': ['net.env.browser.csp'],
'mobile': []
}
exports.resolve = function(env, opts) {
return exports.map[env] || [];
};
|
exports.map = {
'node': [
'net.env.node.stdio'
],
'browser': [
'net.env.browser.csp',
'net.env.browser.postmessage'
],
'mobile': []
}
exports.resolve = function(env, opts) {
return exports.map[env] || [];
};
|
Fix for missing dynamic import
|
Fix for missing dynamic import
|
JavaScript
|
mit
|
hashcube/js.io,hashcube/js.io,gameclosure/js.io,gameclosure/js.io
|
f390c9257874452e2a7e2aa918502a713d7ea4e2
|
app/assets/javascripts/discourse/views/topic_footer_buttons_view.js
|
app/assets/javascripts/discourse/views/topic_footer_buttons_view.js
|
/**
This view is used for rendering the buttons at the footer of the topic
@class TopicFooterButtonsView
@extends Discourse.ContainerView
@namespace Discourse
@module Discourse
**/
Discourse.TopicFooterButtonsView = Discourse.ContainerView.extend({
elementId: 'topic-footer-buttons',
topicBinding: 'controller.content',
init: function() {
this._super();
this.createButtons();
},
// Add the buttons below a topic
createButtons: function() {
var topic = this.get('topic');
if (Discourse.User.current()) {
if (!topic.get('isPrivateMessage')) {
// We hide some controls from private messages
if (this.get('topic.details.can_invite_to')) {
this.attachViewClass(Discourse.InviteReplyButton);
}
this.attachViewClass(Discourse.StarButton);
this.attachViewClass(Discourse.ShareButton);
this.attachViewClass(Discourse.ClearPinButton);
if (this.get('topic.details.can_flag_topic')) {
this.attachViewClass(Discourse.FlagTopicButton);
}
}
if (this.get('topic.details.can_create_post')) {
this.attachViewClass(Discourse.ReplyButton);
}
this.attachViewClass(Discourse.NotificationsButton);
this.trigger('additionalButtons', this);
} else {
// If not logged in give them a login control
this.attachViewClass(Discourse.LoginReplyButton);
}
}
});
|
/**
This view is used for rendering the buttons at the footer of the topic
@class TopicFooterButtonsView
@extends Discourse.ContainerView
@namespace Discourse
@module Discourse
**/
Discourse.TopicFooterButtonsView = Discourse.ContainerView.extend({
elementId: 'topic-footer-buttons',
topicBinding: 'controller.content',
init: function() {
this._super();
this.createButtons();
},
// Add the buttons below a topic
createButtons: function() {
var topic = this.get('topic');
if (Discourse.User.current()) {
if (!topic.get('isPrivateMessage')) {
// We hide some controls from private messages
if (this.get('topic.details.can_invite_to') && !this.get('topic.category.read_restricted')) {
this.attachViewClass(Discourse.InviteReplyButton);
}
this.attachViewClass(Discourse.StarButton);
this.attachViewClass(Discourse.ShareButton);
this.attachViewClass(Discourse.ClearPinButton);
if (this.get('topic.details.can_flag_topic')) {
this.attachViewClass(Discourse.FlagTopicButton);
}
}
if (this.get('topic.details.can_create_post')) {
this.attachViewClass(Discourse.ReplyButton);
}
this.attachViewClass(Discourse.NotificationsButton);
this.trigger('additionalButtons', this);
} else {
// If not logged in give them a login control
this.attachViewClass(Discourse.LoginReplyButton);
}
}
});
|
Hide the Invite button in topics in secured categories
|
Hide the Invite button in topics in secured categories
|
JavaScript
|
mit
|
natefinch/discourse,natefinch/discourse
|
b05684290a939fc4475335aad1d348b208a22d0f
|
cloud-functions-angular-start/src/firebase-messaging-sw.js
|
cloud-functions-angular-start/src/firebase-messaging-sw.js
|
importScripts('https://www.gstatic.com/firebasejs/3.6.6/firebase-app.js');
importScripts('https://www.gstatic.com/firebasejs/3.6.6/firebase-messaging.js');
// Initialize the Firebase app in the service worker by passing in the
// messagingSenderId.
firebase.initializeApp({
// TODO add your messagingSenderId
messagingSenderId: '662518903527'
});
var messaging = firebase.messaging();
|
importScripts('https://www.gstatic.com/firebasejs/3.6.6/firebase-app.js');
importScripts('https://www.gstatic.com/firebasejs/3.6.6/firebase-messaging.js');
// Initialize the Firebase app in the service worker by passing in the
// messagingSenderId.
firebase.initializeApp({
// TODO add your messagingSenderId
messagingSenderId: ''
});
var messaging = firebase.messaging();
|
Remove hard-coded message sender id.
|
Remove hard-coded message sender id.
|
JavaScript
|
apache-2.0
|
firebase/codelab-friendlychat-web,firebase/codelab-friendlychat-web
|
cfac1524d1d33c1c6594f54f29d7691b121f89ab
|
background.js
|
background.js
|
(function () {
'use strict';
// Awesome Browser Shortcuts
chrome.commands.onCommand.addListener(function (command) {
var tabQuery = {active: true, currentWindow: true};
if (command === 'toggle-pin') {
// Get current tab in the active window
chrome.tabs.query(tabQuery, function(tabs) {
var currentTab = tabs[0];
chrome.tabs.update(currentTab.id, {'pinned': !currentTab.pinned});
});
}
else if (command === 'move-tab-left') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
chrome.tabs.move(currentTab.id, {'index': currentTab.index - 1});
});
}
else if (command === 'move-tab-right') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
// TODO: Move tab to first if current index is the last one
// Chrome moves non-existent index to the last
chrome.tabs.move(currentTab.id, {'index': currentTab.index + 1});
});
}
else if (command === 'duplicate=tab') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
chrome.tabs.duplicate(currentTab.id);
})
}
});
})();
|
(function () {
'use strict';
// Awesome Browser Shortcuts
chrome.commands.onCommand.addListener(function (command) {
var tabQuery = {active: true, currentWindow: true};
if (command === 'toggle-pin') {
// Get current tab in the active window
chrome.tabs.query(tabQuery, function(tabs) {
var currentTab = tabs[0];
chrome.tabs.update(currentTab.id, {'pinned': !currentTab.pinned});
});
}
else if (command === 'move-tab-left') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
chrome.tabs.move(currentTab.id, {'index': currentTab.index - 1});
});
}
else if (command === 'move-tab-right') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
// TODO: Move tab to first if current index is the last one
// Chrome moves non-existent index to the last
chrome.tabs.move(currentTab.id, {'index': currentTab.index + 1});
});
}
else if (command === 'duplicate-tab') {
chrome.tabs.query(tabQuery, function (tabs) {
var currentTab = tabs[0];
chrome.tabs.duplicate(currentTab.id);
});
}
});
})();
|
Fix Duplicate Tab shortcut typo
|
Fix Duplicate Tab shortcut typo
|
JavaScript
|
mit
|
djadmin/browse-awesome
|
ab4b56ad493205c736dea190cd776e2c89a42e5b
|
servers.js
|
servers.js
|
var fork = require('child_process').fork;
var amountConcurrentServers = process.argv[2] || 2;
var port = initialPortServer();
var servers = [];
var path = __dirname;
var disableAutomaticGarbageOption = '--expose-gc';
for(var i = 0; i < amountConcurrentServers; i++) {
var portForServer = port + i;
var serverIdentifier = i;
console.log('Creating server: ' + serverIdentifier + ' - ' + portForServer + ' - ' + serverIdentifier);
servers[i] = fork( path +'/server.js', [portForServer, serverIdentifier], {execArgv: [disableAutomaticGarbageOption]});
}
process.on('exit', function() {
console.log('exit process');
for(var i = 0; i < amountConcurrentServers; i++) {
servers[i].kill();
}
});
function initialPortServer() {
if(process.argv[3]) {
return parseInt(process.argv[3]);
}
return 3000;
}
|
var fork = require('child_process').fork;
var amountConcurrentServers = process.argv[2] || 2;
var port = initialPortServer();
var servers = [];
var path = __dirname;
var disableAutomaticGarbageOption = '--expose-gc';
for(var i = 0; i < amountConcurrentServers; i++) {
var portForServer = port + i;
var serverIdentifier = i;
console.log('Creating server: ' + serverIdentifier + ' - ' + portForServer + ' - ' + serverIdentifier);
servers[i] = fork( path +'/server.js', [portForServer, serverIdentifier], {execArgv: [disableAutomaticGarbageOption]});
servers[i].on('exit', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('close', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('disconnect', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('error', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('uncaughtException', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('SIGTERM', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
servers[i].on('SIGINT', function() {
console.log('[benchmark][app][' + i +'][event] EXIT');
});
}
process.on('exit', function() {
console.log('exit process');
for(var i = 0; i < amountConcurrentServers; i++) {
servers[i].kill();
}
});
function initialPortServer() {
if(process.argv[3]) {
return parseInt(process.argv[3]);
}
return 3000;
}
|
Add log for child process
|
Add log for child process
|
JavaScript
|
mit
|
eltortuganegra/server-websocket-benchmark,eltortuganegra/server-websocket-benchmark
|
aa044b333981737f5abf7f3f620965af043aa914
|
package.js
|
package.js
|
Package.describe({
name: 'staringatlights:autoform-generic-error',
version: '1.0.0',
// Brief, one-line summary of the package.
summary: 'Enables generic error handling in AutoForm.',
// URL to the Git repository containing the source code for this package.
git: 'https://github.com/abecks/meteor-autoform-generic-error',
// By default, Meteor will default to using README.md for documentation.
// To avoid submitting documentation, set this field to null.
documentation: 'README.md'
});
Package.onUse(function(api) {
api.versionsFrom('1.1.0.3');
api.use(['templating', 'aldeed:[email protected]'], 'client');
api.addFiles('autoform-generic-error.html', 'client');
api.addFiles('autoform-generic-error.js', 'client');
});
|
Package.describe({
name: 'staringatlights:autoform-generic-error',
version: '1.0.0',
// Brief, one-line summary of the package.
summary: 'Enables generic error handling in AutoForm.',
// URL to the Git repository containing the source code for this package.
git: 'https://github.com/abecks/meteor-autoform-generic-error',
// By default, Meteor will default to using README.md for documentation.
// To avoid submitting documentation, set this field to null.
documentation: 'README.md'
});
Package.onUse(function(api) {
api.versionsFrom('1.1.0.3');
api.use(['templating', 'aldeed:autoform'], 'client');
api.addFiles('autoform-generic-error.html', 'client');
api.addFiles('autoform-generic-error.js', 'client');
});
|
Remove version constaint on AutoForm
|
Remove version constaint on AutoForm
|
JavaScript
|
mit
|
abecks/meteor-autoform-generic-error,abecks/meteor-autoform-generic-error
|
0c8ac4b02930dc5ea3dbec668ac5077f0d834237
|
lib/requiredKeys.js
|
lib/requiredKeys.js
|
module.exports = [
{
type: 'bitcoin',
purpose: 'payment'
},
{
type: 'bitcoin',
purpose: 'messaging'
},
{
type: 'ec',
purpose: 'sign'
},
{
type: 'ec',
purpose: 'update'
}
]
|
module.exports = [
{
type: 'bitcoin',
purpose: 'payment'
},
{
type: 'bitcoin',
purpose: 'messaging'
},
{
type: 'ec',
purpose: 'sign'
},
{
type: 'ec',
purpose: 'update'
},
{
type: 'dsa',
purpose: 'sign'
}
]
|
Revert "don't require dsa key"
|
Revert "don't require dsa key"
This reverts commit ce8f474a2832374f109129d9847cdce526ae318c.
|
JavaScript
|
mit
|
tradle/identity
|
0e28a2b11bd735e90410736548b88acd5c910eaf
|
src/components/layout.js
|
src/components/layout.js
|
import React from 'react'
import { StaticQuery, graphql } from 'gatsby'
import Navigation from '../components/navigation'
export default ({ children }) => (
<StaticQuery
query={graphql`
query NavigationQuery {
allMongodbPlacardDevSportsAndCountries {
edges {
node {
name
countries {
name
}
}
}
}
}
`}
render={data => (
<div>
<Navigation
sports={data.allMongodbPlacardDevSportsAndCountries.edges}
/>
{children}
</div>
)}
/>
)
|
import React from 'react'
import { StaticQuery, graphql } from 'gatsby'
import Navigation from '../components/navigation'
export default ({ children }) => (
<StaticQuery
query={graphql`
query NavigationQuery {
allMongodbPlacardDevSportsAndCountries {
edges {
node {
name
countries {
name
}
}
}
}
}
`}
render={data => (
<>
<Navigation
sports={data.allMongodbPlacardDevSportsAndCountries.edges}
/>
{children}
</>
)}
/>
)
|
Use short syntax version for the Fragment.
|
Use short syntax version for the Fragment.
|
JavaScript
|
mit
|
LuisLoureiro/placard-wrapper
|
9ed345347d76ee4cf46658d583e9cb4713d14077
|
js/energy-systems/view/EFACBaseNode.js
|
js/energy-systems/view/EFACBaseNode.js
|
// Copyright 2014-2015, University of Colorado Boulder
/**
* Base module for model elements whose position and opacity can change.
*
* @author John Blanco
* @author Andrew Adare
*/
define( function( require ) {
'use strict';
var inherit = require( 'PHET_CORE/inherit' );
var Node = require( 'SCENERY/nodes/Node' );
/**
* @param {PositionableFadableModelElement} modelElement
* @param {ModelViewTransform} modelViewTransform
* @constructor
*/
function EFACBaseNode( modelElement, modelViewTransform ) {
Node.call( this );
/**
* Update the overall offset based on the model position.
*
* @param {Vector2} offset
*/
modelElement.positionProperty.link( function( offset ) {
this.setTranslation( modelViewTransform.ModelToViewPosition( offset ) );
} );
/**
* Update the overall opacity base on model element opacity.
*
* @param {Number} opacity
*/
modelElement.opacityProperty.link( function( opacity ) {
this.setOpacity( opacity );
} );
}
return inherit( Node, EFACBaseNode );
} );
|
// Copyright 2014-2015, University of Colorado Boulder
/**
* Base module for model elements whose position and opacity can change.
*
* @author John Blanco
* @author Andrew Adare
*/
define( function( require ) {
'use strict';
var inherit = require( 'PHET_CORE/inherit' );
var Node = require( 'SCENERY/nodes/Node' );
/**
* @param {PositionableFadableModelElement} modelElement
* @param {ModelViewTransform} modelViewTransform
* @constructor
*/
function EFACBaseNode( modelElement, modelViewTransform ) {
Node.call( this );
var thisNode = this;
/**
* Update the overall offset based on the model position.
*
* @param {Vector2} offset
*/
modelElement.positionProperty.link( function( offset ) {
thisNode.setTranslation( modelViewTransform.modelToViewPosition( offset ) );
} );
/**
* Update the overall opacity base on model element opacity.
*
* @param {Number} opacity
*/
modelElement.opacityProperty.link( function( opacity ) {
thisNode.setOpacity( opacity );
} );
}
return inherit( Node, EFACBaseNode );
} );
|
Fix typo and use thisNode
|
Fix typo and use thisNode
|
JavaScript
|
mit
|
phetsims/energy-forms-and-changes,phetsims/energy-forms-and-changes,phetsims/energy-forms-and-changes
|
c61ebc077aaad3a53f7a3289aa6f0df2a025749b
|
backend/app.js
|
backend/app.js
|
var app = require('http').createServer();
var request = require('request');
var io = require('socket.io')(app);
var fs = require('fs');
app.listen(13374);
io.on('connection', function (socket) {
setInterval(function() {
request('http://status.hasi.it', function (error, response, body) {
if (!error && response.statusCode == 200) {
socket.emit('status', JSON.parse(body));
}
});
}, 500)
});
|
var app = require('http').createServer();
var request = require('request');
var io = require('socket.io')(app);
var fs = require('fs');
app.listen(13374);
function pullData(socket) {
request('http://status.hasi.it', function (error, response, body) {
if (!error && response.statusCode == 200) {
socket.emit('status', JSON.parse(body));
}
});
}
io.on('connection', function (socket) {
pullData(socket);
setInterval(pullData, 5000, socket)
});
|
Add initial load and larger update interval
|
Add initial load and larger update interval
|
JavaScript
|
mit
|
EddyShure/wazzup,EddyShure/wazzup
|
315f0ba79a0312cecc3e2b864329cf8845735ea9
|
scripts/app.js
|
scripts/app.js
|
'use strict';
/**
* @ngdoc overview
* @name angularBootstrapCalendarApp
* @description
* # angularBootstrapCalendarApp
*
* Main module of the application.
*/
angular
.module('mwl.calendar', [
'ui.bootstrap.tooltip'
]);
|
'use strict';
/**
* @ngdoc overview
* @name angularBootstrapCalendarApp
* @description
* # angularBootstrapCalendarApp
*
* Main module of the application.
*/
angular
.module('mwl.calendar', [
'ui.bootstrap'
]);
|
Revert "Lower ui bootstraps dependency to only the tooltip"
|
Revert "Lower ui bootstraps dependency to only the tooltip"
This reverts commit a699e4304a2f75a49d7d8d6769646b1fabdbadcf.
|
JavaScript
|
mit
|
nameandlogo/angular-bootstrap-calendar,danibram/angular-bootstrap-calendar-modded,danibram/angular-bootstrap-calendar-modded,polarbird/angular-bootstrap-calendar,alexjohnson505/angular-bootstrap-calendar,rasulnz/angular-bootstrap-calendar,rasulnz/angular-bootstrap-calendar,CapeSepias/angular-bootstrap-calendar,LandoB/angular-bootstrap-calendar,yukisan/angular-bootstrap-calendar,dungeoncraw/angular-bootstrap-calendar,dungeoncraw/angular-bootstrap-calendar,AladdinSonni/angular-bootstrap-calendar,jmsherry/angular-bootstrap-calendar,seawenzhu/angular-bootstrap-calendar,farmersweb/angular-bootstrap-calendar,abrahampeh/angular-bootstrap-calendar,LandoB/angular-bootstrap-calendar,lekhmanrus/angular-bootstrap-calendar,CapeSepias/angular-bootstrap-calendar,mattlewis92/angular-bootstrap-calendar,seawenzhu/angular-bootstrap-calendar,nameandlogo/angular-bootstrap-calendar,alexjohnson505/angular-bootstrap-calendar,AladdinSonni/angular-bootstrap-calendar,plantwebdesign/angular-bootstrap-calendar,plantwebdesign/angular-bootstrap-calendar,lekhmanrus/angular-bootstrap-calendar,farmersweb/angular-bootstrap-calendar,KevinEverywhere/ts-angular-bootstrap-calendar,Jupitar/angular-material-calendar,KevinEverywhere/ts-angular-bootstrap-calendar,polarbird/angular-bootstrap-calendar,jmsherry/angular-bootstrap-calendar,abrahampeh/angular-bootstrap-calendar,asurinov/angular-bootstrap-calendar,mattlewis92/angular-bootstrap-calendar,asurinov/angular-bootstrap-calendar,yukisan/angular-bootstrap-calendar,Jupitar/angular-material-calendar
|
75299752fcbdf5a4f7c99c13ae1c6827fe9a3d8a
|
app/assets/javascripts/map/services/GeostoreService.js
|
app/assets/javascripts/map/services/GeostoreService.js
|
define([
'Class', 'uri', 'bluebird',
'map/services/DataService'
], function(Class, UriTemplate, Promise, ds) {
'use strict';
var GET_REQUEST_ID = 'GeostoreService:get',
SAVE_REQUEST_ID = 'GeostoreService:save';
var URL = window.gfw.config.GFW_API_HOST + '/geostore/{id}';
var GeostoreService = Class.extend({
get: function(id) {
return new Promise(function(resolve, reject) {
var url = new UriTemplate(URL).fillFromObject({id: id});
ds.define(GET_REQUEST_ID, {
cache: {type: 'persist', duration: 1, unit: 'days'},
url: url,
type: 'GET'
});
var requestConfig = {
resourceId: GET_REQUEST_ID,
success: resolve
};
ds.request(requestConfig);
});
},
save: function(geojson) {
return new Promise(function(resolve, reject) {
var url = new UriTemplate(URL).fillFromObject({});
ds.define(SAVE_REQUEST_ID, {
url: url,
type: 'POST'
});
var params = { geojson: geojson };
var requestConfig = {
resourceId: SAVE_REQUEST_ID,
data: JSON.stringify(params),
success: function(response) {
resolve(response.id);
},
error: reject
};
ds.request(requestConfig);
});
}
});
return new GeostoreService();
});
|
define([
'Class', 'uri', 'bluebird',
'map/services/DataService'
], function(Class, UriTemplate, Promise, ds) {
'use strict';
var GET_REQUEST_ID = 'GeostoreService:get',
SAVE_REQUEST_ID = 'GeostoreService:save';
var URL = window.gfw.config.GFW_API_HOST + '/geostore/{id}';
var GeostoreService = Class.extend({
get: function(id) {
return new Promise(function(resolve, reject) {
var url = new UriTemplate(URL).fillFromObject({id: id});
ds.define(GET_REQUEST_ID, {
cache: {type: 'persist', duration: 1, unit: 'days'},
url: url,
type: 'GET'
});
var requestConfig = {
resourceId: GET_REQUEST_ID,
success: resolve
};
ds.request(requestConfig);
});
},
save: function(geojson) {
return new Promise(function(resolve, reject) {
var url = new UriTemplate(URL).fillFromObject({});
ds.define(SAVE_REQUEST_ID, {
url: url,
type: 'POST'
});
var requestConfig = {
resourceId: SAVE_REQUEST_ID,
data: JSON.stringify(geojson),
success: function(response) {
resolve(response.id);
},
error: reject
};
ds.request(requestConfig);
});
}
});
return new GeostoreService();
});
|
Update to work with new Geostore API
|
Update to work with new Geostore API
|
JavaScript
|
mit
|
Vizzuality/gfw,Vizzuality/gfw
|
2d8abed76cd7795771f5e89e752e800b8ae1350c
|
app/components/calendar/calendar-illustration/index.js
|
app/components/calendar/calendar-illustration/index.js
|
/* global document, customElements, BaseElement, Moment */
class CalendarIllustration extends BaseElement {
constructor() {
super().fetchTemplate();
}
/**
* Draws the illustration.
*
* @return {CalendarIllustration}
*/
draw() {
const moment = Moment();
this.dataset.time = moment.format('ha');
this.dataset.quarter = moment.format('Q');
return this;
}
}
// Remember document from import scope. Needed for accessing elements inside
// the imported html…
CalendarIllustration.ownerDocument = document.currentScript.ownerDocument;
// @see https://developer.mozilla.org/docs/Web/API/CustomElementRegistry/define
customElements.define('calendar-illustration', CalendarIllustration);
|
/* global document, customElements, BaseElement, Moment */
class CalendarIllustration extends BaseElement {
constructor() {
super().fetchTemplate();
}
/**
* Draws the illustration.
*
* @return {CalendarIllustration}
*/
draw() {
const moment = Moment();
this.dataset.time = moment.format('ha');
this.dataset.month = moment.format('M');
return this;
}
}
// Remember document from import scope. Needed for accessing elements inside
// the imported html…
CalendarIllustration.ownerDocument = document.currentScript.ownerDocument;
// @see https://developer.mozilla.org/docs/Web/API/CustomElementRegistry/define
customElements.define('calendar-illustration', CalendarIllustration);
|
Drop quarter in favor of month
|
Drop quarter in favor of month
|
JavaScript
|
mit
|
mzdr/timestamp,mzdr/timestamp
|
7d6689f17d296a6d1b914e39d1d04e7f5cb7dd7e
|
blueprints/assertion/index.js
|
blueprints/assertion/index.js
|
var stringUtil = require('ember-cli/lib/utilities/string');
module.exports = {
description: 'Generates a new custom assertion into tests/assertions/',
locals: function(options) {
var entity = options.entity;
var rawName = entity.name;
var name = stringUtil.dasherize(rawName);
var camelName = stringUtil.camelize(rawName);
return {
name: name,
camelName: camelName
};
}
}
|
var stringUtil = require('ember-cli-string-utils');
module.exports = {
description: 'Generates a new custom assertion into tests/assertions/',
locals: function(options) {
var entity = options.entity;
var rawName = entity.name;
var name = stringUtil.dasherize(rawName);
var camelName = stringUtil.camelize(rawName);
return {
name: name,
camelName: camelName
};
}
}
|
Update require statement for string utils
|
Update require statement for string utils
|
JavaScript
|
mit
|
dockyard/ember-cli-custom-assertions,dockyard/ember-cli-custom-assertions
|
1b2e12784594fda9454242825befaf673492c40f
|
buffer-frame-container.js
|
buffer-frame-container.js
|
var iframe;
function initFrame() {
iframe = document.createElement('iframe');
document.body.appendChild(iframe);
}
// Listen to the parent window send src info to be set on the nested frame
function receiveNestedFrameData() {
var handler = function(e) {
if (e.source !== window.parent && !e.data.src) return;
iframe.src = e.data.src;
iframe.style.cssText = e.data.css;
window.removeEventListener('message', handler);
};
window.addEventListener('message', handler);
}
// Listen to messages from nested frame and pass them up the window stack
function setupMessageRelay() {
window.addEventListener('message', function(e) {
var origin = e.origin || e.originalEvent.origin;
if (origin !== 'https://buffer.com' || e.source !== iframe.contentWindow) {
return;
}
window.parent.postMessage(e.data, '*');
});
}
initFrame();
receiveNestedFrameData();
setupMessageRelay();
|
var iframe;
function initFrame() {
iframe = document.createElement('iframe');
document.body.appendChild(iframe);
}
// Listen to the parent window send src info to be set on the nested frame
function receiveNestedFrameData() {
var handler = function(e) {
if (e.source !== window.parent && !e.data.src) return;
iframe.src = e.data.src;
iframe.style.cssText = e.data.css;
window.removeEventListener('message', handler);
};
window.addEventListener('message', handler);
}
// Listen to messages from nested frame and pass them up the window stack
function setupMessageRelay() {
window.addEventListener('message', function(e) {
var origin = e.origin || e.originalEvent.origin;
if ((origin !== 'https://buffer.com' && origin !== 'https://local.buffer.com') || e.source !== iframe.contentWindow) {
return;
}
window.parent.postMessage(e.data, '*');
});
}
initFrame();
receiveNestedFrameData();
setupMessageRelay();
|
Make extension work in dev env too
|
Make extension work in dev env too
|
JavaScript
|
mit
|
bufferapp/buffer-extension-shared,bufferapp/buffer-extension-shared
|
390d09f5f35246ab1d7ab95a475457205f92eb68
|
js/components/developer/worker-profile-screen/index.js
|
js/components/developer/worker-profile-screen/index.js
|
import React, { Component } from 'react';
import { Container, Tab, Tabs, Text } from 'native-base';
import WorkerInfoScreen from '../worker-info-screen';
import I18n from '../../../i18n';
// @TODO Replace temporary data with data from Redux/API
const NAME = 'John Doe';
export default class WorkerProfileScreen extends Component {
static navigationOptions = {
title: I18n.t('screen_titles.worker_profile', { name: NAME }),
};
// TODO Replace reference placeholder text with reference screen.
render() {
return (
<Container>
<Tabs>
<Tab heading={I18n.t('account.profile_info')} >
<WorkerInfoScreen />
</Tab>
<Tab heading={I18n.t('account.references')}>
<Text>References screen goes here</Text>
</Tab>
</Tabs>
</Container>
);
}
}
|
import React, { Component } from 'react';
import { Container, Tab, Tabs } from 'native-base';
import WorkerInfoScreen from '../worker-info-screen';
import ReferenceScreen from '../reference-screen';
import I18n from '../../../i18n';
// @TODO Replace temporary data with data from Redux/API
const NAME = 'John Doe';
export default class WorkerProfileScreen extends Component {
static navigationOptions = {
title: I18n.t('screen_titles.worker_profile', { name: NAME }),
};
// TODO Replace placeholder data in WorkerInfoScreen and ReferenceScreen
render() {
return (
<Container>
<Tabs>
<Tab heading={I18n.t('account.profile_info')} >
<WorkerInfoScreen />
</Tab>
<Tab heading={I18n.t('account.references')}>
<ReferenceScreen />
</Tab>
</Tabs>
</Container>
);
}
}
|
Add ReferenceScreen to references tab in WorkerProfileScreen
|
Add ReferenceScreen to references tab in WorkerProfileScreen
|
JavaScript
|
mit
|
justarrived/p2p-client,justarrived/p2p-client,justarrived/p2p-client,justarrived/p2p-client
|
b49c5f252d8eb3dd8e2803b3b1ebf3b3a107d740
|
source/demyo-vue-frontend/src/services/publisher-service.js
|
source/demyo-vue-frontend/src/services/publisher-service.js
|
import AbstractModelService from './abstract-model-service'
import { axiosGet } from '@/helpers/axios'
/**
* API service for Publishers.
*/
class PublisherService extends AbstractModelService {
constructor() {
super('publishers/', {
fillMissingObjects: ['logo'],
sanitizeHtml: ['history']
})
}
/**
* Finds how many Albums use the given Publisher.
* @param {Number} id The Publisher ID
*/
countAlbums(id) {
return axiosGet(`publishers/${id}/albums/count`, 0)
}
}
export default new PublisherService()
|
import AbstractModelService from './abstract-model-service'
import { axiosGet } from '@/helpers/axios'
/**
* API service for Publishers.
*/
class PublisherService extends AbstractModelService {
constructor() {
super('publishers/', {
fillMissingObjects: ['logo'],
sanitizeHtml: ['history']
})
}
/**
* Finds the Collections belonging to a Publisher.
* @param {Number} publisherId The Publisher ID
*/
findCollectionsForList(publisherId) {
return axiosGet(`${this.basePath}${publisherId}/collections`, [])
}
/**
* Finds how many Albums use the given Publisher.
* @param {Number} id The Publisher ID
*/
countAlbums(id) {
return axiosGet(`publishers/${id}/albums/count`, 0)
}
}
export default new PublisherService()
|
Create a method to search for a Publisher's Collections.
|
Create a method to search for a Publisher's Collections.
To be used in AlbumEdit.
Refs #78.
|
JavaScript
|
agpl-3.0
|
The4thLaw/demyo,The4thLaw/demyo,The4thLaw/demyo,The4thLaw/demyo
|
fa1209db9af0166901f278452dc9b8c1d1d1fa5c
|
lib/autoload/hooks/responder/etag_304_revalidate.js
|
lib/autoload/hooks/responder/etag_304_revalidate.js
|
// Add Etag header to each http and rpc response
//
'use strict';
const crypto = require('crypto');
module.exports = function (N) {
N.wire.after([ 'responder:http', 'responder:rpc' ], { priority: 95 }, function etag_304_revalidate(env) {
if (env.status !== 200) return;
if (!env.body || typeof env.body !== 'string') return;
if (env.headers['ETag'] || env.headers['Cache-Control']) return;
let etag = '"' + crypto.createHash('sha1').update(env.body).digest('base64').substring(0, 27) + '"';
env.headers['ETag'] = etag;
env.headers['Cache-Control'] = 'must-revalidate';
if (etag === env.origin.req.headers['if-none-match']) {
env.status = N.io.NOT_MODIFIED;
env.body = null;
}
});
};
|
// Add Etags, 304 responses, and force revalidate for each request
//
// - Should help with nasty cases, when quick page open use old
// assets and show errors until Ctrl+F5
// - Still good enougth for user, because 304 responses supported
//
'use strict';
const crypto = require('crypto');
module.exports = function (N) {
N.wire.after([ 'responder:http', 'responder:rpc' ], { priority: 95 }, function etag_304_revalidate(env) {
// Quick check if we can intrude
if (env.status !== 200) return;
if (!env.body) return;
if (typeof env.body !== 'string' && !Buffer.isBuffer(env.body)) return;
if (env.headers['ETag'] || env.headers['Cache-Control']) return;
// Fill Etag/Cache-Control headers
let etag = '"' + crypto.createHash('sha1').update(env.body).digest('base64').substring(0, 27) + '"';
env.headers['ETag'] = etag;
env.headers['Cache-Control'] = 'max-age=0, must-revalidate';
// Replace responce status if possible
if (etag === env.origin.req.headers['if-none-match']) {
env.status = N.io.NOT_MODIFIED;
env.body = null;
}
});
};
|
Improve cache headers and add comments
|
Improve cache headers and add comments
|
JavaScript
|
mit
|
nodeca/nodeca.core,nodeca/nodeca.core
|
ee58f2e977c884202d357a8ee5acfd567214da4f
|
src/app/containers/menu/Menu.js
|
src/app/containers/menu/Menu.js
|
import './Menu.css';
import React, { Component, PropTypes } from 'react';
import { connect } from 'react-redux';
import { closeMenu } from 'shared/state/app/actions';
import shallowCompare from 'react-addons-shallow-compare';
class Menu extends Component {
constructor(props) {
super(props);
this._handleOutsideClick = this._handleOutsideClick.bind(this);
}
componentDidMount() {
document.body.addEventListener('click', this._handleOutsideClick);
}
shouldComponentUpdate(nextProps, nextState) {
return shallowCompare(this, nextProps, nextState);
}
componentWillUnmount() {
document.body.removeEventListener('click', this._handleOutsideClick);
}
render() {
return (
<div
className={ `menu-component ${this.props.isOpen ? 'is-open' : ''}` }
ref={ (ref) => { this._el = ref; } }>
</div>
);
}
_handleOutsideClick(e) {
!this._el.contains(e.target) && this.props.dispatch(closeMenu());
}
}
Menu.propTypes = {
isOpen: PropTypes.bool.isRequired,
dispatch: PropTypes.func.isRequired,
};
export default connect((state) => ({
isOpen: state.app.isMenuOpen,
}))(Menu);
|
import './Menu.css';
import React, { Component, PropTypes } from 'react';
import { connect } from 'react-redux';
import { closeMenu } from 'shared/state/app/actions';
import shallowCompare from 'react-addons-shallow-compare';
class Menu extends Component {
constructor(props) {
super(props);
this._handleOutsideClickOrTap = this._handleOutsideClickOrTap.bind(this);
}
componentDidMount() {
document.body.addEventListener('click', this._handleOutsideClickOrTap);
document.body.addEventListener('touchend', this._handleOutsideClickOrTap);
}
shouldComponentUpdate(nextProps, nextState) {
return shallowCompare(this, nextProps, nextState);
}
componentWillUnmount() {
document.body.removeEventListener('click', this._handleOutsideClickOrTap);
document.body.removeEventListener('touchend', this._handleOutsideClickOrTap);
}
render() {
return (
<div
className={ `menu-component ${this.props.isOpen ? 'is-open' : ''}` }
ref={ (ref) => { this._el = ref; } }>
</div>
);
}
_handleOutsideClickOrTap(e) {
if (this.props.isOpen && !this._el.contains(e.target)) {
this.props.dispatch(closeMenu());
}
}
}
Menu.propTypes = {
isOpen: PropTypes.bool.isRequired,
dispatch: PropTypes.func.isRequired,
};
export default connect((state) => ({
isOpen: state.app.isMenuOpen,
}))(Menu);
|
Handle taps to close the menu.
|
Handle taps to close the menu.
|
JavaScript
|
mit
|
npms-io/npms-www,npms-io/npms-www
|
80e16145089eccd6841a8ad05888d28360ad3833
|
build/serve.js
|
build/serve.js
|
import browserSync from 'browser-sync';
import paths from '../mconfig.json';
export const server = browserSync.create();
function serve(done) {
server.init({
notify: false,
proxy: paths.url,
host: paths.url,
open: 'external'
});
done();
}
export default serve;
|
import browserSync from 'browser-sync';
import paths from '../mconfig.json';
export const server = browserSync.create();
function serve(done) {
server.init({
notify: false,
proxy: paths.url,
host: paths.url,
open: false,
ghostMode: false
});
done();
}
export default serve;
|
Remove browser-sync new window & ghostMode
|
Remove browser-sync new window & ghostMode
|
JavaScript
|
mit
|
locomotivemtl/locomotive-boilerplate,locomotivemtl/locomotive-boilerplate,stephenbe/locomotive-boilerplate,stephenbe/locomotive-boilerplate,stephenbe/locomotive-boilerplate
|
cd09645cc7d1abd1f4b5993b89cc3048ad65447c
|
src/createAppTemplate.js
|
src/createAppTemplate.js
|
const createAppTemplate = (app, template) => {
const hadClassName = !!app.className;
const quenchedClassName = `${app.className} quenched`.replace(/\bpre-quench\b/g, '');
let html = app.outerHTML
.replace(/<!--\s*<q>\s*-->[\s\S]*?<!--\s*<\/q>\s*-->/g, '')
.replace(/<!--\s*q-binding:.*?-->/g, '')
.replace(/\sq-binding=".*?\s+as\s+/g, ' q-binding="')
.replace(/q-binding="/g, 'v-text="')
.replace(/(\sv-(text|html).*?>)[\s\S]*?<\//g, '$1</')
.replace(/(?:<!--\s*)?<q-template><\/q-template>(\s*-->)?/, template || '');
if (hadClassName) {
html = html.replace(/(class=")[\s\S]*?"/, `$1${quenchedClassName}"`);
}
else {
html = html.replace(/(<.*?\s)/, `$1class="${quenchedClassName}"`);
}
return html;
};
export default createAppTemplate;
|
const createAppTemplate = (app, template) => {
const quenchedClassName = `${app.className} quenched`.replace(/\bpre-quench\b/g, '');
const html = app.outerHTML
.replace(/<!--\s*<q>\s*-->[\s\S]*?<!--\s*<\/q>\s*-->/g, '')
.replace(/<!--\s*q-binding:.*?-->/g, '')
.replace(/\sq-binding=".*?\s+as\s+/g, ' q-binding="')
.replace(/q-binding="/g, 'v-text="')
.replace(/(\sv-(text|html).*?>)[\s\S]*?<\//g, '$1</')
.replace(/(?:<!--\s*)?<q-template><\/q-template>(\s*-->)?/, template || '');
if (app.hasAttribute('class')) {
return html.replace(/(class=")[\s\S]*?"/, `$1${quenchedClassName}"`);
}
return html.replace(/(<.*?\s)/, `$1class="${quenchedClassName}"`);
};
export default createAppTemplate;
|
Fix apps with empty class attributes
|
Fix apps with empty class attributes
|
JavaScript
|
mit
|
stowball/quench-vue
|
a64bee572690ce186fda28a0cd98f16d5dcf9aa5
|
src/lib/number_to_human.js
|
src/lib/number_to_human.js
|
const billion = 1000000000.0
const million = 1000000.0
const thousand = 1000.0
export function numberToHuman(number, showZero = true) {
if (number === 0 && !showZero) { return '' }
let num
let suffix
if (number >= billion) {
num = Math.round((number / billion) * 100.0) / 100.0
suffix = 'B'
} else if (number >= million) {
num = Math.round((number / million) * 100.0) / 100.0
suffix = 'M'
} else if (number >= thousand) {
num = Math.round((number / thousand) * 100.0) / 100.0
suffix = 'K'
} else {
num = Math.round(number * 100.0) / 100.0
suffix = ''
}
let strNum = `${num}`
const strArr = strNum.split('.')
if (strArr[strArr.length - 1] === '0') {
strNum = strArr[0]
}
return `${strNum}${suffix}`
}
export default numberToHuman
|
const billion = 1000000000.0
const million = 1000000.0
const thousand = 1000.0
export function numberToHuman(number, showZero = true, precision = 1) {
if (number === 0 && !showZero) { return '' }
const roundingFactor = 10 ** precision
let num
let suffix
if (number >= billion) {
num = Math.round((number / billion) * roundingFactor) / roundingFactor
suffix = 'B'
} else if (number >= million) {
num = Math.round((number / million) * roundingFactor) / roundingFactor
suffix = 'M'
} else if (number >= thousand) {
num = Math.round((number / thousand) * roundingFactor) / roundingFactor
suffix = 'K'
} else {
num = Math.round(number * roundingFactor) / roundingFactor
suffix = ''
}
let strNum = `${num}`
const strArr = strNum.split('.')
if (strArr[strArr.length - 1] === '0') {
strNum = strArr[0]
}
return `${strNum}${suffix}`
}
export default numberToHuman
|
Change the rounding precision to one decimal point
|
Change the rounding precision to one decimal point
|
JavaScript
|
mit
|
ello/webapp,ello/webapp,ello/webapp
|
c57b1eab1ed849c7d197396e64ef04dcd897af2d
|
index.js
|
index.js
|
module.exports = {
"env": {
"browser": true
},
"extends": [
"airbnb",
// These prettier configs are used to disable inherited rules that conflict
// with the way prettier will format code. Full info here:
// https://github.com/prettier/eslint-config-prettier
"prettier",
"prettier/flowtype",
"prettier/react"
],
"parser": "babel-eslint",
"plugins": [
"flowtype",
"import",
"react",
"prettier"
],
"rules": {
"flowtype/define-flow-type": "error",
"flowtype/require-valid-file-annotation": [
2,
"always"
],
"flowtype/type-id-match": [
"error",
"^([A-Z][a-z0-9]+)+$"
],
"flowtype/use-flow-type": "error",
"import/no-duplicates": "error",
"no-duplicate-imports": "off",
"no-nested-ternary": "off",
"no-warning-comments": [
"error",
{
"terms": [
"fixme"
]
}
],
"react/no-unused-prop-types": "off",
"prettier/prettier": [
"error",
{
// Options to pass to prettier: https://github.com/prettier/prettier#api
"singleQuote": true,
"trailingComma": "all"
},
"@prettier"
]
}
};
|
module.exports = {
"env": {
"browser": true
},
"extends": [
"airbnb",
// These prettier configs are used to disable inherited rules that conflict
// with the way prettier will format code. Full info here:
// https://github.com/prettier/eslint-config-prettier
"prettier",
"prettier/flowtype",
"prettier/react"
],
"parser": "babel-eslint",
"plugins": [
"flowtype",
"import",
"react",
"prettier"
],
"rules": {
"flowtype/define-flow-type": "error",
"flowtype/require-valid-file-annotation": [
2,
"always"
],
"flowtype/type-id-match": [
"error",
"^([A-Z][a-z0-9]+)+$"
],
"flowtype/use-flow-type": "error",
"import/no-duplicates": "error",
"import/no-extraneous-dependencies": [
"error",
{ "devDependencies": ["**/test.jsx", "**/demo.jsx", "**/*.demo.jsx", "**/demo/*.jsx"] }
],
"no-duplicate-imports": "off",
"no-nested-ternary": "off",
"no-warning-comments": [
"error",
{
"terms": [
"fixme"
]
}
],
"react/no-unused-prop-types": "off",
"prettier/prettier": [
"error",
{
// Options to pass to prettier: https://github.com/prettier/prettier#api
"singleQuote": true,
"trailingComma": "all"
},
"@prettier"
]
}
};
|
Allow devDependencies in demos and tests
|
Allow devDependencies in demos and tests
|
JavaScript
|
mit
|
mathspace/eslint-config-mathspace
|
bd36bfa8bb390a873ecfebbb7fe380a342f54de7
|
index.js
|
index.js
|
function handleVueDestruction(vue) {
document.addEventListener('turbolinks:before-render', function teardown() {
vue.$destroy();
document.removeEventListener('turbolinks:before-render', teardown);
});
}
var TurbolinksAdapter = {
beforeMount: function() {
if (this.$el.parentNode) {
handleVueDestruction(this);
this.$originalEl = this.$el.outerHTML;
}
},
destroyed: function() {
this.$el.outerHTML = this.$originalEl;
}
};
export default TurbolinksAdapter;
|
function handleVueDestruction(vue) {
document.addEventListener('turbolinks:visit', function teardown() {
vue.$destroy();
document.removeEventListener('turbolinks:visit', teardown);
});
}
var TurbolinksAdapter = {
beforeMount: function() {
if (this.$el.parentNode) {
handleVueDestruction(this);
this.$originalEl = this.$el.outerHTML;
}
},
destroyed: function() {
this.$el.outerHTML = this.$originalEl;
}
};
export default TurbolinksAdapter;
|
Use turbolinks:visit event to handle teardowns, works whether caching is enabled or not
|
Use turbolinks:visit event to handle teardowns, works whether caching is enabled or not
|
JavaScript
|
mit
|
jeffreyguenther/vue-turbolinks
|
270252a65be4e6377ff3a8f1515c2432b101e60f
|
app/scripts/helpers.js
|
app/scripts/helpers.js
|
define(function() {
'use strict';
/**
* @param {string} str
* @return {string}
*/
var capitalize = function(str) {
return str.substr(0, 1).toUpperCase() + str.substr(1);
};
return { capitalize };
});
|
define(function() {
'use strict';
/**
* @param {string} str
* @return {string}
*/
let capitalize = function(str) {
return str.substr(0, 1).toUpperCase() + str.substr(1);
};
return { capitalize };
});
|
Use `let` instead of `var`
|
Use `let` instead of `var`
|
JavaScript
|
mit
|
loonkwil/reversi,loonkwil/reversi
|
766e9a47d10710ed5649a21f0891919bb96399b2
|
src/components/Message/Embed.js
|
src/components/Message/Embed.js
|
// @flow
import type { MessageThemeContext } from './types'
import React, { PureComponent } from 'react'
import styled from '../styled'
import Chat from './Chat'
import classNames from '../../utilities/classNames'
import css from './styles/Embed.css.js'
type Props = {
className?: string,
html: string,
}
type Context = MessageThemeContext
class Embed extends PureComponent<Props, Context> {
static displayName = 'Message.Embed'
render() {
const { className, html, ...rest } = this.props
const { theme } = this.context
const componentClassName = classNames(
'c-MessageEmbed',
theme && `is-theme-${theme}`,
className
)
return (
<Chat
{...rest}
bubbleClassName="c-MessageEmbed__bubble"
className={componentClassName}
>
<div
dangerouslySetInnerHTML={{ __html: html }}
className="c-MessageEmbed__html"
/>
</Chat>
)
}
}
export default styled(Embed)(css)
|
// @flow
import type { MessageThemeContext } from './types'
import React, { PureComponent } from 'react'
import styled from '../styled'
import Chat from './Chat'
import classNames from '../../utilities/classNames'
import css from './styles/Embed.css.js'
type Props = {
className?: string,
html: string,
}
type Context = MessageThemeContext
class Embed extends PureComponent<Props, Context> {
static displayName = 'Message.Embed'
render() {
const { className, html, ...rest } = this.props
const { theme } = this.context
const componentClassName = classNames(
'c-MessageEmbed',
/* istanbul ignore next */
// Tested, but Istanbul isn't picking it up.
theme && `is-theme-${theme}`,
className
)
return (
<Chat
{...rest}
bubbleClassName="c-MessageEmbed__bubble"
className={componentClassName}
>
<div
dangerouslySetInnerHTML={{ __html: html }}
className="c-MessageEmbed__html"
/>
</Chat>
)
}
}
export default styled(Embed)(css)
|
Add istanbul ignore. Line is tested.
|
Add istanbul ignore. Line is tested.
Istanbul isn't picking it up.
|
JavaScript
|
mit
|
helpscout/blue,helpscout/blue,helpscout/blue
|
df76de82feaa17e92979ccd28f3a74d8e59a4f1d
|
src/scripts/lib/server/utils/server-config/index.js
|
src/scripts/lib/server/utils/server-config/index.js
|
const Configstore = require('configstore')
const inq = require('inquirer')
const prompts = require('./setup-prompts')
module.exports = class ServerConfig {
constructor(defaults) {
this.db = new Configstore('wowser', defaults)
}
initSetup() {
return new Promise((resolve, reject) => {
console.log('> Preparing initial setup\n');
this.db.set('isFirstRun', false);
inq.prompt(prompts, answers => {
Object.keys(answers).map(key => {
return this.db.set(key, answers[key]);
});
resolve('\n> Setup finished!\n');
});
})
}
}
|
const Configstore = require('configstore')
const inq = require('inquirer')
const pkg = require('../../../../package.json')
const prompts = require('./setup-prompts')
module.exports = class ServerConfig {
constructor(defaults) {
this.db = new Configstore(pkg.name, defaults)
}
initSetup() {
return new Promise((resolve, reject) => {
console.log('> Preparing initial setup\n');
this.db.set('isFirstRun', false);
inq.prompt(prompts, answers => {
Object.keys(answers).map(key => {
return this.db.set(key, answers[key]);
});
resolve('\n> Setup finished!\n');
});
})
}
}
|
Use package name from package.json as a configstore id
|
Use package name from package.json as a configstore id
|
JavaScript
|
mit
|
wowserhq/wowser,timkurvers/wowser,eoy/wowser,wowserhq/wowser,eoy/wowser,timkurvers/wowser
|
b7803e394d2bd4047e5d8fd7990a196bb06e5643
|
src/content.js
|
src/content.js
|
var content = (function() {
return {
normalizeTags: function(element) {
var i, j, node, sibling;
var fragment = document.createDocumentFragment();
for (i = 0; i < element.childNodes.length; i++) {
node = element.childNodes[i];
if(!node) continue;
// skip empty tags, so they'll get removed
if(node.nodeName !== 'BR' && !node.textContent) continue;
if(node.nodeType === 1 && node.nodeName !== 'BR') {
sibling = node;
while((sibling = sibling.nextSibling) !== null) {
if(!parser.isSameNode(sibling, node))
break;
for(j = 0; j < sibling.childNodes.length; j++) {
node.appendChild(sibling.childNodes[j].cloneNode(true));
}
sibling.parentNode.removeChild(sibling);
}
this.normalizeTags(node);
}
fragment.appendChild(node.cloneNode(true));
}
while (element.firstChild) {
element.removeChild(element.firstChild);
}
element.appendChild(fragment);
},
cleanInternals: function(element) {
element.innerHTML = element.innerHTML.replace(/\u200B/g, '<br />');
},
normalizeSpaces: function(element) {
var firstChild = element.firstChild;
if(!firstChild) return;
if(firstChild.nodeType === 3) {
firstChild.nodeValue = firstChild.nodeValue.replace(/^(\s)/, '\u00A0');
}
else {
this.normalizeSpaces(firstChild);
}
}
};
})();
|
var content = (function() {
return {
normalizeTags: function(element) {
var i, j, node, sibling;
var fragment = document.createDocumentFragment();
for (i = 0; i < element.childNodes.length; i++) {
node = element.childNodes[i];
if(!node) continue;
// skip empty tags, so they'll get removed
if(node.nodeName !== 'BR' && !node.textContent) continue;
if(node.nodeType === 1 && node.nodeName !== 'BR') {
sibling = node;
while((sibling = sibling.nextSibling) !== null) {
if(!parser.isSameNode(sibling, node))
break;
for(j = 0; j < sibling.childNodes.length; j++) {
node.appendChild(sibling.childNodes[j].cloneNode(true));
}
sibling.parentNode.removeChild(sibling);
}
this.normalizeTags(node);
}
fragment.appendChild(node.cloneNode(true));
}
while (element.firstChild) {
element.removeChild(element.firstChild);
}
element.appendChild(fragment);
},
cleanInternals: function(element) {
element.innerHTML = element.innerHTML.replace(/\u200B/g, '<br />');
},
normalizeSpaces: function(element) {
if(!element) return;
if(element.nodeType === 3) {
element.nodeValue = element.nodeValue.replace(/^(\s)/, '\u00A0').replace(/(\s)$/, '\u00A0');
}
else {
this.normalizeSpaces(element.firstChild);
this.normalizeSpaces(element.lastChild);
}
}
};
})();
|
Normalize trailing spaces as well
|
Normalize trailing spaces as well
This doesn't remove spaces at the end, it just converts
the last one to make it visible. I think the strategy of not
having spaces at all in the end should go in a config
option and shouldn't be a task of normalizeSpaces.
Conflicts:
src/content.js
|
JavaScript
|
mit
|
nickbalestra/editable.js,upfrontIO/editable.js
|
56c9ee0611428ec8db267d293d93d63f11b8021a
|
src/helpers/find-root.js
|
src/helpers/find-root.js
|
'use babel'
import Path from 'path'
import {getDir, findFile} from './common'
import {CONFIG_FILE_NAME} from '../defaults'
export function findRoot(path, options) {
if (options.root !== null) {
return options.root
}
const searchPath = getDir(path.indexOf('*') === -1 ? path : options.cwd)
const configFile = findFile(searchPath, CONFIG_FILE_NAME)
if (configFile === null) {
return searchPath
} else {
return Path.dirname(configFile)
}
}
|
'use babel'
import Path from 'path'
import {getDir, findFile} from './common'
import {CONFIG_FILE_NAME} from '../defaults'
import isGlob from 'is-glob'
export function findRoot(path, options) {
if (options.root !== null) {
return options.root
}
const searchPath = getDir(isGlob(path) ? options.cwd : path)
const configFile = findFile(searchPath, CONFIG_FILE_NAME)
if (configFile === null) {
return searchPath
} else {
return Path.dirname(configFile)
}
}
|
Use is-glob when finding root
|
:new: Use is-glob when finding root
|
JavaScript
|
mit
|
steelbrain/UCompiler
|
3ceb8ea7eede62614d665f986d7954cedab71352
|
src/helpers.js
|
src/helpers.js
|
const moment = require('moment-timezone');
const chalk = require('chalk');
exports.printMessage = function (message) {
console.log(message);
};
exports.printError = function (message) {
const errorOutput = chalk`{bgRed Error} ${message}`;
console.log(errorOutput);
};
exports.convertTimezone = function (time, timezone, callback) {
if (moment.tz.zone(timezone)) {
const newTime = moment.tz(new Date(time), timezone).format('MMMM D, YYYY HH:mm:ss z');
return callback(null, newTime);
}
return callback('Unrecognised time zone.');
};
|
const moment = require('moment-timezone');
const chalk = require('chalk');
exports.printMessage = function (message) {
console.log(message);
};
exports.printError = function (message) {
const errorOutput = chalk`{bgRed Error} ${message}`;
console.log(errorOutput);
};
exports.isValidTimezone = function (timezone) {
return moment.tz.zone(timezone);
};
exports.convertTimezone = function (time, timezone, callback) {
if (moment.tz.zone(timezone)) {
const newTime = moment.tz(new Date(time), timezone).format('MMMM D, YYYY HH:mm:ss z');
return callback(null, newTime);
}
return callback('Unrecognised time zone.');
};
|
Add helper with timezone validity info
|
Add helper with timezone validity info
|
JavaScript
|
mit
|
Belar/space-cli
|
3ed922da5e3c2e404f40d7896061553128a3c73b
|
index.js
|
index.js
|
require('./dist/dialogs.js');
require('./dist/dialogs-default-translations.js');
require('./dist/dialogs.css');
module.exports = 'dialogs.main';
|
require('./dist/dialogs.js');
require('./dist/dialogs-default-translations.js');
module.exports = 'dialogs.main';
|
Fix problems with importing file
|
Fix problems with importing file
require css file was giving unexpected error
|
JavaScript
|
mit
|
m-e-conroy/angular-dialog-service,m-e-conroy/angular-dialog-service
|
fa6f27dabf3c50895e9f7a0703e40962b0e1056c
|
index.js
|
index.js
|
module.exports = function (opts={}) {
var isJsonFile = opts.filter || /\.json$/;
return function (override, transform, control) {
transform("readSource", function (source) {
const asset = this.args[0];
if (isJsonFile.test(asset.path)) {
source = `module.exports = ${source};`;
}
return source;
});
};
};
|
module.exports = function (opts={}) {
var isJsonFile = opts.filter || /\.json$/;
return function (override, transform, control) {
transform("readSource", function (source, args) {
const asset = args[0];
if (isJsonFile.test(asset.path)) {
source = `module.exports = ${source};`;
}
return source;
});
};
};
|
Update transform to accomodate more explicit transform API changes.
|
Update transform to accomodate more explicit transform API changes.
|
JavaScript
|
mit
|
interlockjs/plugins,interlockjs/plugins
|
0ef56b936013ea773b69581954c64f7eef2b2419
|
index.js
|
index.js
|
var originalDataModule = require('data-module');
var gutil = require('gulp-util');
var through2 = require('through2');
var DataModuleError = gutil.PluginError.bind(null, 'gulp-data-module');
var dataModule = function dataModule (options) { 'use strict';
if (!options) options = {};
var parsing = options.parsing || JSON.parse;
var dataModuleOptions = {};
if (typeof options.formatting == 'function') {
dataModuleOptions.formatting = options.formatting;
}
return through2.obj(function dataModuleStream (file, encoding, done) {
var source;
if (file.isBuffer()) {
source = parsing(file.contents.toString());
file.contents = originalDataModule
( source
, dataModuleOptions
).toBuffer();
file.path = file.path.replace(/(?:\.[^\/\\\.]$|$)/, '.js');
}
else if (file.isStream()) return done(new DataModuleError
( 'Streams not supported'
));
this.push(file);
return done();
});
};
dataModule.formatting =
{ diffy: dataModule.diffy
};
module.exports = dataModule;
|
var _dataModule = require('data-module');
var gutil = require('gulp-util');
var stream = require('through2').obj;
var DataModuleError = gutil.PluginError.bind(null, 'gulp-data-module');
var dataModule = function dataModule (options) { 'use strict';
if (!options) options = {};
var parsing = options.parsing || JSON.parse;
var dataModuleOptions = {};
if (typeof options.formatting == 'function') {
dataModuleOptions.formatting = options.formatting;
}
return stream(function dataModuleStream (file, encoding, done) {
var source;
if (file.isBuffer()) {
source = parsing(file.contents.toString());
file.contents = _dataModule
( source
, dataModuleOptions
).toBuffer();
file.path = gutil.replaceExtension('.js');
}
else if (file.isStream()) return done(new DataModuleError
( 'Streams not supported'
));
this.push(file);
return done();
});
};
dataModule.formatting = _dataModule.formatting;
module.exports = dataModule;
|
Update from wherever 0.0.3 came from
|
Update from wherever 0.0.3 came from
|
JavaScript
|
mit
|
tomekwi/gulp-data-module
|
5445265dda092ef114c92a414e7d3692cf062bc2
|
index.js
|
index.js
|
/* jshint node: true */
'use strict';
const REFLECT_JS_VERSION = '0.1.59',
REFLECT_JAVASCRIPT = 'https://cdn.reflect.io/' + REFLECT_JS_VERSION +'/reflect.js',
REFLECT_CSS = 'https://cdn.reflect.io/' + REFLECT_JS_VERSION + '/reflect.css';
const HEAD = '<script src="' + REFLECT_JAVASCRIPT + '" type="text/javascript"></script> \
<link rel="stylesheet" href="' + REFLECT_CSS + '">';
module.exports = {
name: 'ember-cli-reflect',
contentFor: function(type) {
if (type === 'head') { return HEAD };
}
};
|
/* jshint node: true */
'use strict';
const REFLECT_JS_VERSION = '0.1.59',
REFLECT_JAVASCRIPT = 'https://cdn.reflect.io/' + REFLECT_JS_VERSION +'/reflect.js';
const getHead = function(config) {
let cssSource;
if (config.reflect && config.reflect.css) {
cssSource = config.reflect.css;
} else {
cssSource = 'https://cdn.reflect.io/' + REFLECT_JS_VERSION + '/reflect.css';
}
return '<script src="' + REFLECT_JAVASCRIPT + '" type="text/javascript"></script> \
<link rel="stylesheet" href="' + cssSource + '">';
};
module.exports = {
name: 'ember-cli-reflect',
contentFor: function(type) {
if (type === 'head') {
let config = this.config();
return getHead(config);
};
}
};
|
Allow user to define their own css source
|
Allow user to define their own css source
|
JavaScript
|
mit
|
reflect/ember-cli-reflect,reflect/ember-cli-reflect
|
81e0be8d31feb28a7d13ab64542f7537fea93c76
|
index.js
|
index.js
|
'use strict'
const app = require('app')
const BrowserWindow = require('browser-window')
const Menu = require('menu')
const menuTemplate = require('./menu-template.js')
require('electron-debug')()
let mainWindow = null
function onClosed () {
mainWindow = null
}
function createMainWindow () {
const win = new BrowserWindow({
width: 920,
height: 620,
center: true,
'standard-window': false,
frame: false,
title: 'Blox Party'
})
win.loadUrl('file://' + __dirname + '/index.html')
win.on('closed', onClosed)
return win
}
app.on('window-all-closed', () => {
if (process.platform !== 'darwin') app.quit()
})
app.on('activate-with-no-open-windows', () => {
if (!mainWindow) mainWindow = createMainWindow()
})
app.on('ready', () => {
// Build menu only for OSX
if (Menu.sendActionToFirstResponder) {
Menu.setApplicationMenu(Menu.buildFromTemplate(menuTemplate))
}
mainWindow = createMainWindow()
})
|
'use strict'
const app = require('app')
const BrowserWindow = require('browser-window')
const ipc = require('ipc')
const Menu = require('menu')
const menuTemplate = require('./menu-template.js')
require('electron-debug')()
let mainWindow = null
function onClosed () {
mainWindow = null
}
function createMainWindow () {
const win = new BrowserWindow({
width: 920,
height: 620,
center: true,
'standard-window': false,
frame: false,
title: 'Blox Party'
})
win.loadUrl('file://' + __dirname + '/index.html')
win.on('closed', onClosed)
return win
}
ipc.on('quit', function () {
app.quit()
})
app.on('window-all-closed', () => {
if (process.platform !== 'darwin') app.quit()
})
app.on('activate-with-no-open-windows', () => {
if (!mainWindow) mainWindow = createMainWindow()
})
app.on('ready', () => {
// Build menu only for OSX
if (Menu.sendActionToFirstResponder) {
Menu.setApplicationMenu(Menu.buildFromTemplate(menuTemplate))
}
mainWindow = createMainWindow()
})
|
Use ipc module. Check for existence of Electron.
|
Use ipc module. Check for existence of Electron.
|
JavaScript
|
mit
|
bloxparty/bloxparty,kvnneff/bloxparty,bloxparty/bloxparty,kvnneff/bloxparty
|
91a10fccd6bcf455723fe0c4722a97dd17e19ddc
|
index.js
|
index.js
|
'use strict';
var
platform = require('enyo/platform'),
dispatcher = require('enyo/dispatcher'),
gesture = require('enyo/gesture');
exports = module.exports = require('./lib/options');
exports.version = '2.6.0-pre';
// Override the default holdpulse config to account for greater delays between keydown and keyup
// events in Moonstone with certain input devices.
gesture.drag.configureHoldPulse({
frequency: 200,
events: [{name: 'hold', time: 400}],
resume: false,
moveTolerance: 16,
endHold: 'onMove'
});
/**
* Registers key mappings for webOS-specific device keys related to media control.
*
* @private
*/
if (platform.webos >= 4) {
// Table of default keyCode mappings for webOS device
dispatcher.registerKeyMap({
415 : 'play',
413 : 'stop',
19 : 'pause',
412 : 'rewind',
417 : 'fastforward',
461 : 'back'
});
}
// ensure that these are registered
require('./lib/resolution');
require('./lib/fonts');
|
'use strict';
var
platform = require('enyo/platform'),
dispatcher = require('enyo/dispatcher'),
gesture = require('enyo/gesture');
exports = module.exports = require('./lib/options');
exports.version = '2.6.0-pre';
// Override the default holdpulse config to account for greater delays between keydown and keyup
// events in Moonstone with certain input devices.
gesture.drag.configureHoldPulse({
frequency: 200,
events: [{name: 'hold', time: 400}],
resume: false,
moveTolerance: 1500,
endHold: 'onMove'
});
/**
* Registers key mappings for webOS-specific device keys related to media control.
*
* @private
*/
if (platform.webos >= 4) {
// Table of default keyCode mappings for webOS device
dispatcher.registerKeyMap({
415 : 'play',
413 : 'stop',
19 : 'pause',
412 : 'rewind',
417 : 'fastforward',
461 : 'back'
});
}
// ensure that these are registered
require('./lib/resolution');
require('./lib/fonts');
|
Increase moveTolerance value from 16 to 1500 on configureHoldPulse
|
ENYO-1648: Increase moveTolerance value from 16 to 1500 on configureHoldPulse
Issue:
- The onHoldPulse event is canceled too early when user move mouse abound.
Fix:
- We need higher moveTolerance value to make it stay pulse more on TV.
- Increase moveTolerance value from 16 to 1500 on configureHoldPulse by testing.
DCO-1.1-Signed-Off-By: Kunmyon Choi [email protected]
|
JavaScript
|
apache-2.0
|
enyojs/moonstone
|
81ae02b295ea2dabdc94c81c0aa5afcc8aa9b9b0
|
public/app/project-list/project-featured-controller.js
|
public/app/project-list/project-featured-controller.js
|
define(function() {
var ProjectsFeaturedController = function(ProjectResource) {
this.projects = ProjectResource.list({
// Add feature tags here
'tags[]': []
})
}
ProjectsFeaturedController.$inject = ['ProjectResource']
return ProjectsFeaturedController
})
|
define(function() {
var ProjectsFeaturedController = function(ProjectResource) {
this.projects = ProjectResource.list({
// Add feature tags here
'tags[]': ['noit', 'explore']
})
}
ProjectsFeaturedController.$inject = ['ProjectResource']
return ProjectsFeaturedController
})
|
Edit tags in featured projects controller
|
Edit tags in featured projects controller
|
JavaScript
|
mit
|
tenevdev/idiot,tenevdev/idiot
|
8ea9755b10f7ee7a6e4b06c757c8105a4237e0aa
|
src/swap-case.js
|
src/swap-case.js
|
import R from 'ramda';
import compose from './util/compose.js';
import join from './util/join.js';
import upperCase from './util/upper-case.js';
import lowerCase from './util/lower-case.js';
import isUpperCase from '../src/is-upper-case.js';
// a -> a
const swapCase = compose(
join(''),
R.map(
R.either(
R.both(isUpperCase, lowerCase),
R.both(compose(R.not, isUpperCase), upperCase)
)
)
);
export default swapCase;
|
import R from 'ramda';
import compose from './util/compose.js';
import join from './util/join.js';
import not from './util/not.js';
import upperCase from './util/upper-case.js';
import lowerCase from './util/lower-case.js';
import isUpperCase from '../src/is-upper-case.js';
// a -> a
const swapCase = compose(
join(''),
R.map(
R.either(
R.both(isUpperCase, lowerCase),
R.both(compose(not, isUpperCase), upperCase)
)
)
);
export default swapCase;
|
Refactor swapCase function to use custom not function
|
Refactor swapCase function to use custom not function
|
JavaScript
|
mit
|
restrung/restrung-js
|
02d15a7a06435db9769cac4ae4dccbc756b0b8e4
|
spec/async-spec-helpers.js
|
spec/async-spec-helpers.js
|
// Lifted from Atom
exports.beforeEach = function (fn) {
global.beforeEach(function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
exports.afterEach = function (fn) {
global.afterEach(function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
var matchers = ['it', 'fit', 'ffit', 'fffit'] // inlining this makes things fail wtf.
matchers.forEach(function (name) {
exports[name] = function (description, fn) {
global[name](description, function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
})
function waitsForPromise (fn) {
var promise = fn()
waitsFor('spec promise to resolve', 30000, function (done) {
promise.then(done, function (error) {
jasmine.getEnv().currentSpec.fail(error)
return done()
})
})
}
exports.waitsForPromise = waitsForPromise
|
// Lifted from Atom
exports.beforeEach = function (fn) {
global.beforeEach(function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
exports.afterEach = function (fn) {
global.afterEach(function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
exports.runs = function (fn) {
global.runs(function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
var matchers = ['it', 'fit', 'ffit', 'fffit'] // inlining this makes things fail wtf.
matchers.forEach(function (name) {
exports[name] = function (description, fn) {
global[name](description, function () {
var result = fn()
if (result instanceof Promise) {
waitsForPromise(function () { return result })
}
})
}
})
function waitsForPromise (fn) {
var promise = fn()
waitsFor('spec promise to resolve', 30000, function (done) {
promise.then(done, function (error) {
jasmine.getEnv().currentSpec.fail(error)
return done()
})
})
}
exports.waitsForPromise = waitsForPromise
|
Make async `runs` a bit better.
|
Make async `runs` a bit better.
|
JavaScript
|
mit
|
atom/github,atom/github,atom/github
|
853a002aed8dfaf42e42918cc6d291d4744ffcee
|
tests/date-format.spec.js
|
tests/date-format.spec.js
|
'use strict';
var expect = require('chai').expect;
var validator = require('../');
describe('Date validator', function () {
var simpleRules = {
birthday: ['date-format:YYYY-MM-DD']
};
var getTestObject = function () {
return {
birthday: '1993-09-02',
};
};
it('should success', function () {
var result = validator.validate(simpleRules, getTestObject());
var err = result.messages;
expect(result.success).to.equal(true);
expect(err).to.not.have.property('birthday');
});
it('should fail', function () {
var testObj = getTestObject();
testObj.birthday = '02-09-1993';
var result = validator.validate(simpleRules, testObj);
var err = result.messages;
expect(result.success).to.equal(false);
expect(err).to.have.property('birthday');
expect(err.birthday.date).to.equal('Date format must conform YYYY-MM-DD.');
});
});
|
'use strict';
var expect = require('chai').expect;
var validator = require('../');
describe('Date validator', function () {
var simpleRules = {
birthday: ['date-format:YYYY-MM-DD']
};
var getTestObject = function () {
return {
birthday: '1993-09-02',
};
};
it('should success', function () {
var result = validator.validate(simpleRules, getTestObject());
var err = result.messages;
expect(result.success).to.equal(true);
expect(err).to.not.have.property('birthday');
});
it('should fail', function () {
var testObj = getTestObject();
testObj.birthday = '02-09-1993';
var result = validator.validate(simpleRules, testObj);
var err = result.messages;
expect(result.success).to.equal(false);
expect(err).to.have.property('birthday');
expect(err.birthday['date-format:$1']).to.equal('Birthday must be in format YYYY-MM-DD.');
});
});
|
Update test assertion on validation message
|
Update test assertion on validation message
|
JavaScript
|
mit
|
cermati/satpam,sendyhalim/satpam
|
fedf316d123fe5d6037cdbbcf24e512ea72acf38
|
tuskar_ui/infrastructure/static/infrastructure/js/angular/horizon.number_picker.js
|
tuskar_ui/infrastructure/static/infrastructure/js/angular/horizon.number_picker.js
|
angular.module('horizonApp').directive('hrNumberPicker', function() {
return {
restrict: 'A',
replace: true,
scope: { initial_value: '=value' },
templateUrl: '../../static/infrastructure/angular_templates/numberpicker.html',
link: function(scope, element, attrs) {
input = element.find('input').first();
angular.forEach(element[0].attributes, function(attribute) {
input_attr = input.attr(attribute.nodeName);
if (typeof input_attr === 'undefined' || input_attr === false) {
input.attr(attribute.nodeName, attribute.nodeValue);
}
});
scope.value = scope.initial_value;
scope.disabledInput = (angular.isDefined(attrs.readonly)) ? true : false;
scope.disableArrow = function() {
return (scope.value === 0) ? true : false;
}
scope.incrementValue = function() {
if(!scope.disabledInput) {
scope.value++;
}
}
scope.decrementValue = function() {
if(!scope.disabledInput && scope.value !== 0) {
scope.value--;
}
}
}
};
})
|
angular.module('horizonApp').directive('hrNumberPicker', function() {
return {
restrict: 'A',
replace: true,
scope: { initial_value: '=value' },
templateUrl: '../../static/infrastructure/angular_templates/numberpicker.html',
link: function(scope, element, attrs) {
input = element.find('input').first();
angular.forEach(element[0].attributes, function(attribute) {
input_attr = input.attr(attribute.nodeName);
if (typeof input_attr === 'undefined' || input_attr === false) {
input.attr(attribute.nodeName, attribute.nodeValue);
}
});
scope.value = scope.initial_value;
scope.disabledInput = (angular.isDefined(attrs.readonly)) ? true : false;
scope.disableArrow = function() {
return (scope.value === 0) ? true : false;
};
scope.incrementValue = function() {
if(!scope.disabledInput) {
scope.value++;
}
};
scope.decrementValue = function() {
if(!scope.disabledInput && scope.value !== 0) {
scope.value--;
}
};
}
};
});
|
Add missing semicolons in js
|
Add missing semicolons in js
Change-Id: I1cb8d044766924e554411ce45c3c056139f19078
|
JavaScript
|
apache-2.0
|
rdo-management/tuskar-ui,rdo-management/tuskar-ui,rdo-management/tuskar-ui,rdo-management/tuskar-ui
|
61909991a69685cc68625f98223337b1cdfd2770
|
server/game/playattachmentaction.js
|
server/game/playattachmentaction.js
|
const BaseAbility = require('./baseability.js');
const Costs = require('./costs.js');
class PlayAttachmentAction extends BaseAbility {
constructor() {
super({
cost: [
Costs.payReduceableFateCost('play'),
Costs.playLimited()
],
target: {
cardCondition: (card, context) => context.source.owner.canAttach(context.source, card)
}
});
this.title = 'PlayAttachmentAction';
}
meetsRequirements(context) {
return (
context.game.currentPhase !== 'dynasty' &&
context.source.getType() === 'attachment' &&
context.source.location === 'hand' &&
context.source.canPlay()
);
}
executeHandler(context) {
context.player.attach(context.source, context.target);
}
isCardPlayed() {
return true;
}
isCardAbility() {
return false;
}
}
module.exports = PlayAttachmentAction;
|
const BaseAbility = require('./baseability.js');
const Costs = require('./costs.js');
class PlayAttachmentAction extends BaseAbility {
constructor() {
super({
cost: [
Costs.payReduceableFateCost('play'),
Costs.playLimited()
],
target: {
cardCondition: (card, context) => context.source.owner.canAttach(context.source, card)
}
});
this.title = 'PlayAttachmentAction';
}
meetsRequirements(context) {
return (
context.game.currentPhase !== 'dynasty' &&
context.source.getType() === 'attachment' &&
context.source.location === 'hand' &&
context.source.canPlay()
);
}
executeHandler(context) {
context.player.attach(context.source, context.target);
context.game.addMessage('0} plays {1}, attaching it to {2}', context.player, context.source, context.target);
}
isCardPlayed() {
return true;
}
isCardAbility() {
return false;
}
}
module.exports = PlayAttachmentAction;
|
Add game message to play attachment
|
Add game message to play attachment
|
JavaScript
|
mit
|
gryffon/ringteki,jeremylarner/ringteki,jeremylarner/ringteki,jeremylarner/ringteki,gryffon/ringteki,gryffon/ringteki
|
e97915274bcbf7c202656257645884a5c3b1adcb
|
app/scripts/models/item.js
|
app/scripts/models/item.js
|
define([
'underscore',
'jquery',
'models/resource',
'collections/bullet',
'collections/paragraph'
], function (_, $, Resource, BulletCollection, ParagraphCollection) {
'use strict';
var ItemModel = Resource.extend({
defaults: {
name: '',
title: '',
heading: ''
},
resource: 'item',
hasMany: ['bullets', 'paragraphs'],
initialize: function(attributes, options) {
this.set('bullets', new BulletCollection(
attributes.bullets
));
this.set('paragraphs', new ParagraphCollection(
attributes.paragraphs
));
},
bulletIds: function() {
return this.get('bullets').map(function(bullet) {
return bullet.id;
});
},
parse: function(response) {
if (response.item) {
return response.item;
} else {
return response;
}
}
});
return ItemModel;
});
|
define([
'underscore',
'jquery',
'models/resource',
'collections/bullet',
'collections/paragraph'
], function (_, $, Resource, BulletCollection, ParagraphCollection) {
'use strict';
var ItemModel = Resource.extend({
defaults: {
name: '',
title: '',
heading: ''
},
resource: 'item',
hasMany: ['bullets', 'paragraphs'],
initialize: function(attributes, options) {
this.set('bullets', new BulletCollection(
attributes.bullets
));
this.set('paragraphs', new ParagraphCollection(
attributes.paragraphs
));
},
bulletIds: function() {
return this.get('bullets').map(function(bullet) {
return bullet.id;
});
},
paragraphIds: function() {
return this.get('paragraphs').map(function(paragraph) {
return paragraph.id;
});
},
parse: function(response) {
if (response.item) {
return response.item;
} else {
return response;
}
}
});
return ItemModel;
});
|
Add paragraphIds method to Item model.
|
Add paragraphIds method to Item model.
|
JavaScript
|
mit
|
jmflannery/jackflannery.me,jmflannery/jackflannery.me,jmflannery/rez-backbone,jmflannery/rez-backbone
|
abd5c2ec804e65cc621b4f82f67992b3cf1b24f8
|
src/sal.js
|
src/sal.js
|
import './sal.scss';
let options = {
rootMargin: '0px',
threshold: 0,
animateClassName: 'sal-animate',
selector: '[data-sal]',
disableFor: null,
};
let elements = [];
let intersectionObserver = null;
const animate = element => (
element.classList.add(options.animateClassName)
);
const isAnimated = element => (
element.classList.contains(options.animateClassName)
);
const onIntersection = (entries, observer) => {
entries.forEach((entry) => {
if (entry.intersectionRatio > 0) {
observer.unobserve(entry.target);
animate(entry.target);
}
});
};
const disable = () => {
intersectionObserver.disconnect();
intersectionObserver = null;
};
const enable = () => {
intersectionObserver = new IntersectionObserver(onIntersection, {
rootMargin: options.rootMargin,
threshold: options.threshold,
});
elements = [].filter.call(
document.querySelectorAll(options.selector),
element => !isAnimated(element, options.animateClassName),
);
elements.forEach(element => intersectionObserver.observe(element));
};
const init = (settings = options) => {
if (settings !== options) {
options = {
...options,
...settings,
};
}
if (!options.disableFor) {
enable();
}
return {
elements,
disable,
enable,
};
};
export default init;
|
import './sal.scss';
let options = {
rootMargin: '0px',
threshold: 0.5,
animateClassName: 'sal-animate',
selector: '[data-sal]',
once: true,
disableFor: null,
};
let elements = [];
let intersectionObserver = null;
const animate = element => (
element.classList.add(options.animateClassName)
);
const reverse = element => (
element.classList.remove(options.animateClassName)
);
const isAnimated = element => (
element.classList.contains(options.animateClassName)
);
const onIntersection = (entries, observer) => {
entries.forEach((entry) => {
if (entry.intersectionRatio > 0) {
animate(entry.target);
if (!options.once) {
observer.unobserve(entry.target);
}
} else if (!options.once) {
reverse(entry.target);
}
});
};
const disable = () => {
intersectionObserver.disconnect();
intersectionObserver = null;
};
const enable = () => {
intersectionObserver = new IntersectionObserver(onIntersection, {
rootMargin: options.rootMargin,
threshold: options.threshold,
});
elements = [].filter.call(
document.querySelectorAll(options.selector),
element => !isAnimated(element, options.animateClassName),
);
elements.forEach(element => intersectionObserver.observe(element));
};
const init = (settings = options) => {
if (settings !== options) {
options = {
...options,
...settings,
};
}
if (!options.disableFor) {
enable();
}
return {
elements,
disable,
enable,
};
};
export default init;
|
Add once option to manage working mode. Fix threshold value.
|
Add once option to manage working mode. Fix threshold value.
|
JavaScript
|
mit
|
mciastek/sal,mciastek/sal
|
a46ff61e935bd029ddde1a6610fea27479e47777
|
src/services/fetchStats.js
|
src/services/fetchStats.js
|
import fetch from 'node-fetch';
import { hashToHypen } from './formatText';
import { API_URL, HTTP_HEADERS } from '../constants';
const headers = HTTP_HEADERS;
const fetchStats = (battletag) => {
const url = `${API_URL}/${hashToHypen(battletag)}/blob`;
return fetch(encodeURI(url), { headers })
.then((response) => response.json())
.catch((error) => console.log(error));
};
export default fetchStats;
|
import fetch from 'node-fetch';
import { hashToHypen } from './formatText';
import { API_URL, HTTP_HEADERS } from '../constants';
const headers = HTTP_HEADERS;
const fetchStats = (battletag,platform) => {
const url = `${API_URL}/${hashToHypen(battletag)}/blob?platform=${platform}`;
return fetch(encodeURI(url), { headers })
.then((response) => response.json())
.catch((error) => console.log(error));
};
export default fetchStats;
|
Add console support, p. 2
|
Add console support, p. 2
|
JavaScript
|
mit
|
chesterhow/overwatch-telegram-bot
|
a266f3dd6007a87ae96e31f847c6768dc7e2e807
|
corehq/apps/style/static/style/js/daterangepicker.config.js
|
corehq/apps/style/static/style/js/daterangepicker.config.js
|
$(function () {
'use strict';
$.fn.getDateRangeSeparator = function () {
return ' to ';
};
$.fn.createBootstrap3DateRangePicker = function(
range_labels, separator, startdate, enddate
) {
var now = moment();
var ranges = {};
ranges[range_labels.last_7_days] = [
moment().subtract('7', 'days').startOf('days')
];
ranges[range_labels.last_month] = [
moment().subtract('1', 'months').startOf('month'),
moment().subtract('1', 'months').endOf('month')
];
ranges[range_labels.last_30_days] = [
moment().subtract('30', 'days').startOf('days')
];
var config = {
showDropdowns: true,
ranges: ranges,
locale: {
format: 'YYYY-MM-DD',
separator: separator
}
};
if (!_.isEmpty(startdate) && !_.isEmpty(enddate)) {
config.startDate = new Date(startdate);
config.endDate = new Date(enddate);
}
$(this).daterangepicker(config);
};
$.fn.createBootstrap3DefaultDateRangePicker = function () {
this.createBootstrap3DateRangePicker(
{
last_7_days: 'Last 7 Days',
last_month: 'Last Month',
last_30_days: 'Last 30 Days'
},
this.getDateRangeSeparator()
);
};
});
|
$(function () {
'use strict';
$.fn.getDateRangeSeparator = function () {
return ' to ';
};
$.fn.createBootstrap3DateRangePicker = function(
range_labels, separator, startdate, enddate
) {
var now = moment();
var ranges = {};
ranges[range_labels.last_7_days] = [
moment().subtract('7', 'days').startOf('days')
];
ranges[range_labels.last_month] = [
moment().subtract('1', 'months').startOf('month'),
moment().subtract('1', 'months').endOf('month')
];
ranges[range_labels.last_30_days] = [
moment().subtract('30', 'days').startOf('days')
];
var config = {
showDropdowns: true,
ranges: ranges,
locale: {
format: 'YYYY-MM-DD',
separator: separator
}
};
var hasStartAndEndDate = !_.isEmpty(startdate) && !_.isEmpty(enddate);
if (hasStartAndEndDate) {
config.startDate = new Date(startdate);
config.endDate = new Date(enddate);
}
$(this).daterangepicker(config);
if (! hasStartAndEndDate){
$(this).val("");
}
};
$.fn.createBootstrap3DefaultDateRangePicker = function () {
this.createBootstrap3DateRangePicker(
{
last_7_days: 'Last 7 Days',
last_month: 'Last Month',
last_30_days: 'Last 30 Days'
},
this.getDateRangeSeparator()
);
};
});
|
Clear date range picker if no start and end date given
|
Clear date range picker if no start and end date given
|
JavaScript
|
bsd-3-clause
|
dimagi/commcare-hq,dimagi/commcare-hq,qedsoftware/commcare-hq,qedsoftware/commcare-hq,dimagi/commcare-hq,qedsoftware/commcare-hq,dimagi/commcare-hq,qedsoftware/commcare-hq,dimagi/commcare-hq,qedsoftware/commcare-hq
|
dfaacd1183f244f94b190084a882dc6038bfcd9e
|
src/lib/libraries/sound-tags.js
|
src/lib/libraries/sound-tags.js
|
export default [
{title: 'Animal'},
{title: 'Effects'},
{title: 'Loops'},
{title: 'Notes'},
{title: 'Percussion'},
{title: 'Space'},
{title: 'Sports'},
{title: 'Voice'},
{title: 'Wacky'}
];
|
export default [
{title: 'Animals'},
{title: 'Effects'},
{title: 'Loops'},
{title: 'Notes'},
{title: 'Percussion'},
{title: 'Space'},
{title: 'Sports'},
{title: 'Voice'},
{title: 'Wacky'}
];
|
Fix category label for sound library
|
Fix category label for sound library
|
JavaScript
|
bsd-3-clause
|
LLK/scratch-gui,cwillisf/scratch-gui,LLK/scratch-gui,cwillisf/scratch-gui,cwillisf/scratch-gui
|
b4d669c8bc71f7938475130ade97e041d847f077
|
src/config.js
|
src/config.js
|
/**
* Configuration module
*/
var path = require('path');
var fs = require('fs');
var lodash = require('lodash');
var jsonlint = require('json-lint');
var print = require('./print.js');
module.exports = {
read: read
};
var defaultConfig = {
'source': './',
'destination': './situs',
'ignore': [
'node_modules/**/*'
],
'port': 4000,
'noConfig': false,
'global': {}
};
function read(filePath, callback) {
fs.exists(filePath, function (exists) {
if (!exists) {
// Add compiled dir in ignore list
defaultConfig.ignore.push('situs/**/*');
defaultConfig.noConfig = true;
return callback(null, defaultConfig);
}
fs.readFile(filePath, 'utf8', function (error, data) {
if (error) {
return callback(error);
}
var lint = jsonlint(data, {comments:false});
if (lint.error) {
error = 'Syntax error on situs.json:'+lint.line+'.\n'+lint.error;
return callback(error);
}
var obj = lodash.extend(defaultConfig, JSON.parse(data));
// Add compiled dir in ignore list
obj.ignore.push('!'+path.normalize(obj.destination)+'/**/*');
return callback(null, obj);
});
});
}
|
/**
* Configuration module
*/
var path = require('path');
var fs = require('fs');
var lodash = require('lodash');
var jsonlint = require('json-lint');
var print = require('./print.js');
module.exports = {
read: read
};
var defaultConfig = {
'source': './',
'destination': './situs',
'ignore': [
'node_modules/**/*'
],
'port': 4000,
'noConfig': false,
'global': {}
};
function read(filePath, callback) {
fs.exists(filePath, function (exists) {
if (!exists) {
// Add compiled dir in ignore list
defaultConfig.ignore.push('situs/**/*');
defaultConfig.noConfig = true;
return callback(null, defaultConfig);
}
fs.readFile(filePath, 'utf8', function (error, data) {
if (error) {
return callback(error);
}
var lint = jsonlint(data, {comments:false});
if (lint.error) {
error = 'Syntax error on situs.json:'+lint.line+'.\n'+lint.error;
return callback(error);
}
var obj = lodash.extend(defaultConfig, JSON.parse(data));
// Add compiled dir in ignore list
obj.ignore.push(path.normalize(obj.destination)+'/**/*');
return callback(null, obj);
});
});
}
|
Fix additional "!" when push ignore list
|
Fix additional "!" when push ignore list
|
JavaScript
|
mit
|
fians/situs
|
14689228a91934327620537a8930a005d020ef79
|
src/models/message_comparator.js
|
src/models/message_comparator.js
|
var logger = require('../utils/logger')('MessageComparator'),
Response = require('./response');
/**
* Represents a MessageComparator capable of determining whether an
* incoming message must be relayed to a module or not.
* @param {RegExp} regex Regex to which every incoming
* message will be tested against
* @param {Function} callback Callback function that will be called
* when a given message is matched by the
* provided regex
* @constructor
*/
var MessageComparator = function(regex, callback) {
this.regex = regex;
this.callback = callback;
logger.verbose('Registered message: ' + regex);
};
MessageComparator.prototype = {
/**
* Checks and executes the callback on a given message in an Envelope
* @param {Envelope} envelope Envelope containing a message
* to be checked
* @return {Bool} Whether the callback was called or not
*/
call: function(envelope) {
var match = this.regex.exec(envelope.text);
if(!!match) {
logger.verbose('Message ' + envelope.text + ' matched regex ' + this.regex);
envelope.stopPropagation = true;
this.callback(new Response(envelope, match));
return true;
}
return false;
}
};
module.exports = MessageComparator;
|
var logger = require('../utils/logger')('MessageComparator'),
Response = require('./response');
/**
* Represents a MessageComparator capable of determining whether an
* incoming message must be relayed to a module or not.
* @param {RegExp} regex Regex to which every incoming
* message will be tested against
* @param {Function} callback Callback function that will be called
* when a given message is matched by the
* provided regex
* @constructor
*/
var MessageComparator = function(moduleName, regex, callback) {
this.regex = regex;
this.callback = callback;
this.moduleName = moduleName;
this.suspended = false;
logger.verbose('Registered message: ' + regex);
};
MessageComparator.prototype = {
/**
* Checks and executes the callback on a given message in an Envelope
* @param {Envelope} envelope Envelope containing a message
* to be checked
* @return {Bool} Whether the callback was called or not
*/
call: function(envelope) {
if(this.suspended) {
return false;
}
var match = this.regex.exec(envelope.text);
if(!!match) {
logger.verbose('Message ' + envelope.text + ' matched regex ' + this.regex);
envelope.stopPropagation = true;
this.callback(new Response(envelope, match));
return true;
}
return false;
},
/**
* Sets the suspension state of this MessageComparator. Setting it to true, prevents it
* from matching messages and calling its module.
* @param {Boolean} newState New suspension state of this MessageComparator
* @since 2.0
*/
setSuspensionState: function(newState) {
this.suspended = newState;
}
};
module.exports = MessageComparator;
|
Add suspension capabilities to MessageComparator
|
Add suspension capabilities to MessageComparator
|
JavaScript
|
mit
|
victorgama/Giskard,victorgama/Giskard,victorgama/Giskard
|
d53ad4bf24b431086605670c73b78f743d2bb9cc
|
tests/Bamboo/Fixtures/episodes_recommendations.js
|
tests/Bamboo/Fixtures/episodes_recommendations.js
|
module.exports = function (creator, fixtureName) {
return creator.createFixture('/episodes/p00y1h7j/recommendations').then(function (fixture) {
fixture.save(fixtureName);
});
};
|
module.exports = function (creator, fixtureName) {
return creator.createFixture('/episodes/p00y1h7j/recommendations').then(function (fixture) {
fixture.addEpisode();
fixture.save(fixtureName);
});
};
|
Fix recommendations fixture for when no recomendations are returned by iBL
|
Fix recommendations fixture for when no recomendations are returned by iBL
|
JavaScript
|
mit
|
DaMouse404/bamboo,DaMouse404/bamboo,DaMouse404/bamboo
|
6a3d5e602529c7991a94ae5c9df79083bca6829c
|
04-responsive/Gruntfile.js
|
04-responsive/Gruntfile.js
|
/*global module:false*/
module.exports = function(grunt) {
// Project configuration.
grunt.initConfig({
// Task configuration.
watch: {
lib_test: {
files: [ 'styles/**/*.css', '*.html' ],
tasks: [],
options: {
livereload: true
}
}
}
});
// These plugins provide necessary tasks.
grunt.loadNpmTasks('grunt-contrib-watch');
// Default task.
grunt.registerTask('default', ['watch']);
};
|
/*global module:false*/
module.exports = function(grunt) {
// Project configuration.
grunt.initConfig({
// Task configuration.
watch: {
lib_test: {
files: [ '*.css', '*.html' ],
tasks: [],
options: {
livereload: true
}
}
}
});
// These plugins provide necessary tasks.
grunt.loadNpmTasks('grunt-contrib-watch');
// Default task.
grunt.registerTask('default', ['watch']);
};
|
Watch styles in main folder
|
Watch styles in main folder
|
JavaScript
|
mit
|
hkdobrev/softuni-html-exam
|
1f1d8af3e6e8a98113daeec8f3e554b47c876ce0
|
assets/js/components/settings-notice.js
|
assets/js/components/settings-notice.js
|
/**
* Settings notice component.
*
* Site Kit by Google, Copyright 2020 Google LLC
*
* 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
*
* https://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.
*/
/**
* External dependencies
*/
import PropTypes from 'prop-types';
export default function SettingsNotice( { message } ) {
if ( ! message ) {
return null;
}
return (
<div className="googlesitekit-settings-notice">
<div className="googlesitekit-settings-notice__text">
{ message }
</div>
</div>
);
}
SettingsNotice.propTypes = {
message: PropTypes.string.isRequired,
};
|
/**
* Settings notice component.
*
* Site Kit by Google, Copyright 2020 Google LLC
*
* 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
*
* https://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.
*/
/**
* External dependencies
*/
import PropTypes from 'prop-types';
import classnames from 'classnames';
export default function SettingsNotice( { message, isSuggestion } ) {
if ( ! message ) {
return null;
}
return (
<div
className={ classnames(
'googlesitekit-settings-notice',
{ 'googlesitekit-settings-notice--suggestion': isSuggestion }
) }
>
<div className="googlesitekit-settings-notice__text">
{ message }
</div>
</div>
);
}
SettingsNotice.propTypes = {
message: PropTypes.string.isRequired,
isSuggestion: PropTypes.bool,
};
|
Add support for suggestion style to SettingsNotice component.
|
Add support for suggestion style to SettingsNotice component.
|
JavaScript
|
apache-2.0
|
google/site-kit-wp,google/site-kit-wp,google/site-kit-wp,google/site-kit-wp
|
a5463c4c1021009be6958c3821605e8b803edc45
|
local-cli/run-packager.js
|
local-cli/run-packager.js
|
'use strict';
var path = require('path');
var child_process = require('child_process');
module.exports = function(newWindow) {
if (newWindow) {
var launchPackagerScript =
path.resolve(__dirname, '..', 'packager', 'launchPackager.command');
if (process.platform === 'darwin') {
child_process.spawnSync('open', [launchPackagerScript]);
} else if (process.platform === 'linux') {
child_process.spawn(
'xterm',
['-e', 'sh', launchPackagerScript],
{detached: true});
}
} else {
child_process.spawn('sh', [
path.resolve(__dirname, '..', 'packager', 'packager.sh'),
'--projectRoots',
process.cwd(),
], {stdio: 'inherit'});
}
};
|
'use strict';
var path = require('path');
var child_process = require('child_process');
module.exports = function(newWindow) {
if (newWindow) {
var launchPackagerScript =
path.resolve(__dirname, '..', 'packager', 'launchPackager.command');
if (process.platform === 'darwin') {
child_process.spawnSync('open', [launchPackagerScript]);
} else if (process.platform === 'linux') {
child_process.spawn(
'xterm',
['-e', 'sh', launchPackagerScript],
{detached: true});
}
} else {
if (/^win/.test(process.platform)) {
child_process.spawn('node', [
path.resolve(__dirname, '..', 'packager', 'packager.js'),
'--projectRoots',
process.cwd(),
], {stdio: 'inherit'});
} else {
child_process.spawn('sh', [
path.resolve(__dirname, '..', 'packager', 'packager.sh'),
'--projectRoots',
process.cwd(),
], {stdio: 'inherit'});
}
}
};
|
Fix 'react-native start' on Windows
|
[cli] Fix 'react-native start' on Windows
Based on https://github.com/facebook/react-native/pull/2989
Thanks @BerndWessels!
|
JavaScript
|
bsd-3-clause
|
machard/react-native,Tredsite/react-native,cdlewis/react-native,myntra/react-native,ankitsinghania94/react-native,mrngoitall/react-native,hzgnpu/react-native,negativetwelve/react-native,CntChen/react-native,Maxwell2022/react-native,lprhodes/react-native,makadaw/react-native,philonpang/react-native,wesley1001/react-native,naoufal/react-native,csatf/react-native,a2/react-native,rebeccahughes/react-native,darkrishabh/react-native,shinate/react-native,ptmt/react-native-macos,myntra/react-native,esauter5/react-native,ptomasroos/react-native,wenpkpk/react-native,Emilios1995/react-native,xiayz/react-native,luqin/react-native,jasonnoahchoi/react-native,tsjing/react-native,glovebx/react-native,lelandrichardson/react-native,orenklein/react-native,Tredsite/react-native,puf/react-native,jadbox/react-native,foghina/react-native,thotegowda/react-native,tadeuzagallo/react-native,Swaagie/react-native,shinate/react-native,aaron-goshine/react-native,kassens/react-native,vjeux/react-native,chirag04/react-native,pvinis/react-native-desktop,almost/react-native,glovebx/react-native,chetstone/react-native,foghina/react-native,patoroco/react-native,dubert/react-native,kushal/react-native,Intellicode/react-native,lprhodes/react-native,satya164/react-native,catalinmiron/react-native,jaggs6/react-native,mrspeaker/react-native,mironiasty/react-native,eduvon0220/react-native,alin23/react-native,myntra/react-native,mchinyakov/react-native,skatpgusskat/react-native,doochik/react-native,jevakallio/react-native,DannyvanderJagt/react-native,iodine/react-native,shrutic123/react-native,happypancake/react-native,aaron-goshine/react-native,a2/react-native,christopherdro/react-native,miracle2k/react-native,makadaw/react-native,lelandrichardson/react-native,eduardinni/react-native,Andreyco/react-native,NZAOM/react-native,Bhullnatik/react-native,gitim/react-native,aljs/react-native,dvcrn/react-native,imjerrybao/react-native,cdlewis/react-native,ehd/react-native,lprhodes/react-native,sghiassy/react-native,mchinyakov/react-native,mchinyakov/react-native,BretJohnson/react-native,clozr/react-native,imDangerous/react-native,puf/react-native,ehd/react-native,forcedotcom/react-native,shrutic/react-native,foghina/react-native,hammerandchisel/react-native,NZAOM/react-native,Intellicode/react-native,jeanblanchard/react-native,pglotov/react-native,ProjectSeptemberInc/react-native,ankitsinghania94/react-native,ptomasroos/react-native,ptomasroos/react-native,glovebx/react-native,peterp/react-native,orenklein/react-native,wesley1001/react-native,nickhudkins/react-native,mironiasty/react-native,zenlambda/react-native,quyixia/react-native,myntra/react-native,lelandrichardson/react-native,udnisap/react-native,adamjmcgrath/react-native,facebook/react-native,gre/react-native,peterp/react-native,gre/react-native,Andreyco/react-native,shrutic123/react-native,kassens/react-native,htc2u/react-native,makadaw/react-native,Purii/react-native,philikon/react-native,cdlewis/react-native,vjeux/react-native,facebook/react-native,mihaigiurgeanu/react-native,dikaiosune/react-native,miracle2k/react-native,yamill/react-native,exponent/react-native,chirag04/react-native,DanielMSchmidt/react-native,chetstone/react-native,bradbumbalough/react-native,ehd/react-native,ehd/react-native,dubert/react-native,clozr/react-native,MattFoley/react-native,tsjing/react-native,makadaw/react-native,dubert/react-native,pglotov/react-native,iodine/react-native,sospartan/react-native,adamkrell/react-native,kesha-antonov/react-native,YComputer/react-native,hzgnpu/react-native,wesley1001/react-native,gre/react-native,mironiasty/react-native,frantic/react-native,Livyli/react-native,andrewljohnson/react-native,cpunion/react-native,clozr/react-native,farazs/react-native,ptmt/react-native-macos,BretJohnson/react-native,machard/react-native,catalinmiron/react-native,jhen0409/react-native,pandiaraj44/react-native,yamill/react-native,gilesvangruisen/react-native,yzarubin/react-native,jasonnoahchoi/react-native,bsansouci/react-native,Bhullnatik/react-native,dikaiosune/react-native,catalinmiron/react-native,a2/react-native,NZAOM/react-native,ndejesus1227/react-native,forcedotcom/react-native,Swaagie/react-native,rickbeerendonk/react-native,sospartan/react-native,dvcrn/react-native,dabit3/react-native,javache/react-native,catalinmiron/react-native,formatlos/react-native,pglotov/react-native,Swaagie/react-native,almost/react-native,gitim/react-native,ehd/react-native,mrngoitall/react-native,glovebx/react-native,Maxwell2022/react-native,gilesvangruisen/react-native,lloydho/react-native,lprhodes/react-native,janicduplessis/react-native,andrewljohnson/react-native,aaron-goshine/react-native,philikon/react-native,kesha-antonov/react-native,philonpang/react-native,shrutic123/react-native,hammerandchisel/react-native,kesha-antonov/react-native,vjeux/react-native,csatf/react-native,janicduplessis/react-native,kushal/react-native,Guardiannw/react-native,sospartan/react-native,kassens/react-native,DannyvanderJagt/react-native,bsansouci/react-native,imjerrybao/react-native,gre/react-native,CodeLinkIO/react-native,gitim/react-native,Purii/react-native,marlonandrade/react-native,happypancake/react-native,ultralame/react-native,puf/react-native,CntChen/react-native,kassens/react-native,happypancake/react-native,tgoldenberg/react-native,apprennet/react-native,programming086/react-native,aljs/react-native,mrngoitall/react-native,glovebx/react-native,Emilios1995/react-native,nsimmons/react-native,Maxwell2022/react-native,bradbumbalough/react-native,patoroco/react-native,jasonnoahchoi/react-native,Tredsite/react-native,dabit3/react-native,mihaigiurgeanu/react-native,Guardiannw/react-native,orenklein/react-native,darkrishabh/react-native,esauter5/react-native,dabit3/react-native,hzgnpu/react-native,dikaiosune/react-native,naoufal/react-native,ProjectSeptemberInc/react-native,jeanblanchard/react-native,exponent/react-native,DerayGa/react-native,pandiaraj44/react-native,dralletje/react-native,andrewljohnson/react-native,ankitsinghania94/react-native,esauter5/react-native,programming086/react-native,ptmt/react-native-macos,jevakallio/react-native,quyixia/react-native,chetstone/react-native,lloydho/react-native,exponent/react-native,jhen0409/react-native,Emilios1995/react-native,YComputer/react-native,peterp/react-native,wenpkpk/react-native,CodeLinkIO/react-native,Purii/react-native,Bhullnatik/react-native,zenlambda/react-native,tsjing/react-native,doochik/react-native,happypancake/react-native,mironiasty/react-native,yamill/react-native,callstack-io/react-native,chnfeeeeeef/react-native,dubert/react-native,udnisap/react-native,thotegowda/react-native,martinbigio/react-native,sospartan/react-native,timfpark/react-native,adamkrell/react-native,mrngoitall/react-native,sospartan/react-native,hoastoolshop/react-native,Livyli/react-native,DannyvanderJagt/react-native,pglotov/react-native,aaron-goshine/react-native,adamjmcgrath/react-native,a2/react-native,chirag04/react-native,eduardinni/react-native,Ehesp/react-native,javache/react-native,kesha-antonov/react-native,doochik/react-native,Emilios1995/react-native,exponentjs/rex,imDangerous/react-native,bradbumbalough/react-native,dabit3/react-native,hayeah/react-native,jadbox/react-native,Guardiannw/react-native,exponent/react-native,pjcabrera/react-native,naoufal/react-native,htc2u/react-native,brentvatne/react-native,Emilios1995/react-native,jaggs6/react-native,salanki/react-native,martinbigio/react-native,machard/react-native,catalinmiron/react-native,mchinyakov/react-native,jevakallio/react-native,peterp/react-native,pglotov/react-native,peterp/react-native,thotegowda/react-native,jasonnoahchoi/react-native,kassens/react-native,kushal/react-native,Bhullnatik/react-native,cdlewis/react-native,ultralame/react-native,lelandrichardson/react-native,shrutic/react-native,xiayz/react-native,javache/react-native,adamkrell/react-native,miracle2k/react-native,negativetwelve/react-native,christopherdro/react-native,mchinyakov/react-native,ultralame/react-native,aljs/react-native,ndejesus1227/react-native,alin23/react-native,lelandrichardson/react-native,CodeLinkIO/react-native,jaggs6/react-native,ultralame/react-native,callstack-io/react-native,browniefed/react-native,jaggs6/react-native,HealthyWealthy/react-native,adamkrell/react-native,nathanajah/react-native,nsimmons/react-native,shrutic/react-native,tadeuzagallo/react-native,Swaagie/react-native,adamkrell/react-native,tszajna0/react-native,Ehesp/react-native,rickbeerendonk/react-native,cpunion/react-native,eduardinni/react-native,hzgnpu/react-native,tarkus/react-native-appletv,shinate/react-native,janicduplessis/react-native,hayeah/react-native,farazs/react-native,wenpkpk/react-native,shrutic123/react-native,elliottsj/react-native,satya164/react-native,Ehesp/react-native,hzgnpu/react-native,sospartan/react-native,almost/react-native,PlexChat/react-native,DannyvanderJagt/react-native,apprennet/react-native,negativetwelve/react-native,foghina/react-native,dralletje/react-native,kushal/react-native,doochik/react-native,almost/react-native,ankitsinghania94/react-native,javache/react-native,ptmt/react-native-macos,hoangpham95/react-native,dikaiosune/react-native,brentvatne/react-native,ankitsinghania94/react-native,gre/react-native,gitim/react-native,exponent/react-native,CodeLinkIO/react-native,exponent/react-native,chetstone/react-native,iodine/react-native,corbt/react-native,formatlos/react-native,dikaiosune/react-native,chnfeeeeeef/react-native,exponentjs/react-native,imjerrybao/react-native,chnfeeeeeef/react-native,philonpang/react-native,ptomasroos/react-native,orenklein/react-native,shrutic123/react-native,peterp/react-native,christopherdro/react-native,sghiassy/react-native,YComputer/react-native,udnisap/react-native,CntChen/react-native,mihaigiurgeanu/react-native,salanki/react-native,Intellicode/react-native,luqin/react-native,salanki/react-native,salanki/react-native,NZAOM/react-native,cdlewis/react-native,spicyj/react-native,exponent/react-native,tadeuzagallo/react-native,marlonandrade/react-native,almost/react-native,programming086/react-native,HealthyWealthy/react-native,ultralame/react-native,PlexChat/react-native,a2/react-native,nickhudkins/react-native,rickbeerendonk/react-native,alin23/react-native,aaron-goshine/react-native,yzarubin/react-native,chirag04/react-native,eduardinni/react-native,makadaw/react-native,dralletje/react-native,Swaagie/react-native,adamkrell/react-native,udnisap/react-native,naoufal/react-native,wesley1001/react-native,ankitsinghania94/react-native,mihaigiurgeanu/react-native,makadaw/react-native,hoangpham95/react-native,CntChen/react-native,gilesvangruisen/react-native,jevakallio/react-native,exponentjs/rex,rickbeerendonk/react-native,marlonandrade/react-native,orenklein/react-native,chnfeeeeeef/react-native,mihaigiurgeanu/react-native,arbesfeld/react-native,yamill/react-native,dvcrn/react-native,clozr/react-native,esauter5/react-native,pjcabrera/react-native,sghiassy/react-native,Andreyco/react-native,mrngoitall/react-native,MattFoley/react-native,lloydho/react-native,YComputer/react-native,udnisap/react-native,tadeuzagallo/react-native,dubert/react-native,wesley1001/react-native,pjcabrera/react-native,sghiassy/react-native,bradbumbalough/react-native,nathanajah/react-native,callstack-io/react-native,ndejesus1227/react-native,BretJohnson/react-native,DanielMSchmidt/react-native,darkrishabh/react-native,Livyli/react-native,formatlos/react-native,chnfeeeeeef/react-native,arbesfeld/react-native,alin23/react-native,foghina/react-native,aljs/react-native,skatpgusskat/react-native,nsimmons/react-native,arthuralee/react-native,jhen0409/react-native,luqin/react-native,MattFoley/react-native,tsjing/react-native,bsansouci/react-native,jaggs6/react-native,shrutic/react-native,mironiasty/react-native,Bhullnatik/react-native,yzarubin/react-native,cpunion/react-native,nathanajah/react-native,Guardiannw/react-native,patoroco/react-native,jadbox/react-native,almost/react-native,formatlos/react-native,charlesvinette/react-native,apprennet/react-native,Livyli/react-native,apprennet/react-native,HealthyWealthy/react-native,a2/react-native,jadbox/react-native,foghina/react-native,a2/react-native,skevy/react-native,wesley1001/react-native,DanielMSchmidt/react-native,kesha-antonov/react-native,corbt/react-native,patoroco/react-native,cosmith/react-native,ProjectSeptemberInc/react-native,sghiassy/react-native,marlonandrade/react-native,Ehesp/react-native,programming086/react-native,PlexChat/react-native,shrimpy/react-native,pjcabrera/react-native,jeffchienzabinet/react-native,Andreyco/react-native,xiayz/react-native,makadaw/react-native,facebook/react-native,gitim/react-native,jhen0409/react-native,apprennet/react-native,dabit3/react-native,dikaiosune/react-native,Maxwell2022/react-native,cdlewis/react-native,marlonandrade/react-native,browniefed/react-native,facebook/react-native,shrimpy/react-native,puf/react-native,facebook/react-native,miracle2k/react-native,yzarubin/react-native,programming086/react-native,arthuralee/react-native,quyixia/react-native,naoufal/react-native,ProjectSeptemberInc/react-native,happypancake/react-native,Livyli/react-native,satya164/react-native,jaredly/react-native,nsimmons/react-native,nickhudkins/react-native,lprhodes/react-native,puf/react-native,machard/react-native,tszajna0/react-native,Emilios1995/react-native,almost/react-native,rickbeerendonk/react-native,Purii/react-native,farazs/react-native,NZAOM/react-native,CodeLinkIO/react-native,nickhudkins/react-native,satya164/react-native,hoastoolshop/react-native,chnfeeeeeef/react-native,tarkus/react-native-appletv,CodeLinkIO/react-native,shinate/react-native,tsjing/react-native,xiayz/react-native,InterfaceInc/react-native,lloydho/react-native,adamjmcgrath/react-native,kushal/react-native,charlesvinette/react-native,martinbigio/react-native,corbt/react-native,timfpark/react-native,cpunion/react-native,andrewljohnson/react-native,gre/react-native,BretJohnson/react-native,arthuralee/react-native,forcedotcom/react-native,arbesfeld/react-native,alin23/react-native,ehd/react-native,chirag04/react-native,gilesvangruisen/react-native,shrutic/react-native,gilesvangruisen/react-native,tadeuzagallo/react-native,bsansouci/react-native,chetstone/react-native,iodine/react-native,mironiasty/react-native,aljs/react-native,Guardiannw/react-native,arbesfeld/react-native,aaron-goshine/react-native,ProjectSeptemberInc/react-native,negativetwelve/react-native,facebook/react-native,HealthyWealthy/react-native,adamjmcgrath/react-native,salanki/react-native,browniefed/react-native,csatf/react-native,rebeccahughes/react-native,zenlambda/react-native,Maxwell2022/react-native,adamjmcgrath/react-native,skevy/react-native,bradbumbalough/react-native,darkrishabh/react-native,shrimpy/react-native,dabit3/react-native,javache/react-native,gitim/react-native,DerayGa/react-native,DanielMSchmidt/react-native,DerayGa/react-native,pandiaraj44/react-native,brentvatne/react-native,jeffchienzabinet/react-native,DannyvanderJagt/react-native,Emilios1995/react-native,dralletje/react-native,cpunion/react-native,BretJohnson/react-native,foghina/react-native,yamill/react-native,eduvon0220/react-native,catalinmiron/react-native,elliottsj/react-native,philikon/react-native,philonpang/react-native,gre/react-native,janicduplessis/react-native,chirag04/react-native,mrspeaker/react-native,PlexChat/react-native,shrutic/react-native,Bhullnatik/react-native,miracle2k/react-native,exponentjs/react-native,thotegowda/react-native,farazs/react-native,Guardiannw/react-native,apprennet/react-native,Guardiannw/react-native,timfpark/react-native,arthuralee/react-native,jaredly/react-native,skevy/react-native,bsansouci/react-native,hayeah/react-native,jeanblanchard/react-native,MattFoley/react-native,salanki/react-native,quyixia/react-native,forcedotcom/react-native,dubert/react-native,adamkrell/react-native,imjerrybao/react-native,DerayGa/react-native,hzgnpu/react-native,charlesvinette/react-native,kesha-antonov/react-native,imDangerous/react-native,myntra/react-native,ankitsinghania94/react-native,HealthyWealthy/react-native,dvcrn/react-native,dvcrn/react-native,jhen0409/react-native,NZAOM/react-native,martinbigio/react-native,exponentjs/react-native,iodine/react-native,browniefed/react-native,frantic/react-native,hzgnpu/react-native,ehd/react-native,hammerandchisel/react-native,machard/react-native,DanielMSchmidt/react-native,Bhullnatik/react-native,janicduplessis/react-native,satya164/react-native,jeffchienzabinet/react-native,jeffchienzabinet/react-native,bradbumbalough/react-native,mrspeaker/react-native,eduvon0220/react-native,alin23/react-native,dabit3/react-native,kushal/react-native,machard/react-native,dralletje/react-native,dabit3/react-native,cosmith/react-native,xiayz/react-native,iodine/react-native,christopherdro/react-native,jeanblanchard/react-native,chetstone/react-native,hayeah/react-native,shrutic123/react-native,andrewljohnson/react-native,cdlewis/react-native,tarkus/react-native-appletv,chirag04/react-native,timfpark/react-native,gitim/react-native,jasonnoahchoi/react-native,darkrishabh/react-native,naoufal/react-native,satya164/react-native,elliottsj/react-native,urvashi01/react-native,javache/react-native,patoroco/react-native,pjcabrera/react-native,jeffchienzabinet/react-native,cpunion/react-native,patoroco/react-native,browniefed/react-native,pjcabrera/react-native,pjcabrera/react-native,yzarubin/react-native,yamill/react-native,satya164/react-native,spicyj/react-native,jeanblanchard/react-native,zenlambda/react-native,jadbox/react-native,kassens/react-native,philikon/react-native,elliottsj/react-native,lelandrichardson/react-native,patoroco/react-native,dralletje/react-native,Guardiannw/react-native,jevakallio/react-native,imjerrybao/react-native,Purii/react-native,Purii/react-native,tgoldenberg/react-native,Livyli/react-native,lloydho/react-native,CntChen/react-native,ptmt/react-native-macos,gilesvangruisen/react-native,DanielMSchmidt/react-native,timfpark/react-native,lprhodes/react-native,nickhudkins/react-native,imDangerous/react-native,Purii/react-native,callstack-io/react-native,jevakallio/react-native,programming086/react-native,Livyli/react-native,farazs/react-native,Andreyco/react-native,mrspeaker/react-native,formatlos/react-native,jaggs6/react-native,yzarubin/react-native,charlesvinette/react-native,nickhudkins/react-native,xiayz/react-native,tszajna0/react-native,hoangpham95/react-native,corbt/react-native,doochik/react-native,exponentjs/react-native,urvashi01/react-native,pvinis/react-native-desktop,Tredsite/react-native,skevy/react-native,xiayz/react-native,tszajna0/react-native,formatlos/react-native,miracle2k/react-native,hoangpham95/react-native,darkrishabh/react-native,MattFoley/react-native,formatlos/react-native,cdlewis/react-native,wesley1001/react-native,mironiasty/react-native,myntra/react-native,forcedotcom/react-native,elliottsj/react-native,catalinmiron/react-native,jeffchienzabinet/react-native,InterfaceInc/react-native,arbesfeld/react-native,shrimpy/react-native,jaredly/react-native,facebook/react-native,tszajna0/react-native,gre/react-native,csatf/react-native,esauter5/react-native,corbt/react-native,quyixia/react-native,pvinis/react-native-desktop,brentvatne/react-native,jeanblanchard/react-native,esauter5/react-native,farazs/react-native,skatpgusskat/react-native,happypancake/react-native,shrimpy/react-native,zenlambda/react-native,jadbox/react-native,machard/react-native,DerayGa/react-native,browniefed/react-native,cpunion/react-native,cpunion/react-native,philonpang/react-native,eduvon0220/react-native,tarkus/react-native-appletv,tadeuzagallo/react-native,mrngoitall/react-native,skatpgusskat/react-native,bsansouci/react-native,InterfaceInc/react-native,mchinyakov/react-native,CntChen/react-native,chetstone/react-native,yamill/react-native,urvashi01/react-native,NZAOM/react-native,spicyj/react-native,bsansouci/react-native,HealthyWealthy/react-native,marlonandrade/react-native,tszajna0/react-native,pandiaraj44/react-native,DerayGa/react-native,DanielMSchmidt/react-native,imjerrybao/react-native,csatf/react-native,brentvatne/react-native,cosmith/react-native,quyixia/react-native,kassens/react-native,jhen0409/react-native,hoangpham95/react-native,philonpang/react-native,InterfaceInc/react-native,CodeLinkIO/react-native,mrspeaker/react-native,facebook/react-native,mrspeaker/react-native,InterfaceInc/react-native,makadaw/react-native,hammerandchisel/react-native,philikon/react-native,myntra/react-native,wenpkpk/react-native,luqin/react-native,dubert/react-native,gilesvangruisen/react-native,rebeccahughes/react-native,cosmith/react-native,DannyvanderJagt/react-native,jaredly/react-native,skevy/react-native,Intellicode/react-native,hoangpham95/react-native,exponentjs/react-native,martinbigio/react-native,jhen0409/react-native,jaredly/react-native,eduardinni/react-native,shrimpy/react-native,PlexChat/react-native,htc2u/react-native,InterfaceInc/react-native,cosmith/react-native,pandiaraj44/react-native,HealthyWealthy/react-native,skevy/react-native,adamjmcgrath/react-native,csatf/react-native,Tredsite/react-native,frantic/react-native,adamjmcgrath/react-native,tgoldenberg/react-native,charlesvinette/react-native,doochik/react-native,rickbeerendonk/react-native,rickbeerendonk/react-native,brentvatne/react-native,csatf/react-native,happypancake/react-native,PlexChat/react-native,myntra/react-native,DannyvanderJagt/react-native,urvashi01/react-native,skatpgusskat/react-native,philikon/react-native,rebeccahughes/react-native,wesley1001/react-native,DanielMSchmidt/react-native,philonpang/react-native,dikaiosune/react-native,zenlambda/react-native,javache/react-native,mironiasty/react-native,patoroco/react-native,negativetwelve/react-native,skevy/react-native,esauter5/react-native,arbesfeld/react-native,csatf/react-native,machard/react-native,urvashi01/react-native,arbesfeld/react-native,mrngoitall/react-native,jaredly/react-native,andrewljohnson/react-native,jasonnoahchoi/react-native,jeffchienzabinet/react-native,miracle2k/react-native,pandiaraj44/react-native,eduardinni/react-native,esauter5/react-native,makadaw/react-native,glovebx/react-native,eduvon0220/react-native,tgoldenberg/react-native,nsimmons/react-native,martinbigio/react-native,kassens/react-native,forcedotcom/react-native,Ehesp/react-native,bradbumbalough/react-native,htc2u/react-native,Swaagie/react-native,ProjectSeptemberInc/react-native,Ehesp/react-native,hoastoolshop/react-native,YComputer/react-native,andrewljohnson/react-native,udnisap/react-native,programming086/react-native,corbt/react-native,frantic/react-native,mrspeaker/react-native,pglotov/react-native,lelandrichardson/react-native,programming086/react-native,CntChen/react-native,jaredly/react-native,htc2u/react-native,negativetwelve/react-native,rickbeerendonk/react-native,nickhudkins/react-native,NZAOM/react-native,lloydho/react-native,dralletje/react-native,lloydho/react-native,orenklein/react-native,Maxwell2022/react-native,apprennet/react-native,farazs/react-native,callstack-io/react-native,kesha-antonov/react-native,yzarubin/react-native,doochik/react-native,ptmt/react-native-macos,tadeuzagallo/react-native,tgoldenberg/react-native,MattFoley/react-native,janicduplessis/react-native,yamill/react-native,cosmith/react-native,hammerandchisel/react-native,shinate/react-native,shrimpy/react-native,ankitsinghania94/react-native,jeanblanchard/react-native,corbt/react-native,hoastoolshop/react-native,timfpark/react-native,cosmith/react-native,Intellicode/react-native,mihaigiurgeanu/react-native,udnisap/react-native,compulim/react-native,Bhullnatik/react-native,yzarubin/react-native,pvinis/react-native-desktop,dralletje/react-native,pglotov/react-native,christopherdro/react-native,tarkus/react-native-appletv,callstack-io/react-native,chnfeeeeeef/react-native,darkrishabh/react-native,Tredsite/react-native,philikon/react-native,cosmith/react-native,CntChen/react-native,jeffchienzabinet/react-native,bradbumbalough/react-native,eduvon0220/react-native,MattFoley/react-native,Intellicode/react-native,brentvatne/react-native,elliottsj/react-native,tsjing/react-native,kushal/react-native,lprhodes/react-native,zenlambda/react-native,ehd/react-native,rebeccahughes/react-native,jadbox/react-native,charlesvinette/react-native,hoastoolshop/react-native,compulim/react-native,htc2u/react-native,elliottsj/react-native,christopherdro/react-native,tgoldenberg/react-native,negativetwelve/react-native,aljs/react-native,sghiassy/react-native,urvashi01/react-native,ndejesus1227/react-native,alin23/react-native,luqin/react-native,hzgnpu/react-native,ndejesus1227/react-native,luqin/react-native,myntra/react-native,spicyj/react-native,jhen0409/react-native,DannyvanderJagt/react-native,charlesvinette/react-native,htc2u/react-native,ptomasroos/react-native,tarkus/react-native-appletv,peterp/react-native,aaron-goshine/react-native,wenpkpk/react-native,InterfaceInc/react-native,doochik/react-native,ptmt/react-native-macos,imjerrybao/react-native,pjcabrera/react-native,dvcrn/react-native,skatpgusskat/react-native,zenlambda/react-native,tarkus/react-native-appletv,mihaigiurgeanu/react-native,foghina/react-native,chnfeeeeeef/react-native,kesha-antonov/react-native,orenklein/react-native,negativetwelve/react-native,thotegowda/react-native,exponentjs/react-native,tadeuzagallo/react-native,Tredsite/react-native,frantic/react-native,sospartan/react-native,YComputer/react-native,pvinis/react-native-desktop,BretJohnson/react-native,ndejesus1227/react-native,jeanblanchard/react-native,christopherdro/react-native,lloydho/react-native,mrspeaker/react-native,martinbigio/react-native,callstack-io/react-native,Ehesp/react-native,skatpgusskat/react-native,salanki/react-native,nathanajah/react-native,udnisap/react-native,darkrishabh/react-native,farazs/react-native,urvashi01/react-native,ptomasroos/react-native,happypancake/react-native,marlonandrade/react-native,hammerandchisel/react-native,skevy/react-native,javache/react-native,iodine/react-native,jaredly/react-native,gilesvangruisen/react-native,Swaagie/react-native,jevakallio/react-native,InterfaceInc/react-native,imDangerous/react-native,orenklein/react-native,imjerrybao/react-native,alin23/react-native,eduardinni/react-native,Maxwell2022/react-native,timfpark/react-native,nathanajah/react-native,BretJohnson/react-native,peterp/react-native,miracle2k/react-native,negativetwelve/react-native,BretJohnson/react-native,gitim/react-native,forcedotcom/react-native,luqin/react-native,thotegowda/react-native,philonpang/react-native,tsjing/react-native,ptmt/react-native-macos,sghiassy/react-native,adamkrell/react-native,luqin/react-native,Intellicode/react-native,glovebx/react-native,janicduplessis/react-native,hayeah/react-native,nathanajah/react-native,hoangpham95/react-native,exponentjs/rex,nsimmons/react-native,exponent/react-native,compulim/react-native,arthuralee/react-native,ndejesus1227/react-native,DerayGa/react-native,shrutic/react-native,forcedotcom/react-native,jaggs6/react-native,nsimmons/react-native,timfpark/react-native,tarkus/react-native-appletv,imDangerous/react-native,kushal/react-native,janicduplessis/react-native,salanki/react-native,vjeux/react-native,jevakallio/react-native,wenpkpk/react-native,Tredsite/react-native,charlesvinette/react-native,mrngoitall/react-native,naoufal/react-native,kesha-antonov/react-native,clozr/react-native,jaggs6/react-native,PlexChat/react-native,shinate/react-native,andrewljohnson/react-native,elliottsj/react-native,MattFoley/react-native,spicyj/react-native,aljs/react-native,eduvon0220/react-native,aljs/react-native,formatlos/react-native,hoastoolshop/react-native,quyixia/react-native,eduardinni/react-native,aaron-goshine/react-native,browniefed/react-native,ptomasroos/react-native,Purii/react-native,wenpkpk/react-native,bsansouci/react-native,shrimpy/react-native,clozr/react-native,mironiasty/react-native,shrutic123/react-native,callstack-io/react-native,urvashi01/react-native,nathanajah/react-native,dvcrn/react-native,corbt/react-native,puf/react-native,lelandrichardson/react-native,pglotov/react-native,shinate/react-native,puf/react-native,Intellicode/react-native,catalinmiron/react-native,xiayz/react-native,rickbeerendonk/react-native,dvcrn/react-native,jasonnoahchoi/react-native,hoangpham95/react-native,javache/react-native,naoufal/react-native,Livyli/react-native,hoastoolshop/react-native,compulim/react-native,jasonnoahchoi/react-native,HealthyWealthy/react-native,jadbox/react-native,browniefed/react-native,shinate/react-native,sospartan/react-native,formatlos/react-native,tgoldenberg/react-native,YComputer/react-native,Andreyco/react-native,christopherdro/react-native,hammerandchisel/react-native,hammerandchisel/react-native,DerayGa/react-native,ndejesus1227/react-native,tsjing/react-native,nsimmons/react-native,tszajna0/react-native,nickhudkins/react-native,wenpkpk/react-native,iodine/react-native,glovebx/react-native,hoastoolshop/react-native,facebook/react-native,YComputer/react-native,clozr/react-native,shrutic/react-native,lprhodes/react-native,pandiaraj44/react-native,pandiaraj44/react-native,thotegowda/react-native,clozr/react-native,Ehesp/react-native,Maxwell2022/react-native,philikon/react-native,apprennet/react-native,pvinis/react-native-desktop,imDangerous/react-native,imDangerous/react-native,ProjectSeptemberInc/react-native,mchinyakov/react-native,CodeLinkIO/react-native,Swaagie/react-native,doochik/react-native,sghiassy/react-native,htc2u/react-native,spicyj/react-native,Andreyco/react-native,shrutic123/react-native,compulim/react-native,thotegowda/react-native,skatpgusskat/react-native,a2/react-native,nathanajah/react-native,spicyj/react-native,vjeux/react-native,mchinyakov/react-native,quyixia/react-native,almost/react-native,exponentjs/react-native,exponentjs/react-native,spicyj/react-native,tgoldenberg/react-native,farazs/react-native,PlexChat/react-native,tszajna0/react-native,pvinis/react-native-desktop,marlonandrade/react-native,Andreyco/react-native,chirag04/react-native,adamjmcgrath/react-native,mihaigiurgeanu/react-native,dubert/react-native,brentvatne/react-native,cdlewis/react-native,ProjectSeptemberInc/react-native,puf/react-native,brentvatne/react-native,arbesfeld/react-native,martinbigio/react-native,dikaiosune/react-native,ptomasroos/react-native,satya164/react-native,eduvon0220/react-native,jevakallio/react-native,chetstone/react-native,Emilios1995/react-native
|
c2bb3dff75eb411d13f34831259d24f5955cc04e
|
packages/@sanity/cli/src/commands/version/versionCommand.js
|
packages/@sanity/cli/src/commands/version/versionCommand.js
|
import promiseProps from 'promise-props-recursive'
import getLocalVersion from '../../npm-bridge/getLocalVersion'
import getGlobalSanityCliVersion from '../../util/getGlobalSanityCliVersion'
import pkg from '../../../package.json'
export default {
name: 'version',
signature: 'version',
description: 'Shows the installed versions of core Sanity components',
action: ({print}) => {
promiseProps({
local: getLocalVersion(pkg.name),
global: getGlobalSanityCliVersion()
}).then(versions => {
if (versions.global) {
print(`${pkg.name} (global): ${versions.global}`)
}
if (versions.local) {
print(`${pkg.name} (local): ${versions.local}`)
}
})
}
}
|
import promiseProps from 'promise-props-recursive'
import getLocalVersion from '../../npm-bridge/getLocalVersion'
import getGlobalSanityCliVersion from '../../util/getGlobalSanityCliVersion'
import pkg from '../../../package.json'
export default {
name: 'version',
signature: 'version',
description: 'Shows the installed versions of core Sanity components',
action: ({print}) =>
promiseProps({
local: getLocalVersion(pkg.name),
global: getGlobalSanityCliVersion()
}).then(versions => {
if (versions.global) {
print(`${pkg.name} (global): ${versions.global}`)
}
if (versions.local) {
print(`${pkg.name} (local): ${versions.local}`)
}
})
}
|
Return promise from version command
|
Return promise from version command
|
JavaScript
|
mit
|
sanity-io/sanity,sanity-io/sanity,sanity-io/sanity,sanity-io/sanity
|
ceb5988e1c62a500f3bd70def008e350ff066bb6
|
src/mixins/reactiveProp.js
|
src/mixins/reactiveProp.js
|
module.exports = {
props: {
chartData: {
required: true
}
},
watch: {
'chartData': {
handler (newData, oldData) {
if (oldData) {
let chart = this._chart
// Get new and old DataSet Labels
let newDatasetLabels = newData.datasets.map((dataset) => {
return dataset.label
})
let oldDatasetLabels = oldData.datasets.map((dataset) => {
return dataset.label
})
// Stringify 'em for easier compare
const oldLabels = JSON.stringify(oldDatasetLabels)
const newLabels = JSON.stringify(newDatasetLabels)
// Check if Labels are equal and if dataset length is equal
if (newLabels === oldLabels && oldData.datasets.length === newData.datasets.length) {
newData.datasets.forEach((dataset, i) => {
chart.data.datasets[i] = dataset
})
chart.data.labels = newData.labels
chart.update()
} else {
chart.destroy()
this.renderChart(this.chartData, this.options)
}
}
}
}
}
}
|
module.exports = {
props: {
chartData: {
required: true
}
},
watch: {
'chartData': {
handler (newData, oldData) {
if (oldData) {
let chart = this._chart
// Get new and old DataSet Labels
let newDatasetLabels = newData.datasets.map((dataset) => {
return dataset.label
})
let oldDatasetLabels = oldData.datasets.map((dataset) => {
return dataset.label
})
// Stringify 'em for easier compare
const oldLabels = JSON.stringify(oldDatasetLabels)
const newLabels = JSON.stringify(newDatasetLabels)
// Check if Labels are equal and if dataset length is equal
if (newLabels === oldLabels && oldData.datasets.length === newData.datasets.length) {
newData.datasets.forEach((dataset, i) => {
// Get new and old dataset keys
const oldDatasetKeys = Object.keys(oldData.datasets[i])
const newDatasetKeys = Object.keys(dataset)
// Get keys that aren't present in the new data
const deletionKeys = oldDatasetKeys.filter((key) => {
return key !== '_meta' && newDatasetKeys.indexOf(key) === -1
})
// Remove outdated key-value pairs
deletionKeys.forEach((deletionKey) => {
delete chart.data.datasets[i][deletionKey]
})
// Update attributes individually to avoid re-rendering the entire chart
for (const attribute in dataset) {
if (dataset.hasOwnProperty(attribute)) {
chart.data.datasets[i][attribute] = dataset[attribute]
}
}
})
chart.data.labels = newData.labels
chart.update()
} else {
chart.destroy()
this.renderChart(this.chartData, this.options)
}
}
}
}
}
}
|
Resolve reactive props animation issue.
|
Resolve reactive props animation issue.
A small consequence of replacing the entire dataset in the mixins files is that it causes certain charts to completely re-render even if only the 'data' attribute of a dataset is changing. In my case, I set up a reactive doughnut chart with two data points but whenever the data values change, instead of shifting the fill coloring, it completely re-renders the entire chart.
You can see the issue in this fiddle (note the constant re-rendering):
https://jsfiddle.net/sg0c82ev/11/
To solve the issue, I instead run a diff between the new and old dataset keys, remove keys that aren't present in the new data, and update the rest of the attributes individually. After making these changes my doughnut chart is animating as expected (even when adding and removing new dataset attributes).
A fiddle with my changes:
https://jsfiddle.net/sg0c82ev/12/
Perhaps this is too specific of a scenario to warrant a complexity increase like this (and better suited for a custom watcher) but I figured it would be better to dump it here and make it available for review. Let me know what you think.
|
JavaScript
|
mit
|
apertureless/vue-chartjs,apertureless/vue-chartjs,apertureless/vue-chartjs
|
07312012c0b682c6dc8a13ca6afabbabd9e9957e
|
src/js/services/new-form.js
|
src/js/services/new-form.js
|
'use strict';
angular.module('Teem')
.factory('NewForm', [
'$location', '$window', '$rootScope',
function($location, $window, $rootScope) {
var scope,
objectName,
scopeFn = {
isNew () {
return $location.search().form === 'new';
},
cancelNew () {
scope[objectName].delete();
$location.search('form', undefined);
$window.history.back();
},
confirmNew () {
$location.search('form', undefined);
scope.invite.selected.forEach(function(i){
scope.project.addContributor(i);
});
$rootScope.$broadcast('teem.project.join');
}
};
function initialize(s, o) {
scope = s;
objectName = o;
Object.assign(scope, scopeFn);
}
return {
initialize
};
}]);
|
'use strict';
angular.module('Teem')
.factory('NewForm', [
'$location', '$window', '$rootScope',
function($location, $window, $rootScope) {
var scope,
objectName,
scopeFn = {
isNew () {
return $location.search().form === 'new';
},
cancelNew () {
scope[objectName].delete();
$location.search('form', undefined);
$window.history.back();
},
confirmNew () {
$location.search('form', undefined);
// TODO fix with community invite
if (objectName === 'project') {
scope.invite.selected.forEach(function(i){
scope.project.addContributor(i);
});
}
$rootScope.$broadcast('teem.' + objectName + '.join');
}
};
function initialize(s, o) {
scope = s;
objectName = o;
Object.assign(scope, scopeFn);
}
return {
initialize
};
}]);
|
Fix new form confirm code
|
Fix new form confirm code
@atfornes please note that this code is common for the + buttons
of project and community
Fixes #249
|
JavaScript
|
agpl-3.0
|
P2Pvalue/pear2pear,P2Pvalue/teem,Grasia/teem,Grasia/teem,P2Pvalue/pear2pear,Grasia/teem,P2Pvalue/teem,P2Pvalue/teem
|
216e7e7026f515d95a4c2a1f3dc4f1858d4bf4a3
|
src/scripts/StationList.js
|
src/scripts/StationList.js
|
/** ngInject **/
function StationListCtrl($scope, $interval, EventBus, PvlService) {
let vm = this;
vm.imgUrls = {};
vm.nowPlaying = {};
vm.currentIndex = null;
vm.setSelected = setSelected;
var refreshDataBindings = $interval(null, 1000);
function setSelected(index) {
vm.currentIndex = index;
EventBus.emit('pvl:stationSelect', vm.stations[index]);
}
PvlService.getStations('audio')
.then(stations => vm.stations = stations);
let nowPlayingListener = (event, data) => {
vm.nowPlaying = data;
};
let unsubNowPlaying = EventBus.on('pvl:nowPlaying', nowPlayingListener);
$scope.$on('$destroy', () => {
$interval.cancel(refreshDataBindings);
unsubNowPlaying();
});
}
function StationListDirective() {
return {
restrict: 'E',
templateUrl: '/stationList.html',
scope: true,
controller: StationListCtrl,
controllerAs: 'stationList',
bindToController: true
};
}
angular
.module('PVL')
.directive('pvlStationList', StationListDirective);
|
/** ngInject **/
function StationListCtrl($scope, EventBus, PvlService) {
let vm = this;
vm.imgUrls = {};
vm.nowPlaying = {};
vm.currentIndex = null;
vm.setSelected = setSelected;
function setSelected(index) {
vm.currentIndex = index;
EventBus.emit('pvl:stationSelect', vm.stations[index]);
}
PvlService.getStations('audio')
.then(stations => vm.stations = stations);
let nowPlayingListener = (event, data) => {
vm.nowPlaying = data;
};
let unsubNowPlaying = EventBus.on('pvl:nowPlaying', nowPlayingListener);
$scope.$on('$destroy', () => {
unsubNowPlaying();
});
}
function StationListDirective() {
return {
restrict: 'E',
templateUrl: '/stationList.html',
scope: true,
controller: StationListCtrl,
controllerAs: 'stationList',
bindToController: true
};
}
angular
.module('PVL')
.directive('pvlStationList', StationListDirective);
|
Revert "Quick patch to constantly update currently playing song without requiring user interaction"
|
Revert "Quick patch to constantly update currently playing song without requiring user interaction"
|
JavaScript
|
mit
|
berwyn/Ponyville-Live--Desktop-App,Poniverse/PVLive-Chrome-Desktop-App,berwyn/Ponyville-Live--Desktop-App,BravelyBlue/PVLive-Chrome-Desktop-App,berwyn/Ponyville-Live--Desktop-App,Poniverse/PVLive-Chrome-Desktop-App,BravelyBlue/PVLive-Chrome-Desktop-App
|
4c758e6856af13f199660bcfc74874fe06928bff
|
media/js/google-search.js
|
media/js/google-search.js
|
google.load('search', '1', {style : google.loader.themes.V2_DEFAULT});
google.setOnLoadCallback(function() {
var customSearchOptions = {};
var customSearchControl = new google.search.CustomSearchControl(
'003721718359151553648:qipcq6hq6uy', customSearchOptions);
customSearchControl.setResultSetSize(google.search.Search.FILTERED_CSE_RESULTSET);
customSearchControl.setSearchStartingCallback(
this,
function(control, searcher) {
searcher.setRestriction(
google.search.Search.RESTRICT_EXTENDED_ARGS,
{ "filter" : "0"});
}
);
var options = new google.search.DrawOptions();
options.enableSearchResultsOnly();
customSearchControl.draw('cse', options);
function parseParamsFromUrl() {
var params = {};
var parts = window.location.search.substr(1).split('\x26');
for (var i = 0; i < parts.length; i++) {
var keyValuePair = parts[i].split('=');
var key = decodeURIComponent(keyValuePair[0]);
params[key] = keyValuePair[1] ?
decodeURIComponent(keyValuePair[1].replace(/\+/g, ' ')) :
keyValuePair[1];
}
return params;
}
var urlParams = parseParamsFromUrl();
var queryParamName = "q";
if (urlParams[queryParamName]) {
customSearchControl.execute(urlParams[queryParamName]);
$('#searchbox').val(urlParams[queryParamName]);
}
}, true);
|
google.load('search', '1', {style : google.loader.themes.V2_DEFAULT});
google.setOnLoadCallback(function() {
var customSearchOptions = {};
var customSearchControl = new google.search.CustomSearchControl(
'003721718359151553648:qipcq6hq6uy', customSearchOptions);
customSearchControl.setResultSetSize(google.search.Search.FILTERED_CSE_RESULTSET);
var options = new google.search.DrawOptions();
options.enableSearchResultsOnly();
customSearchControl.draw('cse', options);
function parseParamsFromUrl() {
var params = {};
var parts = window.location.search.substr(1).split('\x26');
for (var i = 0; i < parts.length; i++) {
var keyValuePair = parts[i].split('=');
var key = decodeURIComponent(keyValuePair[0]);
params[key] = keyValuePair[1] ?
decodeURIComponent(keyValuePair[1].replace(/\+/g, ' ')) :
keyValuePair[1];
}
return params;
}
var urlParams = parseParamsFromUrl();
var queryParamName = "q";
if (urlParams[queryParamName]) {
customSearchControl.execute(urlParams[queryParamName]);
$('#searchbox').val(urlParams[queryParamName]);
}
}, true);
|
Remove code that did not fix google search pagination issue.
|
Remove code that did not fix google search pagination issue.
|
JavaScript
|
bsd-3-clause
|
mozilla/betafarm,mozilla/betafarm,mozilla/betafarm,mozilla/betafarm
|
3bdb76d839b7f9424136e791f581cf1c473615c7
|
scripts/download-win-lib.js
|
scripts/download-win-lib.js
|
var download = require('./download').download;
var path = require('path');
var fs = require('fs');
var TAR_URL = 'https://github.com/nteract/zmq-prebuilt/releases/download/win-libzmq-4.1.5-v140/libzmq-' + process.arch + '.lib';
var DIR_NAME = path.join(__dirname, '..', 'windows', 'lib');
var FILE_NAME = path.join(DIR_NAME, 'libzmq.lib');
if (!fs.existsSync(DIR_NAME)) {
fs.mkdirSync(DIR_NAME);
}
download(TAR_URL, FILE_NAME);
|
var download = require('./download').download;
var path = require('path');
var fs = require('fs');
var TAR_URL = 'https://github.com/nteract/libzmq-win/releases/download/v1.0.0/libzmq-' + process.arch + '.lib';
var DIR_NAME = path.join(__dirname, '..', 'windows', 'lib');
var FILE_NAME = path.join(DIR_NAME, 'libzmq.lib');
if (!fs.existsSync(DIR_NAME)) {
fs.mkdirSync(DIR_NAME);
}
download(TAR_URL, FILE_NAME);
|
Store windows lib in different repo
|
Store windows lib in different repo
|
JavaScript
|
mit
|
lgeiger/zmq-prebuilt,lgeiger/zmq-prebuilt,interpretor/zeromq.js,lgeiger/zmq-prebuilt,interpretor/zeromq.js,interpretor/zeromq.js,interpretor/zeromq.js,lgeiger/zmq-prebuilt,lgeiger/zmq-prebuilt,interpretor/zeromq.js
|
89fc255726bb2073f095bfd82ba05f00b217e3e2
|
src/components/OutsideClickable/OutsideClickable.js
|
src/components/OutsideClickable/OutsideClickable.js
|
/* OutsideClickable only accepts one top-level child */
import React, { Component, Children, cloneElement } from "react";
import ReactDOM from "react-dom";
import PropTypes from "prop-types";
export default class OutsideClickable extends Component {
static propTypes = {
children: PropTypes.node,
onOutsideClick: PropTypes.func.isRequired,
className: PropTypes.string,
toggle: PropTypes.func
};
constructor(props) {
super(props);
}
componentDidMount() {
window.addEventListener("click", this.contains);
}
componentWillUnmount() {
window.removeEventListener("click", this.contains);
}
contains = e => {
const node = this.outsideClickable;
if (node && node.contains(e.target) === false) {
this.props.onOutsideClick.call();
}
};
onlyOneChild = () => {
if (this.props.children.length > 1) {
throw new Error("Multiple children are not allowed in OutsideClickable");
return;
}
return true;
};
render() {
return (
this.onlyOneChild() &&
Children.map(this.props.children, child =>
cloneElement(child, {
ref: node => {
// Keep your own reference
this.outsideClickable = node;
// Call the original ref, if any
const { ref } = child;
if (typeof ref === "function") {
ref(node);
}
}
})
)
);
}
}
|
/* OutsideClickable only accepts one top-level child */
import React, { Component, Children, cloneElement } from "react";
import ReactDOM from "react-dom";
import PropTypes from "prop-types";
export default class OutsideClickable extends Component {
static propTypes = {
children: PropTypes.node,
onOutsideClick: PropTypes.func.isRequired,
className: PropTypes.string,
toggle: PropTypes.func
};
constructor(props) {
super(props);
}
componentDidMount() {
const event = "ontouchstart" in window ? "touchstart" : "click";
console.log(event);
document.body.addEventListener(event, this.contains);
}
componentWillUnmount() {
const event = "ontouchstart" in window ? "touchstart" : "click";
document.body.removeEventListener(event, this.contains);
}
contains = e => {
const node = this.outsideClickable;
if (node && node.contains(e.target) === false) {
this.props.onOutsideClick.call();
}
};
onlyOneChild = () => {
if (this.props.children.length > 1) {
throw new Error("Multiple children are not allowed in OutsideClickable");
}
return true;
};
render() {
return (
this.onlyOneChild() &&
Children.map(this.props.children, child =>
cloneElement(child, {
ref: node => {
// Keep your own reference
this.outsideClickable = node;
// Call the original ref, if any
const { ref } = child;
if (typeof ref === "function") {
ref(node);
}
}
})
)
);
}
}
|
Fix iOS and Android touch events
|
Fix iOS and Android touch events
|
JavaScript
|
mit
|
tutti-ch/react-styleguide,tutti-ch/react-styleguide
|
dd22023e3c6aa064b1e5881cfd7f48a2e79e894e
|
defaults/preferences/spamness.js
|
defaults/preferences/spamness.js
|
pref("extensions.rspamd-spamness.header", "x-spamd-result");
pref("extensions.rspamd-spamness.display.column", 0);
pref("extensions.rspamd-spamness.display.messageScore", true);
pref("extensions.rspamd-spamness.display.messageRules", true);
pref("extensions.rspamd-spamness.display.messageGreylist", true);
pref("extensions.rspamd-spamness.headers.show_n_lines_before_more", 2);
pref("extensions.rspamd-spamness.headers.symbols_order", "score");
pref("extensions.rspamd-spamness.isDefaultColumn", true);
pref("extensions.rspamd-spamness.installationGreeting", true);
pref("extensions.rspamd-spamness.trainingButtons.defaultAction", "move");
|
/* global pref:false */
/* eslint strict: ["error", "never"] */
pref("extensions.rspamd-spamness.header", "x-spamd-result");
pref("extensions.rspamd-spamness.display.column", 0);
pref("extensions.rspamd-spamness.display.messageScore", true);
pref("extensions.rspamd-spamness.display.messageRules", true);
pref("extensions.rspamd-spamness.display.messageGreylist", true);
pref("extensions.rspamd-spamness.headers.show_n_lines_before_more", 2);
pref("extensions.rspamd-spamness.headers.symbols_order", "score");
pref("extensions.rspamd-spamness.isDefaultColumn", true);
pref("extensions.rspamd-spamness.installationGreeting", true);
pref("extensions.rspamd-spamness.trainingButtons.defaultAction", "move");
|
Add ESLint config to preferences
|
[Chore] Add ESLint config to preferences
|
JavaScript
|
bsd-3-clause
|
moisseev/spamness,moisseev/rspamd-spamness,moisseev/rspamd-spamness
|
2fffa35bd7aef3a2117b1804914c9fdb13749a44
|
course/object_mutations.js
|
course/object_mutations.js
|
/*
* Avoiding Object Mutations.
*
* @author: Francisco Maria Calisto
*
*/
const toggleTodo = (todo) => {
return {
id: todo.id,
text: todo.text,
completed: !todo.completed
};
};
const testToggleTodo = () => {
const todoBefore = {
id: 0,
text: 'Learn Redux',
completed: false
};
const todoAfter = {
id: 0,
text: 'Learn Redux',
completed: true
};
deepFreeze(todoBefore);
expect(
toggleTodo(todoBefore)
).toEqual(todoAfter);
};
testToggleTodo();
console.log('All tests passed.');
|
/*
* Avoiding Object Mutations.
*
* @author: Francisco Maria Calisto
*
*/
const toggleTodo = (todo) => {
return Object.assign({}, todo, {
completed: !todo.completed
});
};
const testToggleTodo = () => {
const todoBefore = {
id: 0,
text: 'Learn Redux',
completed: false
};
const todoAfter = {
id: 0,
text: 'Learn Redux',
completed: true
};
deepFreeze(todoBefore);
expect(
toggleTodo(todoBefore)
).toEqual(todoAfter);
};
testToggleTodo();
console.log('All tests passed.');
|
Return Toggle Todo Object Assign
|
[UPDATE] Return Toggle Todo Object Assign
|
JavaScript
|
mit
|
FMCalisto/redux-get-started,FMCalisto/redux-get-started
|
ac20f325b34bc952d89d0073e036aa2f87e79388
|
src/delir-core/tests/delir/plugin-registory-spec.js
|
src/delir-core/tests/delir/plugin-registory-spec.js
|
// @flow
import path from 'path';
import PluginRegistory from '../../src/services/plugin-registory'
describe('PluginRegistory', () => {
it('exporting: PluginFeatures', () => {
expect(PluginRegistory.PluginFeatures).to.not.eql(null)
expect(PluginRegistory.PluginFeatures).to.be.an('object')
})
it('loading plugins', async () => {
const r = new PluginRegistory()
const result = await r.loadPackageDir(path.join(__dirname, '../../src/plugins'))
expect(result).to.not.empty()
expect(result).to.have.key('packages')
expect(result).to.have.key('failed')
expect(result.packages).to.be.an('object')
expect(result.failed).to.be.an(Array)
})
})
|
// @flow
import path from 'path';
import PluginRegistory from '../../src/services/plugin-registory'
describe('PluginRegistory', () => {
it('exporting: PluginFeatures', () => {
expect(PluginRegistory.PluginFeatures).to.not.eql(null)
expect(PluginRegistory.PluginFeatures).to.be.an('object')
})
it('loading plugins', async () => {
// mock missing method in mocha
global.require = require
const r = new PluginRegistory()
const result = await r.loadPackageDir(path.join(__dirname, '../../src/plugins'))
expect(result).to.not.empty()
expect(result).to.have.key('packages')
expect(result).to.have.key('failed')
expect(result.packages).to.be.an('object')
expect(result.failed).to.be.an(Array)
delete global.require
})
})
|
Fix PluginRegistry error (missing global.require)
|
Fix PluginRegistry error (missing global.require)
|
JavaScript
|
mit
|
Ragg-/Delir,Ragg-/Delir,Ragg-/Delir,Ragg-/Delir
|
f1fb384cd62dc13d0b4647c9f988f6f46cbf4b6f
|
src/test/run-make/wasm-export-all-symbols/verify.js
|
src/test/run-make/wasm-export-all-symbols/verify.js
|
const fs = require('fs');
const process = require('process');
const assert = require('assert');
const buffer = fs.readFileSync(process.argv[2]);
let m = new WebAssembly.Module(buffer);
let list = WebAssembly.Module.exports(m);
console.log('exports', list);
const my_exports = {};
let nexports = 0;
for (const entry of list) {
if (entry.kind == 'function'){
nexports += 1;
}
my_exports[entry.name] = true;
}
if (my_exports.foo === undefined)
throw new Error("`foo` wasn't defined");
if (my_exports.FOO === undefined)
throw new Error("`FOO` wasn't defined");
if (my_exports.main === undefined) {
if (nexports != 1)
throw new Error("should only have one function export");
} else {
if (nexports != 2)
throw new Error("should only have two function exports");
}
|
const fs = require('fs');
const process = require('process');
const assert = require('assert');
const buffer = fs.readFileSync(process.argv[2]);
let m = new WebAssembly.Module(buffer);
let list = WebAssembly.Module.exports(m);
console.log('exports', list);
const my_exports = {};
let nexports = 0;
for (const entry of list) {
if (entry.kind == 'function'){
nexports += 1;
}
my_exports[entry.name] = entry.kind;
}
if (my_exports.foo != "function")
throw new Error("`foo` wasn't defined");
if (my_exports.FOO != "global")
throw new Error("`FOO` wasn't defined");
if (my_exports.main === undefined) {
if (nexports != 1)
throw new Error("should only have one function export");
} else {
if (nexports != 2)
throw new Error("should only have two function exports");
}
|
Check for the entry kind
|
Check for the entry kind
|
JavaScript
|
apache-2.0
|
aidancully/rust,graydon/rust,aidancully/rust,aidancully/rust,graydon/rust,graydon/rust,graydon/rust,graydon/rust,aidancully/rust,aidancully/rust,aidancully/rust,graydon/rust
|
beeeec389b04ae44852b3388afa760bbc7f1a3df
|
components/link/Link.js
|
components/link/Link.js
|
import React, { Fragment, PureComponent } from 'react';
import PropTypes from 'prop-types';
import cx from 'classnames';
import theme from './theme.css';
class Link extends PureComponent {
render() {
const { children, className, icon, iconPlacement, element, inherit, ...others } = this.props;
const classNames = cx(
theme['link'],
{
[theme['inherit']]: inherit,
},
className,
);
const ChildrenWrapper = icon ? 'span' : Fragment;
const Element = element || 'a';
return (
<Element className={classNames} data-teamleader-ui="link" {...others}>
{icon && iconPlacement === 'left' && icon}
<ChildrenWrapper>{children}</ChildrenWrapper>
{icon && iconPlacement === 'right' && icon}
</Element>
);
}
}
Link.propTypes = {
children: PropTypes.node.isRequired,
className: PropTypes.string,
/** The icon displayed inside the button. */
icon: PropTypes.element,
/** The position of the icon inside the button. */
iconPlacement: PropTypes.oneOf(['left', 'right']),
inherit: PropTypes.bool,
element: PropTypes.element,
};
Link.defaultProps = {
className: '',
inherit: true,
};
export default Link;
|
import React, { Fragment, PureComponent } from 'react';
import PropTypes from 'prop-types';
import cx from 'classnames';
import theme from './theme.css';
class Link extends PureComponent {
render() {
const { children, className, icon, iconPlacement, element, inherit, ...others } = this.props;
const classNames = cx(
theme['link'],
{
[theme['inherit']]: inherit,
},
className,
);
const ChildrenWrapper = icon ? 'span' : Fragment;
const Element = element;
return (
<Element className={classNames} data-teamleader-ui="link" {...others}>
{icon && iconPlacement === 'left' && icon}
<ChildrenWrapper>{children}</ChildrenWrapper>
{icon && iconPlacement === 'right' && icon}
</Element>
);
}
}
Link.propTypes = {
children: PropTypes.node.isRequired,
className: PropTypes.string,
/** The icon displayed inside the button. */
icon: PropTypes.element,
/** The position of the icon inside the button. */
iconPlacement: PropTypes.oneOf(['left', 'right']),
inherit: PropTypes.bool,
element: PropTypes.element,
};
Link.defaultProps = {
className: '',
element: 'a',
inherit: true,
};
export default Link;
|
Add element to defaultProps and assign 'a' to it
|
Add element to defaultProps and assign 'a' to it
|
JavaScript
|
mit
|
teamleadercrm/teamleader-ui
|
4efc08fcf1bc7ed6b0c74b29d6c1fc7373d3c2ad
|
core/package.js
|
core/package.js
|
Package.describe({
name: 'svelte:core',
version: '1.40.1_1',
summary: 'Svelte compiler core',
git: 'https://github.com/meteor-svelte/meteor-svelte.git'
});
Npm.depends({
htmlparser2: '3.9.2',
'source-map': '0.5.6',
svelte: '1.40.1'
});
Package.onUse(function (api) {
api.versionsFrom('1.4.2.3');
// Dependencies for `SvelteCompiler`
api.use([
'[email protected]',
'[email protected]',
'[email protected]'
]);
// Dependencies for compiled Svelte components
api.imply([
'modules',
'ecmascript-runtime',
'babel-runtime',
'promise'
]);
// Make `SvelteCompiler` available to build plugins.
api.mainModule('svelte-compiler.js');
api.export('SvelteCompiler', 'server');
});
|
Package.describe({
name: 'svelte:core',
version: '1.40.1_1',
summary: 'Svelte compiler core',
git: 'https://github.com/meteor-svelte/meteor-svelte.git'
});
Npm.depends({
htmlparser2: '3.9.2',
'source-map': '0.5.6',
svelte: '1.40.1'
});
Package.onUse(function (api) {
api.versionsFrom('1.4.2.3');
// Dependencies for `SvelteCompiler`
api.use([
'[email protected]',
'[email protected]||7.0.0',
'[email protected]'
]);
// Dependencies for compiled Svelte components
api.imply([
'modules',
'ecmascript-runtime',
'babel-runtime',
'promise'
]);
// Make `SvelteCompiler` available to build plugins.
api.mainModule('svelte-compiler.js');
api.export('SvelteCompiler', 'server');
});
|
Use `babel-compiler` 7.x for compatibility with Meteor 1.6.1
|
Use `babel-compiler` 7.x for compatibility with Meteor 1.6.1
|
JavaScript
|
mit
|
meteor-svelte/meteor-svelte
|
31c98ed24c50375890e579efaac52e53762c6b89
|
commands/copy-assets.js
|
commands/copy-assets.js
|
'use strict';
const path = require('path');
module.exports = (() => {
// const akasha = require('../index');
const Command = require('cmnd').Command;
class CopyAssetsCommand extends Command {
constructor() {
super('copy-assets');
}
help() {
return {
description: 'Copy assets into output directory',
args: [ 'config_file' ],
};
}
run(args, flags, vflags, callback) {
const config = require(path.join(__dirname, args[0]));
config.copyAssets()
.then(() => { callback(null); })
.catch(err => { callback(err); });
}
}
return CopyAssetsCommand;
})();
|
'use strict';
const path = require('path');
module.exports = (() => {
// const akasha = require('../index');
const Command = require('cmnd').Command;
class CopyAssetsCommand extends Command {
constructor() {
super('copy-assets');
}
help() {
return {
description: 'Copy assets into output directory',
args: [ 'config_file' ],
};
}
run(args, flags, vflags, callback) {
if (!args[0]) callback(new Error("copy-assets: no config file name given"));
const config = require(path.join(__dirname, args[0]));
config.copyAssets()
.then(() => { callback(null); })
.catch(err => { callback(err); });
}
}
return CopyAssetsCommand;
})();
|
Check for missing config file name
|
Check for missing config file name
|
JavaScript
|
apache-2.0
|
akashacms/akasharender,akashacms/akasharender,akashacms/akasharender
|
8d379ebcb0ac8087fe1f4ead76722db46efc913f
|
test/parser.js
|
test/parser.js
|
var testCase = require('nodeunit').testCase,
parser = require('../language/parser'),
tokenizer = require('../language/tokenizer')
test('TextLiteral', '"hello world"', static("hello world"))
test('NumberLiteral', '1', static(1))
test('Declaration', 'let greeting = "hello"', {
type:'DECLARATION',
name:'greeting',
value: static("hello")
})
/* UTIL */
function test(name, code, expectedAST) {
module.exports['test '+name] = function(assert) {
var ast = parse(code)
assert.deepEqual(ast, expectedAST)
assert.done()
}
}
function static(value) {
var ast = { type:'STATIC', value:value }
ast.valueType = typeof value
return ast
}
function parse(code) {
tokens = tokenizer.tokenize(code)
return pruneInfo(parser.parse(tokens))
}
function pruneInfo(ast) {
for (var key in ast) {
if (key == 'info') { delete ast[key] }
else if (typeof ast[key] == 'object') { pruneInfo(ast[key]) }
}
return ast
}
|
var testCase = require('nodeunit').testCase,
parser = require('../language/parser'),
tokenizer = require('../language/tokenizer')
/* TESTS */
test('text literal', '"hello world"', static("hello world"))
test('number literal', '1', static(1))
test('declaration', 'let greeting = "hello"', { type:'DECLARATION', name:'greeting', value: static("hello") })
/* UTIL */
function test(name, code, expectedAST) {
module.exports['test '+name] = function(assert) {
var ast = parse(code)
assert.deepEqual(ast, expectedAST)
assert.done()
}
}
function static(value) {
var ast = { type:'STATIC', value:value }
ast.valueType = typeof value
return ast
}
function parse(code) {
tokens = tokenizer.tokenize(code)
return pruneInfo(parser.parse(tokens))
}
function pruneInfo(ast) {
for (var key in ast) {
if (key == 'info') { delete ast[key] }
else if (typeof ast[key] == 'object') { pruneInfo(ast[key]) }
}
return ast
}
|
Make the tests more reader friendly
|
Make the tests more reader friendly
|
JavaScript
|
mit
|
marcuswestin/fun
|
f27ace3130340b9b3ca2c452d9973a5b685c207a
|
less-engine.js
|
less-engine.js
|
module.exports = require("less/dist/less");
|
// Without these options Less will inject a `body { display: none !important; }`
var less = window.less || (window.less = {});
less.async = true;
module.exports = require("less/dist/less");
|
Make less use async mode in the browser
|
Make less use async mode in the browser
This makes less use async mode in the browser. We were already doing
this for our less requests, but now we also set it before less executes,
otherwise it tries to do some weird display: none stuff. Fixes https://github.com/donejs/donejs/issues/1113
|
JavaScript
|
mit
|
stealjs/steal-less,stealjs/steal-less
|
cc417b88c26628c4c68033d40d1bbc600b19aac8
|
tests/forms.js
|
tests/forms.js
|
import test from 'ava';
import plugin from '../lib/forms';
const formResponse = {
body: {
'service-name': 'Foo Service One',
'service-desciption': 'Foo service lorem ipsum description',
'service-url': '[email protected]',
'id': '07b45c32-001d-4c46-a785-0025b04f7f37',
'created': '2016-05-03 20:25:14',
},
};
test('Parse data from a form', t => {
t.pass();
});
test('Retrieve data from a form', t => {
const data = plugin.getFormData(formResponse);
t.is(data['service-name'], 'Foo Service One', 'should return name from response');
t.is(data['service-desciption'], 'Foo service lorem ipsum description', 'should return desc from response');
t.is(data['service-url'], '[email protected]', 'should return url from response');
t.is(data.id, '07b45c32-001d-4c46-a785-0025b04f7f37', 'should return id from response');
t.ok(data.created !== formResponse.body.created, '`created` datetime should be re-created by function');
t.ok(data.created > formResponse.body.created, 'new `created` datetime variable will be more recent');
});
|
import test from 'ava';
import plugin from '../lib/forms';
const formResponse = {
body: {
'service-name': 'Foo Service One',
'service-desciption': 'Foo service lorem ipsum description',
'service-url': '[email protected]',
'id': '07b45c32-001d-4c46-a785-0025b04f7f37',
'created': '2016-05-03 20:25:14',
},
};
test('Parse data from a form', t => {
t.pass();
});
test('Retrieve data from a form', t => {
const data = plugin.getFormData(formResponse);
t.is(data['service-name'], 'Foo Service One', 'should return name from response');
t.is(data['service-desciption'], 'Foo service lorem ipsum description', 'should return desc from response');
t.is(data['service-url'], '[email protected]', 'should return url from response');
t.is(data.id, '07b45c32-001d-4c46-a785-0025b04f7f37', 'should return id from response');
t.true(data.created !== formResponse.body.created, '`created` datetime should be re-created by function');
t.true(data.created > formResponse.body.created, 'new `created` datetime variable will be more recent');
});
|
Clean up old test assertions
|
:unamused: Clean up old test assertions
|
JavaScript
|
apache-2.0
|
scottnath/punchcard,poofichu/punchcard,scottnath/punchcard,punchcard-cms/punchcard,Snugug/punchcard,Snugug/punchcard,punchcard-cms/punchcard,poofichu/punchcard
|
11e3f029e325582d106637959240f7a55e22a8e4
|
lib/carcass.js
|
lib/carcass.js
|
var path = require('path');
var fs = require('fs');
var _ = require('underscore');
var debug = require('debug')('carcass:Index');
module.exports = function(obj) {
// Register every file in a dir plus a namespace.
obj.register = function(dir, namespace) {
namespace || (namespace = 'plugins');
// TODO: validate namespace.
obj[namespace] || (obj[namespace] = {});
// .
dir = path.join(dir, namespace);
fs.readdirSync(dir).forEach(function(filename) {
if (!/\.js$/.test(filename)) return;
var name = path.basename(filename, '.js');
function load() {
var component = require(path.join(dir, name));
component.title || (component.title = name);
return component;
}
obj[namespace].__defineGetter__(name, load);
});
};
// A method that can make something ...
// TODO: rename to plugin, and build a real mixin.
obj.mixable = function(target) {
target.plugin = function(namespace, title, options) {
var factory = obj[namespace][title];
if (factory) {
factory(options)(this);
}
return this;
};
_.bindAll(target, 'plugin');
};
};
|
var path = require('path');
var fs = require('fs');
var _ = require('underscore');
var debug = require('debug')('carcass:Index');
var descriptor = Object.getOwnPropertyDescriptor;
var properties = Object.getOwnPropertyNames;
var defineProp = Object.defineProperty;
module.exports = function(obj) {
// Register every file in a dir plus a namespace.
obj.register = function(dir, namespace) {
namespace || (namespace = 'plugins');
// TODO: validate namespace.
obj[namespace] || (obj[namespace] = {});
// .
dir = path.join(dir, namespace);
fs.readdirSync(dir).forEach(function(filename) {
if (!/\.js$/.test(filename)) return;
var name = path.basename(filename, '.js');
function load() {
var component = require(path.join(dir, name));
component.title || (component.title = name);
return component;
}
obj[namespace].__defineGetter__(name, load);
});
};
// Add some helpers to a target object.
obj.mixable = function(target) {
if (!_.isObject(target)) return;
// I organize my mixins into plugins. Each a plugin is a factory
// function. Once invoked, the factory will return the mixin function,
// and the mixin function can be used to modify an object directly.
target.plugin = function(namespace, title, options) {
var factory = obj[namespace][title];
if (factory) {
factory(options)(this);
}
return this;
};
// The common mixin, simply merge properties.
target.mixin = function(source) {
var self = this;
properties(source).forEach(function(key) {
defineProp(self, key, descriptor(source, key));
});
return this;
};
_.bindAll(target, 'plugin', 'mixin');
};
};
|
Build a common mixin method.
|
Build a common mixin method.
|
JavaScript
|
mit
|
Wiredcraft/carcass
|
90b029782ef2e7d0ba10c005931b79b9b06f7723
|
test/stores/literal-test.js
|
test/stores/literal-test.js
|
/*
* literal-test.js: Tests for the nconf literal store.
*
* (C) 2011, Charlie Robbins
*
*/
var vows = require('vows'),
assert = require('assert'),
helpers = require('../helpers'),
nconf = require('../../lib/nconf');
vows.describe('nconf/stores/literal').addBatch({
"An instance of nconf.Literal": {
topic: new nconf.Literal({
store: {
foo: 'bar',
one: 2
}
}),
"should have the correct methods defined": function (literal) {
assert.equal(literal.type, 'literal');
assert.isFunction(literal.get);
assert.isFunction(literal.set);
assert.isFunction(literal.merge);
assert.isFunction(literal.loadSync);
},
"should have the correct values in the store": function (literal) {
assert.equal(literal.store.foo, 'bar');
assert.equal(literal.store.one, 2);
}
}
}).export(module);
|
/*
* literal-test.js: Tests for the nconf literal store.
*
* (C) 2011, Charlie Robbins
*
*/
var vows = require('vows'),
assert = require('assert'),
helpers = require('../helpers'),
nconf = require('../../lib/nconf');
vows.describe('nconf/stores/literal').addBatch({
"An instance of nconf.Literal": {
topic: new nconf.Literal({
foo: 'bar',
one: 2
}),
"should have the correct methods defined": function (literal) {
assert.equal(literal.type, 'literal');
assert.isFunction(literal.get);
assert.isFunction(literal.set);
assert.isFunction(literal.merge);
assert.isFunction(literal.loadSync);
},
"should have the correct values in the store": function (literal) {
assert.equal(literal.store.foo, 'bar');
assert.equal(literal.store.one, 2);
}
}
}).export(module);
|
Update tests to use optional options API
|
[test] Update tests to use optional options API
|
JavaScript
|
mit
|
olalonde/nconf,philip1986/nconf,ChristianMurphy/nconf,HansHammel/nconf,remy/nconf,bryce-gibson/nconf,imjerrybao/nconf,indexzero/nconf,NickHeiner/nconf,Dependencies/nconf
|
8a677340e99b15271f6db7404f56295a2b1f6bd6
|
src/socket.js
|
src/socket.js
|
import SocketIO from 'socket.io';
import { createClient } from 'redis';
import { redisUrl } from './config';
const io = SocketIO();
io.use((socket, next) => {
return next();
});
io.of('/live-chatroom')
.use((socket, next) => {
return next();
})
.on('connection', (socket) => {
const redis = createClient(redisUrl);
let currentRoom = '';
socket.on('subscribe', (id) => {
currentRoom = `live:${id}:comments`;
socket.join(currentRoom);
io.of('/live-chatroom').in(currentRoom).clients((err, clients) => {
if (clients.length === 1) {
redis.subscribe(`${currentRoom}:latest`);
}
});
socket.emit('subscribed');
});
redis.on('message', (channel, message) => {
io.of('/live-chatroom').in(channel.replace(':latest', '')).emit('comment', message);
});
socket.on('unsubscribe', (id) => {
socket.leave(id);
socket.emit('unsubscribed');
});
socket.on('disconnect', () => {
io.of('/live-chatroom').in(currentRoom).clients((err, clients) => {
if (clients.length === 0) {
const redis = createClient(redisUrl);
redis.unsubscribe(`${currentRoom}:latest`);
redis.quit();
}
});
redis.quit();
})
});
export default io;
|
import SocketIO from 'socket.io';
import { createClient } from 'redis';
import { redisUrl } from './config';
const io = SocketIO();
io.use((socket, next) => {
return next();
});
io.of('/live-chatroom')
.use((socket, next) => {
return next();
})
.on('connection', (socket) => {
const redis = createClient(redisUrl);
let currentRoom = '';
socket.on('subscribe', (id) => {
currentRoom = `live:${id}:comments`;
socket.join(currentRoom);
redis.subscribe(`${currentRoom}:latest`);
socket.emit('subscribed');
});
redis.on('message', (channel, message) => {
socket.emit('comment', message);
});
socket.on('unsubscribe', (id) => {
socket.leave(id);
socket.emit('unsubscribed');
});
socket.on('disconnect', () => {
redis.unsubscribe(`${currentRoom}:latest`);
redis.quit();
})
});
export default io;
|
Fix bug: if the reds subscriber quit, members who still in the room cannot receive the messages.
|
Fix bug: if the reds subscriber quit, members who still in the room cannot receive the messages.
|
JavaScript
|
mit
|
Calvin-Huang/LiveAPIExplore-Server,Calvin-Huang/LiveAPIExplore-Server
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.