commit stringlengths 40 40 | old_file stringlengths 4 150 | new_file stringlengths 4 150 | old_contents stringlengths 0 3.26k | new_contents stringlengths 1 4.43k | subject stringlengths 15 501 | message stringlengths 15 4.06k | lang stringclasses 4 values | license stringclasses 13 values | repos stringlengths 5 91.5k | diff stringlengths 0 4.35k |
|---|---|---|---|---|---|---|---|---|---|---|
26a2a896c5333e286e16619bc8c9d268d30a814f | ruby_event_store-browser/elm/tailwind.config.js | ruby_event_store-browser/elm/tailwind.config.js | module.exports = {
theme: {
extend: {}
},
variants: {},
plugins: []
}
| module.exports = {
purge: ['./src/style/style.css'],
theme: {
extend: {}
},
variants: {},
plugins: []
}
| Purge tailwindcss classes not mentioned in apply | Purge tailwindcss classes not mentioned in apply
[#867]
| JavaScript | mit | arkency/rails_event_store,arkency/rails_event_store,RailsEventStore/rails_event_store,RailsEventStore/rails_event_store,RailsEventStore/rails_event_store,arkency/rails_event_store,arkency/rails_event_store,RailsEventStore/rails_event_store | ---
+++
@@ -1,4 +1,5 @@
module.exports = {
+ purge: ['./src/style/style.css'],
theme: {
extend: {}
}, |
b99b971210da9951ff468519bd1066a68d885c78 | server/config/middleware.js | server/config/middleware.js | var bodyParser = require('body-parser');
var db = require('../models/index');
module.exports = function (app, express) {
//Handle CORS
app.use(function(req, res, next) {
res.header('Access-Control-Allow-Origin', 'http://localhost:3000/');
res.header('Access-Control-Allow-Methods', 'GET,PUT,POST,DELETE,OPTIONS');
res.header('Access-Control-Allow-Headers', 'Origin, X-Requested-With, X-AUTHENTICATION, X-IP, Content-Type, Accept');
res.header('Access-Control-Allow-Credentials', true);
next();
});
//Serve up static files in client folder and other middleware
app.use(bodyParser.json());
app.use(express.static(__dirname + '/../../client'));
//For debugging. Log every request
app.use(function (req, res, next) {
console.log('==========================================');
console.log(req.method + ': ' + req.url);
next();
});
}; | var bodyParser = require('body-parser');
var db = require('../models/index');
module.exports = function (app, express) {
//Handle CORS
app.use(function(req, res, next) {
res.header('Access-Control-Allow-Origin', 'http://localhost:3000/');
res.header('Access-Control-Allow-Methods', 'GET,PUT,POST,DELETE,OPTIONS');
res.header('Access-Control-Allow-Headers', 'Origin, X-Requested-With, X-AUTHENTICATION, X-IP, Content-Type, Accept');
res.header('Access-Control-Allow-Credentials', true);
next();
});
//Serve up static files in client folder and other middleware
app.use(bodyParser.json());
app.use(express.static(__dirname + '/../../client/public'));
//For debugging. Log every request
app.use(function (req, res, next) {
console.log('==========================================');
console.log(req.method + ': ' + req.url);
next();
});
}; | Update static file directory to /public subfolder | Update static file directory to /public subfolder
| JavaScript | mit | benjaminhoffman/Encompass,benjaminhoffman/Encompass,benjaminhoffman/Encompass | ---
+++
@@ -13,7 +13,7 @@
//Serve up static files in client folder and other middleware
app.use(bodyParser.json());
- app.use(express.static(__dirname + '/../../client'));
+ app.use(express.static(__dirname + '/../../client/public'));
//For debugging. Log every request
app.use(function (req, res, next) { |
39fb8e8ef10506fb4ae401d2de1c6ef0e27086f0 | regulations/static/regulations/js/source/models/preamble-model.js | regulations/static/regulations/js/source/models/preamble-model.js | 'use strict';
var URI = require('urijs');
var _ = require('underscore');
var Backbone = require('backbone');
var MetaModel = require('./meta-model');
Backbone.PreambleModel = MetaModel.extend({
getAJAXUrl: function(id) {
var path = ['preamble'].concat(id.split('-'));
if (window.APP_PREFIX) {
path = [window.APP_PREFIX].concat(path);
}
return URI()
.path(path.join('/'))
.addQuery({partial: 'true'})
.toString();
}
});
module.exports = new Backbone.PreambleModel({});
| 'use strict';
var URI = require('urijs');
var _ = require('underscore');
var Backbone = require('backbone');
var MetaModel = require('./meta-model');
Backbone.PreambleModel = MetaModel.extend({
getAJAXUrl: function(id) {
// window.APP_PREFIX always ends in a slash
var path = [window.APP_PREFIX + 'preamble'].concat(id.split('-'));
return URI()
.path(path.join('/'))
.addQuery({partial: 'true'})
.toString();
}
});
module.exports = new Backbone.PreambleModel({});
| Fix logic around AJAXing in preamble sections | Fix logic around AJAXing in preamble sections
| JavaScript | cc0-1.0 | eregs/regulations-site,tadhg-ohiggins/regulations-site,tadhg-ohiggins/regulations-site,eregs/regulations-site,18F/regulations-site,18F/regulations-site,18F/regulations-site,18F/regulations-site,tadhg-ohiggins/regulations-site,eregs/regulations-site,eregs/regulations-site,tadhg-ohiggins/regulations-site | ---
+++
@@ -7,10 +7,8 @@
Backbone.PreambleModel = MetaModel.extend({
getAJAXUrl: function(id) {
- var path = ['preamble'].concat(id.split('-'));
- if (window.APP_PREFIX) {
- path = [window.APP_PREFIX].concat(path);
- }
+ // window.APP_PREFIX always ends in a slash
+ var path = [window.APP_PREFIX + 'preamble'].concat(id.split('-'));
return URI()
.path(path.join('/'))
.addQuery({partial: 'true'}) |
beef2838049f4d14fecd18ec19d8bc1ea183a036 | lib/validate-admin.js | lib/validate-admin.js | /**
* Middleware that only allows users to pass that have their isAdmin flag set.
*/
function validateToken (req, res, next) {
const user = req.decoded
if (!user.isAdmin) {
res.status(403).json({ success: false, message: `Permission denied: ${JSON.stringify(user.sub)}` })
return
}
next()
}
module.exports = validateToken
| /**
* Middleware that only allows users to pass that have their isAdmin flag set.
*/
function validateAdmin (req, res, next) {
const user = req.decoded
if (!user.isAdmin) {
res.status(403).json({ success: false, message: `Permission denied: ${JSON.stringify(user.sub)}` })
return
}
next()
}
module.exports = validateAdmin
| Rename module's function to reflect module name. | Rename module's function to reflect module name.
| JavaScript | agpl-3.0 | amos-ws16/amos-ws16-arrowjs-server,amos-ws16/amos-ws16-arrowjs-server | ---
+++
@@ -1,7 +1,7 @@
/**
* Middleware that only allows users to pass that have their isAdmin flag set.
*/
-function validateToken (req, res, next) {
+function validateAdmin (req, res, next) {
const user = req.decoded
if (!user.isAdmin) {
res.status(403).json({ success: false, message: `Permission denied: ${JSON.stringify(user.sub)}` })
@@ -11,4 +11,4 @@
next()
}
-module.exports = validateToken
+module.exports = validateAdmin |
1291e59bbf295918de6bcfc430d766717f46f5fa | stories/tab.js | stories/tab.js | import React from 'react'
import { storiesOf } from '@storybook/react'
import { action } from '@storybook/addon-actions'
import Tab from 'components/Tab/Tab'
import DraggableTab from 'components/Tab/DraggableTab'
import Icon from 'components/Tab/Icon'
import store from '../.storybook/mock-store'
const { tabs } = store.windowStore
const tabProps = () => ({
...tabs[Math.floor(Math.random() * tabs.length)],
dragPreview: action('dragPreview'),
getWindowList: action('getWindowList'),
faked: true
})
storiesOf('Tab', module)
.add('DraggableTab', () => (
<DraggableTab {...tabProps()} />
))
.add('Tab', () => (
<Tab {...tabProps()} />
))
.add('Pinned DraggableTab', () => (
<DraggableTab {...tabProps()} pinned />
))
.add('Pinned Tab', () => (
<Tab {...tabProps()} pinned />
))
const iconStory = storiesOf('Icon', module)
;[
'bookmarks',
'chrome',
'crashes',
'downloads',
'extensions',
'flags',
'history',
'settings'
].map((x) => {
iconStory.add(`Chrome Icon ${x}`, () => (
<Icon {...tabProps()} url={`chrome://${x}`} />
))
})
| import React from 'react'
import { storiesOf } from '@storybook/react'
import { action } from '@storybook/addon-actions'
import Tab from 'components/Tab/Tab'
import DraggableTab from 'components/Tab/DraggableTab'
import Icon from 'components/Tab/Icon'
import windows from '../.storybook/windows'
const tabs = [].concat(...windows.map(x => x.tabs))
const tabProps = () => ({
...tabs[Math.floor(Math.random() * tabs.length)],
dragPreview: action('dragPreview'),
getWindowList: action('getWindowList'),
faked: true
})
storiesOf('Tab', module)
.add('DraggableTab', () => (
<DraggableTab {...tabProps()} />
))
.add('Tab', () => (
<Tab {...tabProps()} />
))
.add('Pinned DraggableTab', () => (
<DraggableTab {...tabProps()} pinned />
))
.add('Pinned Tab', () => (
<Tab {...tabProps()} pinned />
))
const iconStory = storiesOf('Icon', module)
;[
'bookmarks',
'chrome',
'crashes',
'downloads',
'extensions',
'flags',
'history',
'settings'
].map((x) => {
iconStory.add(`Chrome Icon ${x}`, () => (
<Icon {...tabProps()} url={`chrome://${x}`} />
))
})
| Fix story bug for Tab | Fix story bug for Tab
| JavaScript | mit | xcv58/Tab-Manager-v2,xcv58/Tab-Manager-v2,xcv58/Tab-Manager-v2,xcv58/Tab-Manager-v2 | ---
+++
@@ -4,9 +4,9 @@
import Tab from 'components/Tab/Tab'
import DraggableTab from 'components/Tab/DraggableTab'
import Icon from 'components/Tab/Icon'
-import store from '../.storybook/mock-store'
+import windows from '../.storybook/windows'
-const { tabs } = store.windowStore
+const tabs = [].concat(...windows.map(x => x.tabs))
const tabProps = () => ({
...tabs[Math.floor(Math.random() * tabs.length)], |
05864ed7dd4cf0cf8a0c19ba8c37bc73afb600c3 | build/builder-config.js | build/builder-config.js | /**
* Copyright (c) Ajay Sreedhar. All rights reserved.
*
* Licensed under the MIT License.
* Please see LICENSE file located in the project root for more information.
*/
'use strict';
const releaseConfig = {
appId: 'com.kongdash',
productName: 'KongDash',
copyright: 'Copyright (c) 2022 Ajay Sreedhar',
asar: true,
compression: 'normal',
removePackageScripts: true,
nodeGypRebuild: false,
buildDependenciesFromSource: false,
files: [
{
from: 'dist/platform',
to: 'platform'
},
{
from: 'dist/workbench',
to: 'workbench'
},
'package.json'
],
directories: {
output: 'release'
},
extraResources: [
{
from: 'resources/themes',
to: 'themes'
}
],
extraMetadata: {
main: 'platform/main.js'
}
};
module.exports = {releaseConfig};
| /**
* Copyright (c) Ajay Sreedhar. All rights reserved.
*
* Licensed under the MIT License.
* Please see LICENSE file located in the project root for more information.
*/
'use strict';
const releaseConfig = {
appId: 'com.kongdash',
productName: 'KongDash',
copyright: 'Copyright (c) 2022 Ajay Sreedhar',
asar: true,
compression: 'normal',
removePackageScripts: true,
nodeGypRebuild: false,
buildDependenciesFromSource: false,
files: [
{
from: 'out/platform',
to: 'platform'
},
{
from: 'out/workbench',
to: 'workbench'
},
'package.json'
],
directories: {
output: 'dist'
},
extraResources: [
{
from: 'resources/themes',
to: 'themes'
}
],
extraMetadata: {
main: 'platform/main.js'
}
};
module.exports = {releaseConfig};
| Rename release directory name to Out | change: Rename release directory name to Out
| JavaScript | mit | ajaysreedhar/kongdash,ajaysreedhar/kongdash,ajaysreedhar/kongdash | ---
+++
@@ -18,17 +18,17 @@
buildDependenciesFromSource: false,
files: [
{
- from: 'dist/platform',
+ from: 'out/platform',
to: 'platform'
},
{
- from: 'dist/workbench',
+ from: 'out/workbench',
to: 'workbench'
},
'package.json'
],
directories: {
- output: 'release'
+ output: 'dist'
},
extraResources: [
{ |
a77cae24fb8e0560d2e2bc86f6c08a62b7b36d9d | packages/basic-component-mixins/test/ShadowTemplate.tests.js | packages/basic-component-mixins/test/ShadowTemplate.tests.js | import { assert } from 'chai';
import ShadowTemplate from '../src/ShadowTemplate';
window.MyElement = class MyElement extends HTMLElement {
greet() {
return `Hello!`;
}
};
customElements.define('my-element', MyElement);
/* Element with a simple template */
class ElementWithStringTemplate extends ShadowTemplate(HTMLElement) {
get template() {
return "Hello";
}
}
customElements.define('element-with-string-template', ElementWithStringTemplate);
/* Element with a real template */
let template = document.createElement('template');
template.content.textContent = "Hello";
class ElementWithRealTemplate extends ShadowTemplate(HTMLElement) {
get template() {
return template;
}
}
customElements.define('element-with-real-template', ElementWithRealTemplate);
describe("ShadowTemplate mixin", () => {
it("stamps string template into root", () => {
let element = document.createElement('element-with-string-template');
assert(element.shadowRoot);
assert.equal(element.shadowRoot.textContent.trim(), "Hello");
});
it("stamps real template into root", () => {
let element = document.createElement('element-with-real-template');
assert(element.shadowRoot);
assert.equal(element.shadowRoot.textContent.trim(), "Hello");
});
});
| import { assert } from 'chai';
import ShadowTemplate from '../src/ShadowTemplate';
class MyElement extends HTMLElement {
greet() {
return `Hello!`;
}
}
customElements.define('my-element', MyElement);
/* Element with a simple template */
class ElementWithStringTemplate extends ShadowTemplate(HTMLElement) {
get template() {
return "Hello";
}
}
customElements.define('element-with-string-template', ElementWithStringTemplate);
/* Element with a real template */
let template = document.createElement('template');
template.content.textContent = "Hello";
class ElementWithRealTemplate extends ShadowTemplate(HTMLElement) {
get template() {
return template;
}
}
customElements.define('element-with-real-template', ElementWithRealTemplate);
describe("ShadowTemplate mixin", () => {
it("stamps string template into root", () => {
let element = document.createElement('element-with-string-template');
assert(element.shadowRoot);
assert.equal(element.shadowRoot.textContent.trim(), "Hello");
});
it("stamps real template into root", () => {
let element = document.createElement('element-with-real-template');
assert(element.shadowRoot);
assert.equal(element.shadowRoot.textContent.trim(), "Hello");
});
});
| Remove global reference intended only for debugging. | Remove global reference intended only for debugging.
| JavaScript | mit | rlugojr/basic-web-components,basic-web-components/basic-web-components,basic-web-components/basic-web-components,rlugojr/basic-web-components | ---
+++
@@ -2,11 +2,11 @@
import ShadowTemplate from '../src/ShadowTemplate';
-window.MyElement = class MyElement extends HTMLElement {
+class MyElement extends HTMLElement {
greet() {
return `Hello!`;
}
-};
+}
customElements.define('my-element', MyElement);
/* Element with a simple template */ |
f9cb778aee192923d927d8f1cd2921e235485128 | packages/idyll-components/src/map.js | packages/idyll-components/src/map.js | const React = require('react');
const { mapChildren } = require('idyll-component-children');
import TextContainer from './text-container';
class Map extends React.Component {
render() {
const {
idyll,
hasError,
updateProps,
children,
value,
currentValue
} = this.props;
if (children) {
return mapChildren(children, child => {
return value.map(val => {
let newProps = Object.assign({}, child.props);
newProps = Object.keys(child.props).reduce((props, elm) => {
if (props[elm] === currentValue) {
props[elm] = val;
return props;
}
return props;
}, newProps);
return (
<TextContainer>
<div>
{React.cloneElement(child, {
...newProps
})}
</div>
</TextContainer>
);
});
});
}
return null;
}
}
Map._idyll = {
name: 'Map',
tagType: 'open',
children: ['Some text'],
props: [
{
name: 'value',
type: 'array',
example: "['one', 'two', 'three']",
description: 'Array of values to map.'
},
{
name: 'currentValue',
type: 'string',
example: 'iterator',
description:
'Value of the current element being processed from the array.'
}
]
};
module.exports = Map;
| const React = require('react');
const { mapChildren } = require('idyll-component-children');
import TextContainer from './text-container';
class Map extends React.Component {
render() {
const { children, value, currentValue } = this.props;
if (children) {
return mapChildren(children, child => {
return value.map(val => {
let newProps = Object.assign({}, child.props);
newProps = Object.keys(child.props).reduce((props, elm) => {
if (props[elm] === currentValue) {
props[elm] = val;
return props;
}
return props;
}, newProps);
return React.cloneElement(child, { ...newProps });
});
});
}
return null;
}
}
Map._idyll = {
name: 'Map',
tagType: 'open',
children: ['Some text'],
props: [
{
name: 'value',
type: 'array',
example: "['one', 'two', 'three']",
description: 'Array of values to map.'
},
{
name: 'currentValue',
type: 'string',
example: 'iterator',
description:
'Value of the current element being processed from the array.'
}
]
};
module.exports = Map;
| Update Map Component: remove TextContainer | Update Map Component: remove TextContainer
| JavaScript | mit | idyll-lang/idyll,idyll-lang/idyll | ---
+++
@@ -4,14 +4,7 @@
class Map extends React.Component {
render() {
- const {
- idyll,
- hasError,
- updateProps,
- children,
- value,
- currentValue
- } = this.props;
+ const { children, value, currentValue } = this.props;
if (children) {
return mapChildren(children, child => {
@@ -24,15 +17,7 @@
}
return props;
}, newProps);
- return (
- <TextContainer>
- <div>
- {React.cloneElement(child, {
- ...newProps
- })}
- </div>
- </TextContainer>
- );
+ return React.cloneElement(child, { ...newProps });
});
});
} |
f3865e87a30c9c93709a2e558e2e1de3c7712df8 | src/app/consumer/phantomrunner.js | src/app/consumer/phantomrunner.js | /**
* @fileoverview Run phantom bootstrapper jobs
* Spawns a child process to run the phantomjs job, with a callback on
* completion
*/
var childProcess = require('child_process'),
phantomjs = require('phantomjs'),
binPath = phantomjs.path,
config = require('../../config');
// Host mapping of environments to js livefyre.js file hosts
var hostMap = {
'prod': 'zor',
'staging': 'zor.t402',
'qa': 'zor.qa-ext'
};
/**
* @param {string} type
* @param {Object} data
* @param {function()} callback
*/
exports.run = function(type, data, callback) {
data.host = (hostMap[config.environment.type] || 'zor') + '.livefyre.com';
var childArgs = [
__dirname + '/../../phantom/bootstrapper.js',
type,
encodeURIComponent(JSON.stringify(data))
];
console.log('Running phantom child proc to get bs data', data);
var phantomInst = childProcess.spawn(binPath, childArgs), html = '';
phantomInst.stdout.on('data', function(data) {
html += data.toString();
});
phantomInst.on('error', function(err) {
console.error('Something went wrong with phantom child proc');
console.error(err.toString());
});
phantomInst.on('close', function() {
callback(html);
});
};
| /**
* @fileoverview Run phantom bootstrapper jobs
* Spawns a child process to run the phantomjs job, with a callback on
* completion
*/
var childProcess = require('child_process'),
phantomjs = require('phantomjs'),
binPath = phantomjs.path,
config = require('../../config');
// Host mapping of environments to js livefyre.js file hosts
var hostMap = {
'prod': 'zor',
'staging': 'zor.t402',
'qa': 'zor.qa-ext'
};
/**
* @param {string} type
* @param {Object} data
* @param {function()} callback
*/
exports.run = function(type, data, callback) {
data.host = (hostMap[config.environment.type] || 'zor') + '.livefyre.com';
var childArgs = [
'--load-images=false',
'--disk-cache=true',
__dirname + '/../../phantom/bootstrapper.js',
type,
encodeURIComponent(JSON.stringify(data))
];
console.log('Running phantom child proc to get bs data', data);
var phantomInst = childProcess.spawn(binPath, childArgs),
html = '';
phantomInst.stdout.on('data', function(data) {
html += data.toString();
});
phantomInst.on('error', function(err) {
console.error('Something went wrong with phantom child proc');
console.error(err.toString());
});
phantomInst.on('close', function() {
callback(html);
});
};
| Add optional arguments to improve phantomjs rendering perf. | Add optional arguments to improve phantomjs rendering perf.
disk-cache=true will enable disk cache.
load-images=false will prevent phantomjs from having to wait for
slow image servers / cdns to be ready.
| JavaScript | mit | Livefyre/lfbshtml,Livefyre/lfbshtml,Livefyre/lfbshtml | ---
+++
@@ -25,13 +25,16 @@
data.host = (hostMap[config.environment.type] || 'zor') + '.livefyre.com';
var childArgs = [
+ '--load-images=false',
+ '--disk-cache=true',
__dirname + '/../../phantom/bootstrapper.js',
type,
encodeURIComponent(JSON.stringify(data))
];
console.log('Running phantom child proc to get bs data', data);
- var phantomInst = childProcess.spawn(binPath, childArgs), html = '';
+ var phantomInst = childProcess.spawn(binPath, childArgs),
+ html = '';
phantomInst.stdout.on('data', function(data) {
html += data.toString(); |
c09f44c763b69b86ec323bc0c7fb7506d47e9e34 | lib/io.js | lib/io.js | (function() {
'use strict';
this.IO = {
load: function(url, async) {
if (async) {
return this.loadAsync(url);
}
return this.loadSync(url);
},
loadAsync: function(url) {
var deferred = when.defer();
var xhr = new XMLHttpRequest();
xhr.overrideMimeType('text/plain');
xhr.addEventListener('load', function() {
if (xhr.status == 200) {
deferred.resolve(xhr.responseText);
} else {
deferred.reject();
}
});
xhr.addEventListener('abort', function(e) {
return when.reject(e);
});
xhr.open('GET', url, true);
xhr.send('');
return deferred.promise;
},
loadSync: function(url) {
var deferred = when.defer();
var xhr = new XMLHttpRequest();
xhr.overrideMimeType('text/plain');
xhr.open('GET', url, false);
xhr.send('');
if (xhr.status == 200) {
defer.resolve(xhr.responseText);
} else {
defer.reject();
}
return defer.promise;
}
}
}).call(L20n);
| (function() {
'use strict';
this.IO = {
load: function(url, async) {
var deferred = when.defer();
var xhr = new XMLHttpRequest();
xhr.overrideMimeType('text/plain');
xhr.addEventListener('load', function() {
if (xhr.status == 200) {
deferred.resolve(xhr.responseText);
} else {
deferred.reject();
}
});
xhr.addEventListener('abort', function(e) {
return deferred.reject(e);
});
xhr.open('GET', url, async);
xhr.send('');
return deferred.promise;
},
}
}).call(L20n);
| Simplify IO and fix the s/defer/deferred/ typo | Simplify IO and fix the s/defer/deferred/ typo
| JavaScript | apache-2.0 | zbraniecki/fluent.js,zbraniecki/fluent.js,projectfluent/fluent.js,mail-apps/l20n.js,projectfluent/fluent.js,Pike/l20n.js,l20n/l20n.js,mail-apps/l20n.js,projectfluent/fluent.js,stasm/l20n.js,Swaven/l20n.js,Pike/l20n.js,zbraniecki/l20n.js | ---
+++
@@ -3,12 +3,6 @@
this.IO = {
load: function(url, async) {
- if (async) {
- return this.loadAsync(url);
- }
- return this.loadSync(url);
- },
- loadAsync: function(url) {
var deferred = when.defer();
var xhr = new XMLHttpRequest();
xhr.overrideMimeType('text/plain');
@@ -20,26 +14,12 @@
}
});
xhr.addEventListener('abort', function(e) {
- return when.reject(e);
+ return deferred.reject(e);
});
- xhr.open('GET', url, true);
+ xhr.open('GET', url, async);
xhr.send('');
return deferred.promise;
},
-
- loadSync: function(url) {
- var deferred = when.defer();
- var xhr = new XMLHttpRequest();
- xhr.overrideMimeType('text/plain');
- xhr.open('GET', url, false);
- xhr.send('');
- if (xhr.status == 200) {
- defer.resolve(xhr.responseText);
- } else {
- defer.reject();
- }
- return defer.promise;
- }
}
}).call(L20n); |
490e5c6f3847ea49163e788bf25a3e808f45199f | src/server/modules/user/index.js | src/server/modules/user/index.js | import jwt from 'jsonwebtoken';
// Components
import UserDAO from './sql';
import schema from './schema.graphqls';
import createResolvers from './resolvers';
import { refreshTokens } from './auth';
import tokenMiddleware from './token';
import Feature from '../connector';
const SECRET = 'secret, change for production';
const User = new UserDAO();
export default new Feature({
schema,
createResolversFunc: createResolvers,
createContextFunc: async (req, connectionParams) => {
let tokenUser = null;
if (
connectionParams &&
connectionParams.token &&
connectionParams.token !== 'null'
) {
try {
const { user } = jwt.verify(connectionParams.token, SECRET);
tokenUser = user;
} catch (err) {
const newTokens = await refreshTokens(
connectionParams.token,
connectionParams.refreshToken,
User,
SECRET
);
tokenUser = newTokens.user;
}
} else if (req) {
tokenUser = req.user;
}
return {
User,
user: tokenUser,
SECRET,
req
};
},
middleware: tokenMiddleware(SECRET, User)
});
| import jwt from 'jsonwebtoken';
// Components
import UserDAO from './sql';
import schema from './schema.graphqls';
import createResolvers from './resolvers';
import { refreshTokens } from './auth';
import tokenMiddleware from './token';
import Feature from '../connector';
const SECRET = 'secret, change for production';
const User = new UserDAO();
export default new Feature({
schema,
createResolversFunc: createResolvers,
createContextFunc: async (req, connectionParams) => {
let tokenUser = null;
if (
connectionParams &&
connectionParams.token &&
connectionParams.token !== 'null' &&
connectionParams.token !== 'undefined'
) {
try {
const { user } = jwt.verify(connectionParams.token, SECRET);
tokenUser = user;
} catch (err) {
const newTokens = await refreshTokens(
connectionParams.token,
connectionParams.refreshToken,
User,
SECRET
);
tokenUser = newTokens.user;
}
} else if (req) {
tokenUser = req.user;
}
return {
User,
user: tokenUser,
SECRET,
req
};
},
middleware: tokenMiddleware(SECRET, User)
});
| Handle another corner case where refreshToken is undefined | Handle another corner case where refreshToken is undefined
| JavaScript | mit | sysgears/apollo-universal-starter-kit,sysgears/apollo-universal-starter-kit,sysgears/apollo-universal-starter-kit,sysgears/apollo-fullstack-starter-kit,sysgears/apollo-universal-starter-kit | ---
+++
@@ -22,7 +22,8 @@
if (
connectionParams &&
connectionParams.token &&
- connectionParams.token !== 'null'
+ connectionParams.token !== 'null' &&
+ connectionParams.token !== 'undefined'
) {
try {
const { user } = jwt.verify(connectionParams.token, SECRET); |
5601159d3578b952adeda6c7f87beefc86976724 | site/webpack.mix.js | site/webpack.mix.js | let argv = require('yargs').argv;
let command = require('node-cmd');
let jigsaw = require('./tasks/bin');
let mix = require('laravel-mix');
let AfterBuild = require('on-build-webpack');
let BrowserSync = require('browser-sync');
let BrowserSyncPlugin = require('browser-sync-webpack-plugin');
let Watch = require('webpack-watch');
const env = argv.e || argv.env || 'local';
const port = argv.p || argv.port || 3000;
const buildPath = 'build_' + env + '/';
let browserSyncInstance;
let plugins = [
new AfterBuild(() => {
command.get(jigsaw.path() + ' build ' + env, (error, stdout, stderr) => {
console.log(error ? stderr : stdout);
browserSyncInstance.reload();
});
}),
new BrowserSyncPlugin({
proxy: null,
port: port,
server: { baseDir: buildPath },
notify: false,
},
{
reload: false,
callback: function() {
browserSyncInstance = BrowserSync.get('bs-webpack-plugin');
},
}),
new Watch({
paths: ['source/**/*.md', 'source/**/*.php'],
options: { ignoreInitial: true }
}),
];
mix.webpackConfig({ plugins });
mix.disableSuccessNotifications();
mix.setPublicPath('source/assets/');
mix.js('source/_assets/js/main.js', 'js/')
.sass('source/_assets/sass/main.scss', 'css/')
.version();
| let argv = require('yargs').argv;
let command = require('node-cmd');
let jigsaw = require('./tasks/bin');
let mix = require('laravel-mix');
let AfterBuild = require('on-build-webpack');
let BrowserSync = require('browser-sync');
let BrowserSyncPlugin = require('browser-sync-webpack-plugin');
let Watch = require('webpack-watch');
const env = argv.e || argv.env || 'local';
const port = argv.p || argv.port || 3000;
const buildPath = 'build_' + env + '/';
let browserSyncInstance;
let plugins = [
new AfterBuild(() => {
command.get(jigsaw.path() + ' build ' + env, (error, stdout, stderr) => {
console.log(error ? stderr : stdout);
if (browserSyncInstance) {
browserSyncInstance.reload();
}
});
}),
new BrowserSyncPlugin({
proxy: null,
port: port,
server: { baseDir: buildPath },
notify: false,
},
{
reload: false,
callback: function() {
browserSyncInstance = BrowserSync.get('bs-webpack-plugin');
},
}),
new Watch({
paths: ['source/**/*.md', 'source/**/*.php'],
options: { ignoreInitial: true }
}),
];
mix.webpackConfig({ plugins });
mix.disableSuccessNotifications();
mix.setPublicPath('source/assets/');
mix.js('source/_assets/js/main.js', 'js/')
.sass('source/_assets/sass/main.scss', 'css/')
.version();
| Allow webpack errors to be displayed (suppress browserSyncInstance.reload) | Allow webpack errors to be displayed (suppress browserSyncInstance.reload)
| JavaScript | mit | adamwathan/jigsaw,tightenco/jigsaw,tightenco/jigsaw,adamwathan/jigsaw,tightenco/jigsaw | ---
+++
@@ -18,7 +18,10 @@
new AfterBuild(() => {
command.get(jigsaw.path() + ' build ' + env, (error, stdout, stderr) => {
console.log(error ? stderr : stdout);
- browserSyncInstance.reload();
+
+ if (browserSyncInstance) {
+ browserSyncInstance.reload();
+ }
});
}),
|
01955d0e5f99f71043ceb01a43a4888ff53565fe | packages/testing-utils/jest.config.js | packages/testing-utils/jest.config.js | const lernaAliases = require('lerna-alias').jest()
module.exports = {
testEnvironment: 'node',
moduleNameMapper: Object.assign(lernaAliases, {
'^redux-saga/effects$': lernaAliases['^redux-saga$'].replace(/index\.js$/, 'effects.js'),
}),
transform: {
'.js$': __dirname + '/babel-transformer.jest.js',
},
}
| const lernaAliases = require('lerna-alias').jest()
module.exports = {
testEnvironment: 'node',
moduleNameMapper: Object.assign(lernaAliases, {
'^redux-saga/effects$': lernaAliases['^redux-saga$'].replace(/index\.js$/, 'effects.js'),
'^@redux-saga/core/effects$': lernaAliases['^@redux-saga/core$'].replace(/index\.js$/, 'effects.js'),
}),
transform: {
'.js$': __dirname + '/babel-transformer.jest.js',
},
}
| Fix lerna alias in testing-utils | Fix lerna alias in testing-utils
| JavaScript | mit | yelouafi/redux-saga,yelouafi/redux-saga,redux-saga/redux-saga,redux-saga/redux-saga | ---
+++
@@ -4,6 +4,7 @@
testEnvironment: 'node',
moduleNameMapper: Object.assign(lernaAliases, {
'^redux-saga/effects$': lernaAliases['^redux-saga$'].replace(/index\.js$/, 'effects.js'),
+ '^@redux-saga/core/effects$': lernaAliases['^@redux-saga/core$'].replace(/index\.js$/, 'effects.js'),
}),
transform: {
'.js$': __dirname + '/babel-transformer.jest.js', |
036bbbe213ce0a80b56fc6448a86fdb49bf4ed55 | src/components/home/Team/index.js | src/components/home/Team/index.js | import React from "react"
import { StaticQuery, graphql } from "gatsby"
import Member from "./Member"
import "./index.module.css"
const Team = ({ members }) => (
<ul styleName="root">
{members.map((data, index) => (
<li key={index} styleName="member">
<Member {...data} />
</li>
))}
</ul>
)
export default () => (
<StaticQuery
query={teamQuery}
render={({ allTeamYaml: { edges: team } }) => (
<Team members={team.map(m => m.node)} />
)}
/>
)
const teamQuery = graphql`
query TeamQuery {
allTeamYaml {
edges {
node {
name
role
photo {
childImageSharp {
fluid(maxWidth: 320, quality: 100) {
...GatsbyImageSharpFluid_noBase64
}
}
}
social {
twitter
github
dribbble
}
}
}
}
}
`
| import React from "react"
import { StaticQuery, graphql } from "gatsby"
import Member from "./Member"
import "./index.module.css"
const Team = ({ members }) => (
<ul styleName="root">
{members.map((data, index) => (
<li key={index}>
<Member {...data} />
</li>
))}
</ul>
)
export default () => (
<StaticQuery
query={teamQuery}
render={({ allTeamYaml: { edges: team } }) => (
<Team members={team.map(m => m.node)} />
)}
/>
)
const teamQuery = graphql`
query TeamQuery {
allTeamYaml {
edges {
node {
name
role
photo {
childImageSharp {
fluid(maxWidth: 320, quality: 100) {
...GatsbyImageSharpFluid_noBase64
}
}
}
social {
twitter
github
dribbble
}
}
}
}
}
`
| Fix Team component (missing style) | Fix Team component (missing style)
| JavaScript | mit | subvisual/subvisual.co,subvisual/subvisual.co | ---
+++
@@ -8,7 +8,7 @@
const Team = ({ members }) => (
<ul styleName="root">
{members.map((data, index) => (
- <li key={index} styleName="member">
+ <li key={index}>
<Member {...data} />
</li>
))} |
02896d4a839c87d319101023df1862b16e95f3fd | endpoints/hljomaholl/tests/integration_test.js | endpoints/hljomaholl/tests/integration_test.js | var request = require('request');
var assert = require('assert');
var helpers = require('../../../lib/test_helpers.js');
describe('hljomaholl', function() {
// The only thing that changes is the form attribute, so why not just re-use the object
var fieldsToCheckFor = [
'date', 'time', 'image', 'title', 'description', 'location', 'buyTicketURL',
'moreInfoURL'
];
it ('should return an array of items with correct fields', function(done) {
var params = helpers.testRequestParams('/hljomaholl');
var resultHandler = helpers.testRequestHandlerForFields(
done, fieldsToCheckFor, null
);
request(params, resultHandler);
});
});
| var request = require('request');
var assert = require('assert');
var helpers = require('../../../lib/test_helpers.js');
describe('hljomaholl', function() {
// The only thing that changes is the form attribute, so why not just re-use the object
var fieldsToCheckFor = [
'date', 'time', 'image', 'title', 'description', 'location', 'buyTicketURL',
'moreInfoURL'
];
it ('should return an array of items with correct fields', function(done) {
var params = helpers.testRequestParams('/hljomaholl');
var resultHandler = helpers.testRequestHandlerForFields(
done, fieldsToCheckFor, null, true
);
request(params, resultHandler);
});
});
| Allow hljomaholl results to be empty | Allow hljomaholl results to be empty
| JavaScript | mit | apis-is/apis | ---
+++
@@ -12,7 +12,7 @@
it ('should return an array of items with correct fields', function(done) {
var params = helpers.testRequestParams('/hljomaholl');
var resultHandler = helpers.testRequestHandlerForFields(
- done, fieldsToCheckFor, null
+ done, fieldsToCheckFor, null, true
);
request(params, resultHandler);
}); |
d694448e175c3c92d9f8ace88aa2c369026aa5bb | test/routes.js | test/routes.js | import mockReq from 'mock-require';
import chai from 'chai';
import { shallow } from 'enzyme';
import Match from 'react-router/Match';
chai.should();
global.OKAPI_URL = 'http://localhost:9130';
mockReq('stripes-loader!', { modules: {
app: [ {
displayName: 'someApp',
module: 'some-app',
getModule: () => () => 'Close enough to a React component for this purpose.',
route: '/someapp'
} ]
} });
mockReq('some-app', () => <div></div>);
const routes = require('../src/moduleRoutes').default;
const inst = shallow(routes[0]).instance();
describe('routes', () => {
it('should be an array of Match components', () => {
routes.should.be.a('array');
inst.should.be.instanceOf(Match);
});
});
| import mockReq from 'mock-require';
import chai from 'chai';
import { shallow } from 'enzyme';
import Match from 'react-router/Match';
chai.should();
global.OKAPI_URL = 'http://localhost:9130';
mockReq('stripes-loader', { modules: {
app: [ {
displayName: 'someApp',
module: 'some-app',
getModule: () => () => 'Close enough to a React component for this purpose.',
route: '/someapp'
} ]
} });
mockReq('some-app', () => <div></div>);
const routes = require('../src/moduleRoutes').default;
const inst = shallow(routes[0]).instance();
describe('routes', () => {
it('should be an array of Match components', () => {
routes.should.be.a('array');
inst.should.be.instanceOf(Match);
});
});
| Update test to mock stripes-loader alias | Update test to mock stripes-loader alias
| JavaScript | apache-2.0 | folio-org/stripes-core,folio-org/stripes-core,folio-org/stripes-core | ---
+++
@@ -8,7 +8,7 @@
global.OKAPI_URL = 'http://localhost:9130';
-mockReq('stripes-loader!', { modules: {
+mockReq('stripes-loader', { modules: {
app: [ {
displayName: 'someApp',
module: 'some-app', |
b339dc9664ace02351c981e9d05c20851aa165a9 | src/Button/index.js | src/Button/index.js | import React, { PropTypes } from 'react';
import styles from './Button.css';
const Button = (props) => {
const classNames = [styles.Button];
if (props.state) {
classNames.push(styles[`Button--state-${props.state}`]);
}
if (props.type) {
classNames.push(styles[`Button--type-${props.type}`]);
}
return (
<button className={classNames.join(' ')}>
{props.children}
</button>
);
};
Button.propTypes = {
children: PropTypes.node,
state: PropTypes.string,
type: PropTypes.string,
};
export default Button;
| import React, { PropTypes } from 'react';
import styles from './Button.css';
const Button = (props) => {
const classNames = [styles.Button];
if (props.state) {
classNames.push(styles[`Button--state-${props.state}`]);
}
if (props.type) {
classNames.push(styles[`Button--type-${props.type}`]);
}
return (
<button className={classNames.join(' ')} {...props}>
{props.children}
</button>
);
};
Button.propTypes = {
children: PropTypes.node,
state: PropTypes.string,
type: PropTypes.string,
};
export default Button;
| Extend props for handlers like onClick | Extend props for handlers like onClick
| JavaScript | mit | bufferapp/buffer-components,bufferapp/buffer-components | ---
+++
@@ -10,7 +10,7 @@
classNames.push(styles[`Button--type-${props.type}`]);
}
return (
- <button className={classNames.join(' ')}>
+ <button className={classNames.join(' ')} {...props}>
{props.children}
</button>
); |
513024b1add009b895acd5e12f60094f95fb14a7 | example/drummer/src/historyComponent/reduce.js | example/drummer/src/historyComponent/reduce.js | const way = require('senseway');
const historyDeleteFrame = (hist, t) => {
const newHist = way.clone(hist);
newHist.map((ch) => {
return ch.splice(t, 1);
});
return newHist;
};
const historyDuplicateFrame = (hist, t) => {
const newHist = way.clone(hist);
newHist.map((ch, i) => {
const cellValue = ch[t];
return ch.splice(t, 0, cellValue);
});
return newHist;
};
const historySetValue = (hist, ev) => {
const newHist = way.clone(hist);
newHist[ev.channel][ev.time] = ev.value;
return newHist;
};
module.exports = (model, ev) => {
switch (ev.type) {
case 'DELETE_HISTORY_CHANNEL': {
return Object.assign({}, model, {
history: model.history.filter((ch, c) => c !== ev.channel)
});
}
case 'DELETE_HISTORY_FRAME': {
return Object.assign({}, model, {
history: historyDeleteFrame(model.history, ev.time)
});
}
case 'DUPLICATE_HISTORY_CHANNEL': {
const c = ev.channel;
const ch = [model.history[c]];
const pre = model.history.slice(0, c);
const post = model.history.slice(c);
return Object.assign({}, model, {
history: [].concat(pre, ch, post)
});
}
case 'DUPLICATE_HISTORY_FRAME': {
return Object.assign({}, model, {
history: historyDuplicateFrame(model.history, ev.time)
});
}
case 'SET_HISTORY_VALUE': {
return Object.assign({}, model, {
history: historySetValue(model.history, ev)
});
}
default:
return model;
}
};
| const way = require('senseway');
module.exports = (model, ev) => {
switch (ev.type) {
case 'DELETE_HISTORY_CHANNEL': {
return Object.assign({}, model, {
history: way.dropChannel(model.history, ev.channel),
});
}
case 'DELETE_HISTORY_FRAME': {
return Object.assign({}, model, {
history: way.dropAt(model.history, ev.time)
});
}
case 'DUPLICATE_HISTORY_CHANNEL': {
return Object.assign({}, model, {
history: way.repeatChannel(model.history, ev.channel),
});
}
case 'DUPLICATE_HISTORY_FRAME': {
return Object.assign({}, model, {
history: way.repeatAt(model.history, ev.time)
});
}
case 'SET_HISTORY_VALUE': {
return Object.assign({}, model, {
history: way.set(model.history, ev.channel, ev.time, ev.value)
});
}
default:
return model;
}
};
| Use way.repeatAt .repeatChannel .dropChannel .dropAt .set | Use way.repeatAt .repeatChannel .dropChannel .dropAt .set
| JavaScript | mit | axelpale/lately,axelpale/lately | ---
+++
@@ -1,62 +1,35 @@
const way = require('senseway');
-
-const historyDeleteFrame = (hist, t) => {
- const newHist = way.clone(hist);
- newHist.map((ch) => {
- return ch.splice(t, 1);
- });
- return newHist;
-};
-
-const historyDuplicateFrame = (hist, t) => {
- const newHist = way.clone(hist);
- newHist.map((ch, i) => {
- const cellValue = ch[t];
- return ch.splice(t, 0, cellValue);
- });
- return newHist;
-};
-
-const historySetValue = (hist, ev) => {
- const newHist = way.clone(hist);
- newHist[ev.channel][ev.time] = ev.value;
- return newHist;
-};
module.exports = (model, ev) => {
switch (ev.type) {
case 'DELETE_HISTORY_CHANNEL': {
return Object.assign({}, model, {
- history: model.history.filter((ch, c) => c !== ev.channel)
+ history: way.dropChannel(model.history, ev.channel),
});
}
case 'DELETE_HISTORY_FRAME': {
return Object.assign({}, model, {
- history: historyDeleteFrame(model.history, ev.time)
+ history: way.dropAt(model.history, ev.time)
});
}
case 'DUPLICATE_HISTORY_CHANNEL': {
- const c = ev.channel;
- const ch = [model.history[c]];
- const pre = model.history.slice(0, c);
- const post = model.history.slice(c);
return Object.assign({}, model, {
- history: [].concat(pre, ch, post)
+ history: way.repeatChannel(model.history, ev.channel),
});
}
case 'DUPLICATE_HISTORY_FRAME': {
return Object.assign({}, model, {
- history: historyDuplicateFrame(model.history, ev.time)
+ history: way.repeatAt(model.history, ev.time)
});
}
case 'SET_HISTORY_VALUE': {
return Object.assign({}, model, {
- history: historySetValue(model.history, ev)
+ history: way.set(model.history, ev.channel, ev.time, ev.value)
});
}
|
a9bf8a35794c94c6033f102b500ea10e78755513 | client/js/decompress.js | client/js/decompress.js | const continuationBit = 1 << 7;
const lowBitsMask = ~continuationBit & 0xff;
/**
* @template {ArrayBufferView} T
*
* @param {ReadableStream<Uint8Array>} stream
* @param {number} length of the returned ArrayBufferView
* @param {new (length: number) => T} Type
*
* @returns {T}
*/
export async function decompress(stream, length, Type) {
const reader = stream.getReader();
const output = new Type(length);
let outIndex = 0;
let result = 0;
let shift = 0;
while (true) {
const { done, value } = await reader.read();
if (done) {
return output;
}
for (const byte of value) {
result |= (byte & lowBitsMask) << shift;
if ((byte & continuationBit) === 0) {
output[outIndex++] = result;
result = shift = 0;
continue;
}
shift += 7;
}
}
}
| const continuationBit = 1 << 7;
const lowBitsMask = ~continuationBit & 0xff;
/**
* Consume a readable stream of unsigned LEB128 encoded bytes, writing the
* results into the provided buffer
*
* @template {ArrayBufferView} T
* @param {ReadableStream<Uint8Array>} stream A stream of concatenated unsigned
* LEB128 encoded values
* @param {T} buffer An ArrayBuffer view to write the decoded values to
* @returns {T} the passed in `buffer`
*/
export async function decompress(stream, buffer) {
const reader = stream.getReader();
let index = 0;
let result = 0;
let shift = 0;
while (true) {
const { done, value } = await reader.read();
if (done) {
return buffer;
}
for (const byte of value) {
result |= (byte & lowBitsMask) << shift;
if ((byte & continuationBit) === 0) {
buffer[index++] = result;
result = shift = 0;
continue;
}
shift += 7;
}
}
}
| Bring your own buffer for leb128 | Bring your own buffer for leb128
| JavaScript | mit | Alexendoo/utf,Alexendoo/utf,Alexendoo/utf,Alexendoo/utf | ---
+++
@@ -2,19 +2,19 @@
const lowBitsMask = ~continuationBit & 0xff;
/**
+ * Consume a readable stream of unsigned LEB128 encoded bytes, writing the
+ * results into the provided buffer
+ *
* @template {ArrayBufferView} T
- *
- * @param {ReadableStream<Uint8Array>} stream
- * @param {number} length of the returned ArrayBufferView
- * @param {new (length: number) => T} Type
- *
- * @returns {T}
+ * @param {ReadableStream<Uint8Array>} stream A stream of concatenated unsigned
+ * LEB128 encoded values
+ * @param {T} buffer An ArrayBuffer view to write the decoded values to
+ * @returns {T} the passed in `buffer`
*/
-export async function decompress(stream, length, Type) {
+export async function decompress(stream, buffer) {
const reader = stream.getReader();
- const output = new Type(length);
- let outIndex = 0;
+ let index = 0;
let result = 0;
let shift = 0;
@@ -22,14 +22,14 @@
const { done, value } = await reader.read();
if (done) {
- return output;
+ return buffer;
}
for (const byte of value) {
result |= (byte & lowBitsMask) << shift;
if ((byte & continuationBit) === 0) {
- output[outIndex++] = result;
+ buffer[index++] = result;
result = shift = 0;
continue;
} |
7b1d235f444dc3edb8ac53bd8de3396e66a9b418 | RcmBrightCoveLib/public/keep-aspect-ratio.js | RcmBrightCoveLib/public/keep-aspect-ratio.js | /**
* This script keeps the height set on elements with regard to their
* width for a given aspect ratio. Great for "display:block" elements
*
* Example usage:
*
* <div data-keep-aspect-ratio="16:9">
*
* Author: Rod McNew
* License: BSD
*/
new function () {
var setHeights = function () {
$.each($('[data-keep-aspect-ratio]'), function () {
var ele = $(this);
var ratioParts = ele.attr('data-keep-aspect-ratio').split(':');
var ratioWidth = ratioParts[0];
var ratioHeight = ratioParts[1];
var width = ele.width();
var newHeight = width * ratioHeight / ratioWidth;
ele.css('height', newHeight);
})
};
//Run onReady
$(setHeights);
//Run when window is resized
$(window).resize(setHeights);
//Run when target elements are resized without a window resize
$('body').on('resize', '[data-keep-aspect-ratio]', setHeights);
$('body').on('orientationchange', '[data-keep-aspect-ratio]', setHeights);
}; | /**
* This script keeps the height set on elements with regard to their
* width for a given aspect ratio. Great for "display:block" elements
*
* Example usage:
*
* <div data-keep-aspect-ratio="16:9">
*
* Author: Rod McNew
* License: BSD
*/
new function () {
var setHeights = function () {
$.each($('[data-keep-aspect-ratio]'), function () {
var ele = $(this);
var ratioParts = ele.attr('data-keep-aspect-ratio').split(':');
var ratioWidth = ratioParts[0];
var ratioHeight = ratioParts[1];
var width = ele.width();
var newHeight = width * ratioHeight / ratioWidth;
ele.css('height', newHeight);
ele.css('overflow', 'hidden');
ele.find("iframe").height(newHeight).width(width);
setTimeout(function() { refreshIframe(ele); }, 500);
})
};
var refreshIframe = function(ele) {
var iframe = ele.find("iframe");
iframe.attr('src', iframe.attr('src'));
};
//Run onReady
$(setHeights);
//Run when window is resized
$(window).resize(setHeights);
//Run when target elements are resized without a window resize
$('body').on('resize', '[data-keep-aspect-ratio]', setHeights);
}; | Fix for brightcove player when orintation is changed | Fix for brightcove player when orintation is changed
| JavaScript | bsd-3-clause | innaDa/RcmPlugins,jerv13/RcmPlugins,bjanish/RcmPlugins,bjanish/RcmPlugins,innaDa/RcmPlugins,jerv13/RcmPlugins,bjanish/RcmPlugins,jerv13/RcmPlugins,innaDa/RcmPlugins | ---
+++
@@ -19,13 +19,22 @@
var width = ele.width();
var newHeight = width * ratioHeight / ratioWidth;
ele.css('height', newHeight);
+ ele.css('overflow', 'hidden');
+
+ ele.find("iframe").height(newHeight).width(width);
+ setTimeout(function() { refreshIframe(ele); }, 500);
})
};
+
+ var refreshIframe = function(ele) {
+ var iframe = ele.find("iframe");
+ iframe.attr('src', iframe.attr('src'));
+ };
+
//Run onReady
$(setHeights);
//Run when window is resized
$(window).resize(setHeights);
//Run when target elements are resized without a window resize
$('body').on('resize', '[data-keep-aspect-ratio]', setHeights);
- $('body').on('orientationchange', '[data-keep-aspect-ratio]', setHeights);
}; |
c75e162718129ce1038442dabd81f4915a238c53 | src/is/isArrayLike/isArrayLike.js | src/is/isArrayLike/isArrayLike.js | /**
* Checks if value is array-like.
* A value is considered array-like if it’s not a function and has a `value.length` that’s an
* integer greater than or equal to 0 and less than or equal to `Number.MAX_SAFE_INTEGER`.
* @param {*} value The value to check.
* @return {Boolean} Returns true if value is array-like, else false.
*/
function isArrayLike(value) {
'use strict';
var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1,
len = value && value.length;
return value != null && typeof value !== 'function' &&
typeof len === 'number' && len > -1 && len % 1 === 0 && len <= MAX_SAFE_INTEGER;
}
| /**
* Checks if value is array-like.
* A value is considered array-like if it’s not a function and has a `value.length` that’s an
* integer greater than or equal to 0 and less than or equal to `Number.MAX_SAFE_INTEGER`.
* @param {*} value The value to check.
* @return {Boolean} Returns true if value is array-like, else false.
*/
function isArrayLike(value) {
'use strict';
var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1,
len = !!value && value.length;
return value != null && typeof value !== 'function' &&
typeof len === 'number' && len > -1 && len % 1 === 0 && len <= MAX_SAFE_INTEGER;
}
| Fix issue that would cause a falsey value like 0 to pass the tests | [ci-skip] Fix issue that would cause a falsey value like 0 to pass the tests
| JavaScript | mit | georapbox/smallsJS,georapbox/smallsJS,georapbox/jsEssentials | ---
+++
@@ -9,7 +9,7 @@
'use strict';
var MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1,
- len = value && value.length;
+ len = !!value && value.length;
return value != null && typeof value !== 'function' &&
typeof len === 'number' && len > -1 && len % 1 === 0 && len <= MAX_SAFE_INTEGER; |
fd57b24f7d186220436d779200d582856570f966 | src/js/lib/monetary/formatting.js | src/js/lib/monetary/formatting.js | define(function () {
return {
/**
* Format monetary to standard format with ISO 4217 code.
*/
format: function (m) {
if (m.isInvalid()) {
return "Invalid monetary!";
}
return m.currency() + " " + m.amount();
}
};
});
| define(function () {
return {
/**
* Format monetary to standard format with ISO 4217 code.
*/
format: function (m) {
if (m.isInvalid()) {
return "Invalid monetary!";
}
return m.currency() + " " + m.amount().toFixed(2);
}
};
});
| Add temporary monetary rounding fix | Add temporary monetary rounding fix
| JavaScript | mit | davidknezic/bitcoin-trade-guard | ---
+++
@@ -9,7 +9,7 @@
return "Invalid monetary!";
}
- return m.currency() + " " + m.amount();
+ return m.currency() + " " + m.amount().toFixed(2);
}
};
}); |
684fe7ced5ac9a43adb7c6f4f1698327c2a3a521 | src/common/index.js | src/common/index.js | // We faced a bug in babel so that transform-runtime with export * from 'x' generates import statements in transpiled code
// Tracked here : https://github.com/babel/babel/issues/2877
// We tested the workaround given here https://github.com/babel/babel/issues/2877#issuecomment-270700000 with success so far
import _ from 'lodash'
import * as errors from './errors'
import * as permissions from './permissions'
export { errors }
export { permissions }
// Append a parameter value to a given URL
export function addQueryParameter(baseUrl, parameter, value) {
// Check if this is the first parameter to be added or not
const prefix = (baseUrl.includes('?') ? '&' : '?')
return `${baseUrl}${prefix}${parameter}=${Array.isArray(value) ? JSON.stringify(value) : value}`
}
// Build an encoded URL from a given set of parameters
export function buildUrl(baseUrl, parameters) {
let url = baseUrl
_.forOwn(parameters, function(value, key) {
url = addQueryParameter(url, key, value)
})
return encodeURI(url)
}
| // We faced a bug in babel so that transform-runtime with export * from 'x' generates import statements in transpiled code
// Tracked here : https://github.com/babel/babel/issues/2877
// We tested the workaround given here https://github.com/babel/babel/issues/2877#issuecomment-270700000 with success so far
import _ from 'lodash'
import * as errors from './errors'
import * as permissions from './permissions'
export { errors }
export { permissions }
// Append a parameter value to a given URL
export function addQueryParameter(baseUrl, parameter, value) {
// Check if this is the first parameter to be added or not
const prefix = (baseUrl.includes('?') ? '&' : '?')
return `${baseUrl}${prefix}${parameter}=${Array.isArray(value) ? JSON.stringify(value) : value}`
}
// Build an URL from a given set of parameters
export function buildUrl(baseUrl, parameters) {
let url = baseUrl
_.forOwn(parameters, function(value, key) {
url = addQueryParameter(url, key, value)
})
return url
}
// Build an encoded URL from a given set of parameters
export function buildEncodedUrl(baseUrl, parameters) {
return encodeURI(buildEncodedUrl(baseUrl, parameters))
}
| Make buildUrl return a non-encoded url by default | Make buildUrl return a non-encoded url by default
| JavaScript | mit | kalisio/kCore | ---
+++
@@ -15,11 +15,16 @@
return `${baseUrl}${prefix}${parameter}=${Array.isArray(value) ? JSON.stringify(value) : value}`
}
-// Build an encoded URL from a given set of parameters
+// Build an URL from a given set of parameters
export function buildUrl(baseUrl, parameters) {
let url = baseUrl
_.forOwn(parameters, function(value, key) {
url = addQueryParameter(url, key, value)
})
- return encodeURI(url)
+ return url
}
+
+// Build an encoded URL from a given set of parameters
+export function buildEncodedUrl(baseUrl, parameters) {
+ return encodeURI(buildEncodedUrl(baseUrl, parameters))
+} |
d58636faa24ace56822cda4254a1b765935ac3fe | test/client/ui-saucelabs.conf.js | test/client/ui-saucelabs.conf.js | exports.config = {
specs: ['ui/**/*.spec.js'],
sauceUser: process.env.SAUCE_USERNAME,
sauceKey: process.env.SAUCE_ACCESS_KEY,
baseUrl: 'http://localhost:3000',
capabilities: {
'browserName': 'chrome',
'tunnel-identifier': process.env.TRAVIS_JOB_NUMBER,
'build': process.env.TRAVIS_BUILD_NUMBER,
'name': 'AgileJS Training Repo'
}
};
| exports.config = {
specs: ['ui/**/*.spec.js'],
sauceUser: process.env.SAUCE_USERNAME,
sauceKey: process.env.SAUCE_ACCESS_KEY,
baseUrl: 'http://localhost:3000',
capabilities: {
'browserName': 'firefox',
'tunnel-identifier': process.env.TRAVIS_JOB_NUMBER,
'build': process.env.TRAVIS_BUILD_NUMBER,
'name': 'AgileJS Training Repo'
}
};
| Correct commands are sent to Saucelabs, but they are misinterpreted. Maybe the Firefox driver works better? | Correct commands are sent to Saucelabs, but they are misinterpreted. Maybe the Firefox driver works better?
| JavaScript | mit | agilejs/2015-06-team-3,agilejs/2015-06-team-1,agilejs/2015-04-team-1,agilejs/2015-06-team-4,agilejs/2015-06-team-6,agilejs/2015-06-team-5,agilejs/2015-04-team-1,agilejs/2014-10-Dinatriumdihydrogendiphosphat,agilejs/2015-06-team-3,agilejs/2015-06-team-2,agilejs/2014-10-typesafe,agilejs/2014-10-floppy,agilejs/2015-06-team-5,agilejs/2015-04-team-2,agilejs/2015-04-team-2,agilejs/2015-06-team-2,agilejs/2014-10-localhorsts,agilejs/2014-10-code-red,codecentric/movie-database-node,agilejs/2015-04-team-3,codecentric/coding-serbia-angularjs-workshop,agilejs/2014-10-scrumbags,agilejs/2015-06-team-4,agilejs/2015-04-team-3,codecentric/movie-database-node,agilejs/2015-06-team-1,agilejs/2014-10-code-frantics,agilejs/2015-06-team-6 | ---
+++
@@ -4,7 +4,7 @@
sauceKey: process.env.SAUCE_ACCESS_KEY,
baseUrl: 'http://localhost:3000',
capabilities: {
- 'browserName': 'chrome',
+ 'browserName': 'firefox',
'tunnel-identifier': process.env.TRAVIS_JOB_NUMBER,
'build': process.env.TRAVIS_BUILD_NUMBER,
'name': 'AgileJS Training Repo' |
b51c70f2afce34680298088182bb92c7e26b7420 | configs/knexfile.js | configs/knexfile.js | const path = require('path');
module.exports = {
development: {
client: 'pg',
connection: 'postgres://localhost/envelopresent',
migrations: {
directory: path.join(__dirname, '..', 'datasource', 'migrations'),
tableName: 'knex_migrations'
}
},
production: {
client: 'pg',
connection: process.env.DATABASE_URL,
pool: {
min: 2,
max: 10
},
migrations: {
directory: path.join(__dirname, '..', 'datasource','migrations'),
tableName: 'knex_migrations'
}
}
};
| const path = require('path');
module.exports = {
development: {
client: 'pg',
connection: 'postgres://localhost/envelopresent',
migrations: {
directory: path.join(__dirname, '..', 'datasource', 'migrations'),
tableName: 'knex_migrations'
}
},
production: {
client: 'ps',
connection: process.env.DATABASE_URL,
pool: {
min: 2,
max: 10
},
migrations: {
directory: path.join(__dirname, '..', 'datasource','migrations'),
tableName: 'knex_migrations'
}
}
};
| Revert "Fix DB vendor alias" | Revert "Fix DB vendor alias"
This reverts commit 695b5998b3e7aa0d2a6e10737fca263e85bcc304.
| JavaScript | mit | chikh/envelopresent | ---
+++
@@ -12,7 +12,7 @@
},
production: {
- client: 'pg',
+ client: 'ps',
connection: process.env.DATABASE_URL,
pool: {
min: 2, |
d79f633547008f6add566ea5c39794046dacd90c | examples/face-detection-rectangle.js | examples/face-detection-rectangle.js | var cv = require('../lib/opencv');
var COLOR = [0, 255, 0]; // default red
var thickness = 2; // default 1
cv.readImage('./files/mona.png', function(err, im) {
if (err) throw err;
if (im.width() < 1 || im.height() < 1) throw new Error('Image has no size');
im.detectObject('../data/haarcascade_frontalface_alt2.xml', {}, function(err, faces) {
if (err) throw err;
for (var i = 0; i < faces.length; i++) {
face = faces[i];
im.rectangle([face.x, face.y], [face.x + face.width, face.y + face.height], COLOR, 2);
}
im.save('./tmp/face-detection-rectangle.png');
console.log('Image saved to ./tmp/face-detection-rectangle.png');
});
});
| var cv = require('../lib/opencv');
var COLOR = [0, 255, 0]; // default red
var thickness = 2; // default 1
cv.readImage('./files/mona.png', function(err, im) {
if (err) throw err;
if (im.width() < 1 || im.height() < 1) throw new Error('Image has no size');
im.detectObject('../data/haarcascade_frontalface_alt2.xml', {}, function(err, faces) {
if (err) throw err;
for (var i = 0; i < faces.length; i++) {
face = faces[i];
im.rectangle([face.x, face.y], [face.width, face.height], COLOR, 2);
}
im.save('./tmp/face-detection-rectangle.png');
console.log('Image saved to ./tmp/face-detection-rectangle.png');
});
});
| Fix mistake in face detection example | Fix mistake in face detection example
Fixed #274 by changing the x2,y2 second array when drawing the rectangle to width,height (see Matrix.cc) | JavaScript | mit | qgustavor/node-opencv,mvines/node-opencv,piercus/node-opencv,julianduque/node-opencv,keeganbrown/node-opencv,lntitbk/node-opencv,dropfen/node-opencv,webcats/node-opencv,akshonesports/node-opencv,akshonesports/node-opencv,peterbraden/node-opencv,piercus/node-opencv,jainanshul/node-opencv,Queuecumber/node-opencv,cascade256/node-opencv,tualo/node-opencv,jainanshul/node-opencv,lntitbk/node-opencv,borromeotlhs/node-opencv,Queuecumber/node-opencv,cascade256/node-opencv,Eric013/node-opencv,mvines/node-opencv,madshall/node-opencv,peterbraden/node-opencv,akshonesports/node-opencv,qgustavor/node-opencv,madshall/node-opencv,qgustavor/node-opencv,rbtkoz/node-opencv,Queuecumber/node-opencv,jainanshul/node-opencv,piercus/node-opencv,tualo/node-opencv,madshall/node-opencv,cascade256/node-opencv,keeganbrown/node-opencv,Queuecumber/node-opencv,rbtkoz/node-opencv,qgustavor/node-opencv,webcoding/node-opencv,rbtkoz/node-opencv,piercus/node-opencv,bmathews/node-opencv,madshall/node-opencv,tualo/node-opencv,autographer/node-opencv,gregfriedland/node-opencv,webcoding/node-opencv,peterbraden/node-opencv,rbtkoz/node-opencv,keeganbrown/node-opencv,alex1818/node-opencv,autographer/node-opencv,cascade256/node-opencv,mvines/node-opencv,tualo/node-opencv,bmathews/node-opencv,alex1818/node-opencv,mvines/node-opencv,gregfriedland/node-opencv,peterbraden/node-opencv,gregfriedland/node-opencv,keeganbrown/node-opencv,qgustavor/node-opencv,jainanshul/node-opencv,autographer/node-opencv,Eric013/node-opencv,tualo/node-opencv,keeganbrown/node-opencv,dropfen/node-opencv,borromeotlhs/node-opencv,akshonesports/node-opencv,akshonesports/node-opencv,webcats/node-opencv,rbtkoz/node-opencv,bmathews/node-opencv,autographer/node-opencv,mvines/node-opencv,tualo/node-opencv,borromeotlhs/node-opencv,julianduque/node-opencv,piercus/node-opencv,Eric013/node-opencv,keeganbrown/node-opencv,webcoding/node-opencv,lntitbk/node-opencv,cascade256/node-opencv,akshonesports/node-opencv,autographer/node-opencv,Queuecumber/node-opencv,cascade256/node-opencv,webcoding/node-opencv,gregfriedland/node-opencv,mvines/node-opencv,bmathews/node-opencv,webcats/node-opencv,alex1818/node-opencv,julianduque/node-opencv,Eric013/node-opencv,madshall/node-opencv,bmathews/node-opencv,dropfen/node-opencv,autographer/node-opencv,akshonesports/node-opencv,bmathews/node-opencv,Queuecumber/node-opencv,piercus/node-opencv,webcats/node-opencv,julianduque/node-opencv,dropfen/node-opencv,madshall/node-opencv,lntitbk/node-opencv,borromeotlhs/node-opencv,alex1818/node-opencv | ---
+++
@@ -12,7 +12,7 @@
for (var i = 0; i < faces.length; i++) {
face = faces[i];
- im.rectangle([face.x, face.y], [face.x + face.width, face.y + face.height], COLOR, 2);
+ im.rectangle([face.x, face.y], [face.width, face.height], COLOR, 2);
}
im.save('./tmp/face-detection-rectangle.png'); |
66b391ff1a66e9ae160cfadf54fd94e088348a46 | angular-typescript-webpack-jasmine/webpack/webpack.build.js | angular-typescript-webpack-jasmine/webpack/webpack.build.js | var loaders = require("./loaders");
var preloaders = require("./preloaders");
var HtmlWebpackPlugin = require('html-webpack-plugin');
var webpack = require('webpack');
module.exports = {
entry: ['./src/index.ts'],
output: {
filename: 'build.js',
path: 'dist'
},
devtool: '',
resolve: {
root: __dirname,
extensions: ['', '.ts', '.js', '.json']
},
resolveLoader: {
modulesDirectories: ["node_modules"]
},
plugins: [
new webpack.optimize.UglifyJsPlugin(
{
warning: false,
mangle: true,
comments: false
}
),
new HtmlWebpackPlugin({
template: './src/index.html',
inject: 'body',
hash: true
}),
new webpack.ProvidePlugin({
$: 'jquery',
jQuery: 'jquery',
'window.jQuery': 'jquery',
'window.jquery': 'jquery'
})
],
module:{
preLoaders:preloaders,
loaders: loaders
},
tslint: {
emitErrors: true,
failOnHint: true
}
};
| const loaders = require("./loaders");
const preloaders = require("./preloaders");
const HtmlWebpackPlugin = require("html-webpack-plugin");
const webpack = require("webpack");
module.exports = {
context: path.join(__dirname, ".."),
entry: ["./src/index.ts"],
output: {
filename: "build.js",
path: "dist"
},
devtool: "",
resolve: {
root: __dirname,
extensions: [".ts", ".js", ".json"]
},
resolveLoader: {
modulesDirectories: ["node_modules"]
},
plugins: [
new webpack.optimize.UglifyJsPlugin(
{
warning: false,
mangle: true,
comments: false
}
),
new HtmlWebpackPlugin({
template: "./src/index.html",
inject: "body",
hash: true
}),
new webpack.ProvidePlugin({
$: "jquery",
jQuery: "jquery",
"window.jQuery": "jquery",
"window.jquery": "jquery"
})
],
module:{
preLoaders:preloaders,
loaders: loaders
},
tslint: {
emitErrors: true,
failOnHint: true
}
};
| Replace single quotes -> double quotes, var -> const | Refactoring: Replace single quotes -> double quotes, var -> const
| JavaScript | mit | var-bin/angularjs-training,var-bin/angularjs-training,var-bin/angularjs-training,var-bin/angularjs-training | ---
+++
@@ -1,18 +1,19 @@
-var loaders = require("./loaders");
-var preloaders = require("./preloaders");
-var HtmlWebpackPlugin = require('html-webpack-plugin');
-var webpack = require('webpack');
+const loaders = require("./loaders");
+const preloaders = require("./preloaders");
+const HtmlWebpackPlugin = require("html-webpack-plugin");
+const webpack = require("webpack");
module.exports = {
- entry: ['./src/index.ts'],
+ context: path.join(__dirname, ".."),
+ entry: ["./src/index.ts"],
output: {
- filename: 'build.js',
- path: 'dist'
+ filename: "build.js",
+ path: "dist"
},
- devtool: '',
+ devtool: "",
resolve: {
root: __dirname,
- extensions: ['', '.ts', '.js', '.json']
+ extensions: [".ts", ".js", ".json"]
},
resolveLoader: {
modulesDirectories: ["node_modules"]
@@ -26,15 +27,15 @@
}
),
new HtmlWebpackPlugin({
- template: './src/index.html',
- inject: 'body',
+ template: "./src/index.html",
+ inject: "body",
hash: true
}),
new webpack.ProvidePlugin({
- $: 'jquery',
- jQuery: 'jquery',
- 'window.jQuery': 'jquery',
- 'window.jquery': 'jquery'
+ $: "jquery",
+ jQuery: "jquery",
+ "window.jQuery": "jquery",
+ "window.jquery": "jquery"
})
],
module:{ |
74c5a0a45de24850b7d506c6af17218709e5ecbe | tests/unit/services/user-test.js | tests/unit/services/user-test.js | import Ember from 'ember';
import { moduleFor, test } from 'ember-qunit';
import { Offline } from 'ember-flexberry-data';
import startApp from 'dummy/tests/helpers/start-app';
let App;
moduleFor('service:user', 'Unit | Service | user', {
needs: [
'model:i-c-s-soft-s-t-o-r-m-n-e-t-security-agent',
],
beforeEach() {
App = startApp();
App.unregister('service:store');
App.register('service:store', Offline.Store);
App.register('store:local', Offline.LocalStore);
},
afterEach() {
Ember.run(App, 'destroy');
},
});
test('it works', function(assert) {
assert.expect(4);
let done = assert.async();
let service = this.subject(App.__container__.ownerInjection());
Ember.run(() => {
service.getCurrentUser().then((user) => {
assert.equal(user.get('name'), 'user');
assert.ok(user.get('isUser'));
assert.notOk(user.get('isGroup'));
assert.notOk(user.get('isRole'));
done();
});
});
});
| import Ember from 'ember';
import { moduleFor, test } from 'ember-qunit';
import { Offline } from 'ember-flexberry-data';
import startApp from 'dummy/tests/helpers/start-app';
let App;
moduleFor('service:user', 'Unit | Service | user', {
needs: [
'model:i-c-s-soft-s-t-o-r-m-n-e-t-security-agent',
],
beforeEach() {
App = startApp();
App.unregister('service:store');
App.register('service:store', Offline.Store);
App.register('store:local', Offline.LocalStore);
},
afterEach() {
Ember.run(App, 'destroy');
},
});
test('it works', function(assert) {
// TODO: Replace this with your real tests.
let service = this.subject(App.__container__.ownerInjection());
assert.ok(!!service);
});
| Test user service until better times | Test user service until better times
| JavaScript | mit | Flexberry/ember-flexberry-projections,Flexberry/ember-flexberry-data,Flexberry/ember-flexberry-data,Flexberry/ember-flexberry-projections,Flexberry/ember-flexberry-data | ---
+++
@@ -23,17 +23,7 @@
});
test('it works', function(assert) {
- assert.expect(4);
- let done = assert.async();
+ // TODO: Replace this with your real tests.
let service = this.subject(App.__container__.ownerInjection());
-
- Ember.run(() => {
- service.getCurrentUser().then((user) => {
- assert.equal(user.get('name'), 'user');
- assert.ok(user.get('isUser'));
- assert.notOk(user.get('isGroup'));
- assert.notOk(user.get('isRole'));
- done();
- });
- });
+ assert.ok(!!service);
}); |
511ddc7dcb44c54c24fa09fda91475bd0f5326bc | doubly-linked-list.js | doubly-linked-list.js | "use strict";
// DOUBLY-LINKED LIST
// define constructor
function Node(val) {
this.data = val;
this.previous = null;
this.next = null;
}
function DoublyLinkedList() {
this._length = 0;
this.head = null;
this.tail = null;
}
// add node to doubly linked list
DoublyLinkedList.prototype.add = function(val) {
var node = new Node(val); // create new instance of node
if(this._length) {
this.tail.next = node;
node.previous = this.tail; // account for bi-directional movement
this.tail = node; // new node now tail
} else { // if doubly linked list is empty
this.head = node;
this.tail = node;
}
this._length++;
return node;
}
| "use strict";
// DOUBLY-LINKED LIST
// define constructor
function Node(val) {
this.data = val;
this.previous = null;
this.next = null;
}
function DoublyLinkedList() {
this._length = 0;
this.head = null;
this.tail = null;
}
// add node to doubly linked list
DoublyLinkedList.prototype.add = function(val) {
var node = new Node(val); // create new instance of node
if(this._length) {
this.tail.next = node;
node.previous = this.tail; // account for bi-directional movement
this.tail = node; // new node now tail
} else { // if doubly linked list is empty
this.head = node;
this.tail = node;
}
this._length++;
return node;
}
// search nodes at specific positions in doubly linked list
DoublyLinkedList.prototype.searchNodeAt = function(position) {
var currentNode = this.head,
length = this._length,
count = 1,
message = {failure: 'Failure: non-existent node in this list'};
// first case: invalid position
if (length === 0 || position < 1 || position > length) {
throw new Error(message.failure);
}
// second case: valid position
while (count < position) {
// go through entire doubly linked list until currentNode is equal to position
currentNode = currentNode.next;
count++;
}
return currentNode;
};
| Add search-node method to doubly linked list | Add search-node method to doubly linked list
| JavaScript | mit | derekmpham/interview-prep,derekmpham/interview-prep | ---
+++
@@ -32,3 +32,45 @@
return node;
}
+
+// search nodes at specific positions in doubly linked list
+DoublyLinkedList.prototype.searchNodeAt = function(position) {
+ var currentNode = this.head,
+ length = this._length,
+ count = 1,
+ message = {failure: 'Failure: non-existent node in this list'};
+
+ // first case: invalid position
+ if (length === 0 || position < 1 || position > length) {
+ throw new Error(message.failure);
+ }
+
+ // second case: valid position
+ while (count < position) {
+ // go through entire doubly linked list until currentNode is equal to position
+ currentNode = currentNode.next;
+ count++;
+ }
+
+ return currentNode;
+};
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ |
f8309803daacc51a59daa8fb17096c666a4b615b | ottawa/celebration-park/local.js | ottawa/celebration-park/local.js | var southWest = L.latLng(45.36638, -75.73674),
northEast = L.latLng(45.36933, -75.73316),
bounds = L.latLngBounds(southWest, northEast);
var map = L.map('map', {
center: [45.36806, -75.73408],
zoom: 18,
minZoom: 18,
maxZoom: 19,
maxBounds: bounds,
});
L.tileLayer('http://{s}.tile.osm.org/{z}/{x}/{y}.png', {
attribution: '© <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
}).addTo(map);
| var southWest = L.latLng(45.36638, -75.73674),
northEast = L.latLng(45.36933, -75.73316),
bounds = L.latLngBounds(southWest, northEast);
var map = L.map('map', {
center: [45.36806, -75.73408],
zoom: 18,
minZoom: 18,
maxZoom: 19,
maxBounds: bounds,
});
L.tileLayer('http://{s}.tiles.wmflabs.org/bw-mapnik/{z}/{x}/{y}.png', {
attribution: '© <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
}).addTo(map);
| Use black and white basemap | Use black and white basemap
Signed-off-by: Thanh Ha <09ea4d3a79c8bee41a16519f6a431f6bc0fd8d6f@alumni.carleton.ca>
| JavaScript | mit | zxiiro/maps,zxiiro/maps | ---
+++
@@ -10,6 +10,6 @@
maxBounds: bounds,
});
-L.tileLayer('http://{s}.tile.osm.org/{z}/{x}/{y}.png', {
+L.tileLayer('http://{s}.tiles.wmflabs.org/bw-mapnik/{z}/{x}/{y}.png', {
attribution: '© <a href="http://osm.org/copyright">OpenStreetMap</a> contributors'
}).addTo(map); |
eed9e520f02ca0a9b42a8ace3b3eb2b90ad3f4b1 | javascript/word-count/words.js | javascript/word-count/words.js | function Words(sentence){
"use strict";
sentence = sentence.toLowerCase();
var wordMatches = sentence.match(/\w+/g);
var result = {};
for(var idx = 0 ; idx < wordMatches.length ; idx++) {
result[wordMatches[idx]] = (result[wordMatches[idx]] || 0) + 1;
}
return { count: result };
};
module.exports = Words; | function Words(sentence){
"use strict";
return { count: countWords(sentence) };
function countWords(sentence){
sentence = sentence.toLowerCase();
var wordMatches = sentence.match(/\w+/g);
var result = {};
for(var idx = 0 ; idx < wordMatches.length ; idx++) {
result[wordMatches[idx]] = (result[wordMatches[idx]] || 0) + 1;
}
return result;
}
};
module.exports = Words; | Use a separate counting function. | Use a separate counting function.
| JavaScript | mit | driis/exercism,driis/exercism,driis/exercism | ---
+++
@@ -1,12 +1,17 @@
function Words(sentence){
"use strict";
- sentence = sentence.toLowerCase();
- var wordMatches = sentence.match(/\w+/g);
- var result = {};
- for(var idx = 0 ; idx < wordMatches.length ; idx++) {
- result[wordMatches[idx]] = (result[wordMatches[idx]] || 0) + 1;
+
+ return { count: countWords(sentence) };
+
+ function countWords(sentence){
+ sentence = sentence.toLowerCase();
+ var wordMatches = sentence.match(/\w+/g);
+ var result = {};
+ for(var idx = 0 ; idx < wordMatches.length ; idx++) {
+ result[wordMatches[idx]] = (result[wordMatches[idx]] || 0) + 1;
+ }
+ return result;
}
- return { count: result };
};
module.exports = Words; |
0c374abc35fbefa915834d8bde05d030a9b48e22 | js/services/searchService.js | js/services/searchService.js | 'use strict';
var SearchService = function($http, $q) {
this.search = function(query) {
var deferred = $q.defer();
var from = query.from ? '&from=' + query.from : "";
var size = query.size ? '&size=' + query.size : "";
var facetlist = "&facet=resource.provenance&facet=resource.types";
// facet values in der Backend-URI: mit "resource."
var fq = query.fq;
if (fq == null) {
fq = "";
} else if (typeof fq === 'string') {
fq = "&fq=resource."+fq;
} else {
fq = "&fq=resource." + fq.join("&fq=resource.");
}
var uri = '/data/period/?q=' + query.q + from + size + facetlist + fq;
$http.get(uri).then(
function success(result) {
deferred.resolve(result.data);
},
function error(err) {
console.warn(err);
deferred.reject();
}
);
return deferred.promise;
}
}
angular.module('chronontology.services').service('searchService',
["$http", "$q", SearchService]);
| 'use strict';
var SearchService = function($http, $q) {
this.search = function(query) {
var deferred = $q.defer();
var from = query.from ? '&from=' + query.from : "";
var size = query.size ? '&size=' + query.size : "";
var facetlist = "&facet=resource.provenance&facet=resource.types";
// facet values in der Backend-URI: mit "resource."
var fq = query.fq;
if (fq == null) {
fq = "";
} else if (typeof fq === 'string') {
fq = "&fq=resource."+fq;
} else {
fq = "&fq=resource." + fq.join("&fq=resource.");
}
var exists = query.exists;
if (exists == null) {
exists = "";
} else if (typeof exists === 'string') {
exists = "&exists=resource."+exists;
} else {
exists = "&exists=resource." + exists.join("&exists=resource.");
}
var uri = '/data/period/?q=' + query.q + from + size + facetlist + fq + exists;
$http.get(uri).then(
function success(result) {
deferred.resolve(result.data);
},
function error(err) {
console.warn(err);
deferred.reject();
}
);
return deferred.promise;
}
}
angular.module('chronontology.services').service('searchService',
["$http", "$q", SearchService]);
| Make sure exists filter values are sent to backend | Make sure exists filter values are sent to backend
| JavaScript | apache-2.0 | dainst/chronontology-frontend,dainst/chronontology-frontend | ---
+++
@@ -20,7 +20,16 @@
fq = "&fq=resource." + fq.join("&fq=resource.");
}
- var uri = '/data/period/?q=' + query.q + from + size + facetlist + fq;
+ var exists = query.exists;
+ if (exists == null) {
+ exists = "";
+ } else if (typeof exists === 'string') {
+ exists = "&exists=resource."+exists;
+ } else {
+ exists = "&exists=resource." + exists.join("&exists=resource.");
+ }
+
+ var uri = '/data/period/?q=' + query.q + from + size + facetlist + fq + exists;
$http.get(uri).then(
function success(result) {
deferred.resolve(result.data); |
3a8d487334bf1b623d5c93503c33fb0334a11c0d | server.js | server.js | var express = require('express')
var vhost = require('vhost')
var app2014 = require('./2014/app')
var app2015 = require('./2015/app')
var app2016 = require('./2016/app')
var appSplash = require('./splash/app')
//var redirect = express()
//redirect.get('/', function (req, res) {
// res.redirect(301, 'https://2016.coldfrontconf.com')
//})
var server = express()
server.set('port', process.env.PORT || 8080)
//server.use(vhost('2014.coldfrontconf.com', app2014))
//server.use(vhost('2015.coldfrontconf.com', app2015))
//server.use(vhost('2016.coldfrontconf.com', app2016))
//server.use(vhost('coldfrontconf.com', redirect))
server.use(vhost('localhost', app2016))
server.listen(server.get('port'), function () {
console.log('Express server listening on port %d in %s mode', server.get('port'), server.settings.env)
})
| var express = require('express')
var vhost = require('vhost')
var app2014 = require('./2014/app')
var app2015 = require('./2015/app')
var app2016 = require('./2016/app')
var appSplash = require('./splash/app')
var redirect = express()
redirect.get('/', function (req, res) {
res.redirect(301, 'https://2016.coldfrontconf.com')
})
var server = express()
server.set('port', process.env.PORT || 8080)
server.use(vhost('2014.coldfrontconf.com', app2014))
server.use(vhost('2015.coldfrontconf.com', app2015))
server.use(vhost('2016.coldfrontconf.com', app2016))
server.use(vhost('coldfrontconf.com', redirect))
server.use(vhost('localhost', app2016))
server.listen(server.get('port'), function () {
console.log('Express server listening on port %d in %s mode', server.get('port'), server.settings.env)
})
| Fix broken redirects and serving of older websites | Fix broken redirects and serving of older websites
| JavaScript | mit | auchenberg/coldfront.co,auchenberg/coldfront.co | ---
+++
@@ -6,19 +6,19 @@
var app2016 = require('./2016/app')
var appSplash = require('./splash/app')
-//var redirect = express()
+var redirect = express()
-//redirect.get('/', function (req, res) {
-// res.redirect(301, 'https://2016.coldfrontconf.com')
-//})
+redirect.get('/', function (req, res) {
+ res.redirect(301, 'https://2016.coldfrontconf.com')
+})
var server = express()
server.set('port', process.env.PORT || 8080)
-//server.use(vhost('2014.coldfrontconf.com', app2014))
-//server.use(vhost('2015.coldfrontconf.com', app2015))
-//server.use(vhost('2016.coldfrontconf.com', app2016))
-//server.use(vhost('coldfrontconf.com', redirect))
+server.use(vhost('2014.coldfrontconf.com', app2014))
+server.use(vhost('2015.coldfrontconf.com', app2015))
+server.use(vhost('2016.coldfrontconf.com', app2016))
+server.use(vhost('coldfrontconf.com', redirect))
server.use(vhost('localhost', app2016))
server.listen(server.get('port'), function () { |
72b3933fbcc1f0ce1cee85ecf6064a5be6a251ea | server.js | server.js | var hapi = require('hapi');
var moonboots = require('moonboots_hapi');
var config = require('getconfig');
var templatizer = require('templatizer');
var Good = require('good');
var ElectricFence = require('electricfence');
var server = hapi.createServer(8080, 'localhost');
server.pack.register([
{
plugin: moonboots,
options: {
appPath: '/{p*}',
moonboots: {
main: __dirname + '/client/app.js',
developmentMode: config.isDev,
stylesheets: [
__dirname + '/public/css/local.css',
__dirname + '/public/css/bootstrap.css'
],
beforeBuildJS: function () {
templatizer(__dirname + '/templates', __dirname + '/client/templates.js');
}
}
}
}, {
plugin: Good,
options: {
reporters: [{
reporter: Good.GoodConsole
}]
}
}, {
plugin: ElectricFence,
options: config.electricfence
}
], function () {
server.start(function () {
server.log(['info'], 'lift.zone running on the year ' + server.info.port);
});
});
| var hapi = require('hapi');
var moonboots = require('moonboots_hapi');
var config = require('getconfig');
var templatizer = require('templatizer');
//var Good = require('good');
var ElectricFence = require('electricfence');
var server = hapi.createServer(8080, 'localhost');
server.pack.register([
{
plugin: moonboots,
options: {
appPath: '/{p*}',
moonboots: {
main: __dirname + '/client/app.js',
developmentMode: config.isDev,
stylesheets: [
__dirname + '/public/css/local.css',
__dirname + '/public/css/bootstrap.css'
],
beforeBuildJS: function () {
templatizer(__dirname + '/templates', __dirname + '/client/templates.js');
}
}
}
//}, {
//plugin: Good,
//options: {
//reporters: [{
////reporter: Good.GoodConsole
//}]
//}
}, {
plugin: ElectricFence,
options: config.electricfence
}
], function () {
server.start(function () {
server.log(['info'], 'lift.zone running on the year ' + server.info.port);
});
});
| Disable Good cause pm2 pukes | Disable Good cause pm2 pukes
| JavaScript | mit | wraithgar/lift.zone,wraithgar/lift.zone,wraithgar/lift.zone | ---
+++
@@ -2,7 +2,7 @@
var moonboots = require('moonboots_hapi');
var config = require('getconfig');
var templatizer = require('templatizer');
-var Good = require('good');
+//var Good = require('good');
var ElectricFence = require('electricfence');
var server = hapi.createServer(8080, 'localhost');
@@ -23,13 +23,13 @@
}
}
}
- }, {
- plugin: Good,
- options: {
- reporters: [{
- reporter: Good.GoodConsole
- }]
- }
+ //}, {
+ //plugin: Good,
+ //options: {
+ //reporters: [{
+ ////reporter: Good.GoodConsole
+ //}]
+ //}
}, {
plugin: ElectricFence,
options: config.electricfence |
55b92a8ebd70e4c30d50610884a1b890f57ae82b | server.js | server.js | var express = require('express');
var app = express();
var port = process.env.PORT || 3000;
// Asset paths first
app.get('/js/:file', serveFile.bind(null, 'dist/js'));
app.get('/css/:file', serveFile.bind(null, 'dist/css'));
app.get('/img/:file', serveFile.bind(null, 'dist/img'));
app.get('/templates/:file', serveFile.bind(null, 'dist/templates'));
// Anything else is sent to index.html to support SPA routing
app.get('/*', function (req, res) {
res.sendFile('index.html', { root: 'dist' });
});
// Start the server!
var server = app.listen(port, serverStarted);
function serverStarted() {
console.log("Bloc Base Project is running");
}
function serveFile( root, req, res ) {
res.sendFile(req.params.file, { root: root });
} | var express = require('express');
var app = express();
var port = process.env.PORT || 3000;
// Asset paths first
app.get('/js/:file', serveFile.bind(null, 'dist/js'));
app.get('/css/:file', serveFile.bind(null, 'dist/css'));
app.get('/img/:file', serveFile.bind(null, 'dist/img'));
app.get('/templates/:file', serveFile.bind(null, 'dist/templates'));
// Anything else is sent to index.html to support SPA routing
app.get('/*', function (req, res) {
res.sendFile('index.html', { root: 'dist' });
});
// Start the server!
var server = app.listen(port, serverStarted);
function serverStarted() {
console.log("Bloc Base Project is running");
}
function serveFile( root, req, res ) {
res.sendFile(req.params.file, { root: root });
}
// Sets a timer to retrieve data from Heroku so the app doesnt sleep
var https = require("https");
setInterval(function(){
https.get("https://pomodoro-app-timer.herokuapp.com/");
console.log("Applicaton is awake");
}, 250000); | Set timer for app so it will retrieve the data from heroku every 4.5 min | Set timer for app so it will retrieve the data from heroku every 4.5 min
| JavaScript | apache-2.0 | ilitvak/Pomodoro-App,ilitvak/Pomodoro-App | ---
+++
@@ -23,3 +23,12 @@
function serveFile( root, req, res ) {
res.sendFile(req.params.file, { root: root });
}
+
+// Sets a timer to retrieve data from Heroku so the app doesnt sleep
+
+var https = require("https");
+
+setInterval(function(){
+ https.get("https://pomodoro-app-timer.herokuapp.com/");
+ console.log("Applicaton is awake");
+}, 250000); |
da1bf2e70b7c1dc2005f38d69e186a1043b0cab7 | src/configs/webpack/rules/default.js | src/configs/webpack/rules/default.js | // 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.
import {relative, sep} from 'path'
import {getProjectDir} from '../../../paths'
const PROJECT_DIR = getProjectDir()
function fileName(file) {
const RELATIVE = relative(PROJECT_DIR, file)
let nodes = RELATIVE.split(sep)
if (nodes[0] === 'src')
nodes.shift()
return `${nodes.join('/')}?[sha512:hash:base64:8]`
}
export default function () {
return {
exclude: /\.(css|jsx?|mjs)$/,
use: [{
loader: 'url-loader',
options: {
fallback: 'file-loader',
limit: 1024,
name: fileName,
},
}],
}
}
| // 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.
import {
getProjectDir,
TOOLBOX_DIR,
} from '../../../paths'
import {isPathSubDirOf} from '../../../utils'
import {relative, sep} from 'path'
const PROJECT_DIR = getProjectDir()
/**
* Calculate the file path for the loaded asset.
*/
function fileName(file) {
let prefix = null
let reference = null
if (isPathSubDirOf(file, PROJECT_DIR)) {
// Assets from the target project.
prefix = []
reference = PROJECT_DIR
} else if (isPathSubDirOf(file, TOOLBOX_DIR)) {
// Assets from the Toolbox.
prefix = ['borela-js-toolbox']
reference = TOOLBOX_DIR
}
const RELATIVE = relative(reference, file)
let nodes = RELATIVE.split(sep)
if (nodes[0] === 'src')
nodes.shift()
if (prefix.length > 0)
nodes = [...prefix, ...nodes]
return `${nodes.join('/')}?[sha512:hash:base64:8]`
}
export default function () {
return {
exclude: /\.(css|jsx?|mjs)$/,
use: [{
loader: 'url-loader',
options: {
fallback: 'file-loader',
limit: 1024,
name: fileName,
},
}],
}
}
| Update asset loader path resolution | Update asset loader path resolution
| JavaScript | apache-2.0 | ctrine/webpack-settings,ctrine/webpack-settings | ---
+++
@@ -10,17 +10,41 @@
// License for the specific language governing permissions and limitations under
// the License.
+import {
+ getProjectDir,
+ TOOLBOX_DIR,
+} from '../../../paths'
+
+import {isPathSubDirOf} from '../../../utils'
import {relative, sep} from 'path'
-import {getProjectDir} from '../../../paths'
const PROJECT_DIR = getProjectDir()
+/**
+ * Calculate the file path for the loaded asset.
+ */
function fileName(file) {
- const RELATIVE = relative(PROJECT_DIR, file)
+ let prefix = null
+ let reference = null
+
+ if (isPathSubDirOf(file, PROJECT_DIR)) {
+ // Assets from the target project.
+ prefix = []
+ reference = PROJECT_DIR
+ } else if (isPathSubDirOf(file, TOOLBOX_DIR)) {
+ // Assets from the Toolbox.
+ prefix = ['borela-js-toolbox']
+ reference = TOOLBOX_DIR
+ }
+
+ const RELATIVE = relative(reference, file)
let nodes = RELATIVE.split(sep)
if (nodes[0] === 'src')
nodes.shift()
+
+ if (prefix.length > 0)
+ nodes = [...prefix, ...nodes]
return `${nodes.join('/')}?[sha512:hash:base64:8]`
} |
8bf302fb83764ce1e8bf9fd39fc4099067aee203 | lib/isomorphic/html-styles.js | lib/isomorphic/html-styles.js | import React from 'react'
import { prefixLink } from './gatsby-helpers'
if (process.env.NODE_ENV === `production`) {
let stylesStr
try {
stylesStr = require(`!raw!public/styles.css`)
} catch (e) {
// ignore
}
}
const htmlStyles = (args = {}) => {
if (process.env.NODE_ENV === `production`) {
if (args.link) {
// If the user wants to reference the external stylesheet return a link.
return <link rel="stylesheet" type="text/css" href={prefixLink(`/styles.css`)} media="screen" />
} else {
// Default to returning the styles inlined.
return <style id="gatsby-inlined-css" dangerouslySetInnerHTML={{ __html: stylesStr }} />
}
}
// In dev just return an empty style element.
return <style />
}
module.exports = htmlStyles
| import React from 'react'
import { prefixLink } from './gatsby-helpers'
let stylesStr
if (process.env.NODE_ENV === `production`) {
try {
stylesStr = require(`!raw!public/styles.css`)
} catch (e) {
// ignore
}
}
const htmlStyles = (args = {}) => {
if (process.env.NODE_ENV === `production`) {
if (args.link) {
// If the user wants to reference the external stylesheet return a link.
return <link rel="stylesheet" type="text/css" href={prefixLink(`/styles.css`)} media="screen" />
} else {
// Default to returning the styles inlined.
return <style id="gatsby-inlined-css" dangerouslySetInnerHTML={{ __html: stylesStr }} />
}
}
// In dev just return an empty style element.
return <style />
}
module.exports = htmlStyles
| Move variable declaration up a level to ensure it exists later | Move variable declaration up a level to ensure it exists later
| JavaScript | mit | 0x80/gatsby,mingaldrichgan/gatsby,fabrictech/gatsby,Khaledgarbaya/gatsby,mingaldrichgan/gatsby,fk/gatsby,fk/gatsby,danielfarrell/gatsby,okcoker/gatsby,fk/gatsby,gatsbyjs/gatsby,mickeyreiss/gatsby,okcoker/gatsby,Khaledgarbaya/gatsby,gatsbyjs/gatsby,mickeyreiss/gatsby,mingaldrichgan/gatsby,chiedo/gatsby,chiedo/gatsby,gatsbyjs/gatsby,ChristopherBiscardi/gatsby,ChristopherBiscardi/gatsby,ChristopherBiscardi/gatsby,ChristopherBiscardi/gatsby,gatsbyjs/gatsby,gatsbyjs/gatsby,mickeyreiss/gatsby,danielfarrell/gatsby,okcoker/gatsby,0x80/gatsby,chiedo/gatsby,fabrictech/gatsby,fabrictech/gatsby,Khaledgarbaya/gatsby,danielfarrell/gatsby,gatsbyjs/gatsby,0x80/gatsby | ---
+++
@@ -1,8 +1,8 @@
import React from 'react'
import { prefixLink } from './gatsby-helpers'
+let stylesStr
if (process.env.NODE_ENV === `production`) {
- let stylesStr
try {
stylesStr = require(`!raw!public/styles.css`)
} catch (e) { |
532d3eab820b4ffa3eb00c81f650c1c4686c871d | examples/share-window.js | examples/share-window.js | var media = require('rtc-media');
var h = require('hyperscript');
var crel = require('crel');
var screenshare = require('..')({
chromeExtension: 'rtc.io screenshare',
version: '^1.0.0'
});
var buttons = {
install: h('button', 'Install Extension', { onclick: function() {
chrome.webstore.install();
}}),
capture: h('button', 'Capture Screen', { onclick: shareScreen })
};
function shareScreen() {
screenshare.request(function(err, constraints) {
if (err) {
return console.error('Could not capture window: ', err);
}
console.log('attempting capture with constraints: ', constraints);
media({
constraints: constraints,
target: document.getElementById('main')
});
});
}
// detect whether the screenshare plugin is available and matches
// the required version
screenshare.available(function(err, version) {
var actions = document.getElementById('actions');
if (err) {
return actions.appendChild(buttons.install);
}
actions.appendChild(buttons.capture);
});
// on install show the capture button and remove the install button if active
screenshare.on('activate', function() {
if (buttons.install.parentNode) {
buttons.install.parentNode.removeChild(buttons.install);
}
document.getElementById('actions').appendChild(buttons.capture);
});
| var media = require('rtc-media');
var h = require('hyperscript');
var crel = require('crel');
var screenshare = require('..')({
chromeExtension: 'rtc.io screenshare',
version: '^1.0.0'
});
var buttons = {
install: h('button', 'Install Extension', { onclick: function() {
chrome.webstore.install();
}}),
capture: h('button', 'Capture Screen', { onclick: shareScreen })
};
function shareScreen() {
screenshare.request(function(err, constraints) {
if (err) {
return console.error('Could not capture window: ', err);
}
console.log('attempting capture with constraints: ', constraints);
media({
constraints: constraints,
target: document.getElementById('main')
});
});
// you better select something quick or this will be cancelled!!!
setTimeout(screenshare.cancel, 5e3);
}
// detect whether the screenshare plugin is available and matches
// the required version
screenshare.available(function(err, version) {
var actions = document.getElementById('actions');
if (err) {
return actions.appendChild(buttons.install);
}
actions.appendChild(buttons.capture);
});
// on install show the capture button and remove the install button if active
screenshare.on('activate', function() {
if (buttons.install.parentNode) {
buttons.install.parentNode.removeChild(buttons.install);
}
document.getElementById('actions').appendChild(buttons.capture);
});
| Include code the cancels the request after 5s | Include code the cancels the request after 5s
| JavaScript | apache-2.0 | rtc-io/rtc-screenshare | ---
+++
@@ -26,6 +26,9 @@
target: document.getElementById('main')
});
});
+
+ // you better select something quick or this will be cancelled!!!
+ setTimeout(screenshare.cancel, 5e3);
}
// detect whether the screenshare plugin is available and matches |
831351123815f125adcdb17efe7c5e467f0ad42d | tests.js | tests.js | Tinytest.add('meteor-assert', function (test) {
var isDefined = false;
try {
assert;
isDefined = true;
}
catch (e) {
}
test.isTrue(isDefined, "assert is not defined");
test.throws(function () {
assert.equal('a', 'b');
});
if (Meteor.isServer) {
console.log("Meteor.isServer");
test.equal(1, 2);
}
else {
console.log("Meteor.isClient");
test.equal(1, 3);
}
}); | Tinytest.add('meteor-assert', function (test) {
var isDefined = false;
try {
assert;
isDefined = true;
}
catch (e) {
}
test.isTrue(isDefined, "assert is not defined");
test.throws(function () {
assert.equal('a', 'b');
});
}); | Revert "Test for Travis CI." | Revert "Test for Travis CI."
This reverts commit 6a840248036cf030994cfb23f1f7d81baba1d600.
| JavaScript | bsd-3-clause | peerlibrary/meteor-assert | ---
+++
@@ -10,12 +10,4 @@
test.throws(function () {
assert.equal('a', 'b');
});
- if (Meteor.isServer) {
- console.log("Meteor.isServer");
- test.equal(1, 2);
- }
- else {
- console.log("Meteor.isClient");
- test.equal(1, 3);
- }
}); |
28600218226a9efc2d8099b16949c8d585e08aa6 | frontend/src/page/archive/index.js | frontend/src/page/archive/index.js | import React from 'react';
import Archive from '../../component/archive/archive-list-container';
import PropTypes from 'prop-types';
const render = ({ match }) => <Archive name={match.params.name} />;
render.propTypes = {
match: PropTypes.object,
};
export default render;
| import React from 'react';
import Archive from '../../component/archive/archive-list-container';
import PropTypes from 'prop-types';
const render = ({ match: { params }, history }) => <Archive name={params.name} history={history} />;
render.propTypes = {
match: PropTypes.object,
history: PropTypes.object,
};
export default render;
| Add 'history' prop to the archive-list. | fix(router): Add 'history' prop to the archive-list.
| JavaScript | apache-2.0 | Unleash/unleash,Unleash/unleash,Unleash/unleash,Unleash/unleash | ---
+++
@@ -2,9 +2,10 @@
import Archive from '../../component/archive/archive-list-container';
import PropTypes from 'prop-types';
-const render = ({ match }) => <Archive name={match.params.name} />;
+const render = ({ match: { params }, history }) => <Archive name={params.name} history={history} />;
render.propTypes = {
match: PropTypes.object,
+ history: PropTypes.object,
};
export default render; |
53eaf9062d4495d5309325c2db3038595e1d4bd8 | Libraries/Components/LazyRenderer.js | Libraries/Components/LazyRenderer.js | /**
* Copyright (c) 2015-present, Facebook, Inc.
* All rights reserved.
*
* This source code is licensed under the BSD-style license found in the
* LICENSE file in the root directory of this source tree. An additional grant
* of patent rights can be found in the PATENTS file in the same directory.
*
* @providesModule LazyRenderer
*/
'use strict';
var React = require('React');
var TimerMixin = require('TimerMixin');
var LazyRenderer = React.createClass({
mixin: [TimerMixin],
propTypes: {
render: React.PropTypes.func.isRequired,
},
componentWillMount: function(): void {
this.setState({
_lazyRender : true,
});
},
componentDidMount: function(): void {
requestAnimationFrame(() => {
this.setState({
_lazyRender : false,
});
});
},
render: function(): ?ReactElement {
return this.state._lazyRender ? null : this.props.render();
},
});
module.exports = LazyRenderer;
| /**
* Copyright (c) 2015-present, Facebook, Inc.
* All rights reserved.
*
* This source code is licensed under the BSD-style license found in the
* LICENSE file in the root directory of this source tree. An additional grant
* of patent rights can be found in the PATENTS file in the same directory.
*
* @providesModule LazyRenderer
*/
'use strict';
var React = require('React');
var TimerMixin = require('react-timer-mixin');
var LazyRenderer = React.createClass({
mixin: [TimerMixin],
propTypes: {
render: React.PropTypes.func.isRequired,
},
componentWillMount: function(): void {
this.setState({
_lazyRender : true,
});
},
componentDidMount: function(): void {
requestAnimationFrame(() => {
this.setState({
_lazyRender : false,
});
});
},
render: function(): ?ReactElement {
return this.state._lazyRender ? null : this.props.render();
},
});
module.exports = LazyRenderer;
| Replace local copy of TimerMixin with module from npm. | Replace local copy of TimerMixin with module from npm.
Reviewed By: spicyj, davidaurelio
Differential Revision: D3819543
fbshipit-source-id: 69d68a7653fce05a31cbfd61e48878b7a0a2ab51
| JavaScript | bsd-3-clause | farazs/react-native,cosmith/react-native,doochik/react-native,kesha-antonov/react-native,adamjmcgrath/react-native,imjerrybao/react-native,negativetwelve/react-native,kesha-antonov/react-native,Purii/react-native,salanki/react-native,hoastoolshop/react-native,jaggs6/react-native,exponent/react-native,ankitsinghania94/react-native,browniefed/react-native,imjerrybao/react-native,PlexChat/react-native,imjerrybao/react-native,alin23/react-native,Maxwell2022/react-native,shrutic/react-native,facebook/react-native,exponent/react-native,Purii/react-native,happypancake/react-native,tgoldenberg/react-native,DannyvanderJagt/react-native,gitim/react-native,happypancake/react-native,foghina/react-native,salanki/react-native,negativetwelve/react-native,hoastoolshop/react-native,gitim/react-native,makadaw/react-native,hoangpham95/react-native,ptomasroos/react-native,gitim/react-native,christopherdro/react-native,CodeLinkIO/react-native,ptomasroos/react-native,brentvatne/react-native,nickhudkins/react-native,shrutic/react-native,Purii/react-native,facebook/react-native,tszajna0/react-native,Maxwell2022/react-native,ankitsinghania94/react-native,peterp/react-native,farazs/react-native,doochik/react-native,aaron-goshine/react-native,hammerandchisel/react-native,clozr/react-native,foghina/react-native,cosmith/react-native,clozr/react-native,DannyvanderJagt/react-native,javache/react-native,arthuralee/react-native,aljs/react-native,Swaagie/react-native,myntra/react-native,exponent/react-native,shrutic123/react-native,makadaw/react-native,mironiasty/react-native,gilesvangruisen/react-native,PlexChat/react-native,orenklein/react-native,aaron-goshine/react-native,hoangpham95/react-native,orenklein/react-native,PlexChat/react-native,imjerrybao/react-native,hoastoolshop/react-native,tszajna0/react-native,esauter5/react-native,charlesvinette/react-native,tadeuzagallo/react-native,htc2u/react-native,charlesvinette/react-native,Livyli/react-native,hoangpham95/react-native,Livyli/react-native,Guardiannw/react-native,xiayz/react-native,brentvatne/react-native,hammerandchisel/react-native,arthuralee/react-native,esauter5/react-native,browniefed/react-native,formatlos/react-native,skevy/react-native,htc2u/react-native,eduardinni/react-native,Maxwell2022/react-native,facebook/react-native,xiayz/react-native,christopherdro/react-native,Ehesp/react-native,browniefed/react-native,exponentjs/react-native,htc2u/react-native,adamjmcgrath/react-native,salanki/react-native,pandiaraj44/react-native,DanielMSchmidt/react-native,cdlewis/react-native,foghina/react-native,aaron-goshine/react-native,salanki/react-native,orenklein/react-native,frantic/react-native,forcedotcom/react-native,mironiasty/react-native,DanielMSchmidt/react-native,negativetwelve/react-native,jasonnoahchoi/react-native,tsjing/react-native,orenklein/react-native,doochik/react-native,rickbeerendonk/react-native,PlexChat/react-native,myntra/react-native,tadeuzagallo/react-native,xiayz/react-native,brentvatne/react-native,facebook/react-native,charlesvinette/react-native,CodeLinkIO/react-native,frantic/react-native,orenklein/react-native,hoastoolshop/react-native,doochik/react-native,farazs/react-native,htc2u/react-native,xiayz/react-native,browniefed/react-native,eduardinni/react-native,peterp/react-native,hoangpham95/react-native,imjerrybao/react-native,jasonnoahchoi/react-native,jadbox/react-native,cosmith/react-native,mironiasty/react-native,gre/react-native,gre/react-native,DanielMSchmidt/react-native,csatf/react-native,xiayz/react-native,tsjing/react-native,callstack-io/react-native,happypancake/react-native,facebook/react-native,pandiaraj44/react-native,janicduplessis/react-native,javache/react-native,doochik/react-native,Purii/react-native,Andreyco/react-native,facebook/react-native,Ehesp/react-native,cpunion/react-native,cdlewis/react-native,shrutic/react-native,farazs/react-native,lprhodes/react-native,peterp/react-native,tadeuzagallo/react-native,Guardiannw/react-native,ndejesus1227/react-native,hammerandchisel/react-native,shrutic123/react-native,shrutic/react-native,PlexChat/react-native,aaron-goshine/react-native,cdlewis/react-native,Maxwell2022/react-native,cosmith/react-native,Bhullnatik/react-native,makadaw/react-native,Purii/react-native,satya164/react-native,cdlewis/react-native,shrutic/react-native,adamjmcgrath/react-native,kesha-antonov/react-native,jevakallio/react-native,adamjmcgrath/react-native,csatf/react-native,rickbeerendonk/react-native,foghina/react-native,orenklein/react-native,nickhudkins/react-native,formatlos/react-native,tszajna0/react-native,jadbox/react-native,jadbox/react-native,DannyvanderJagt/react-native,adamjmcgrath/react-native,clozr/react-native,exponentjs/react-native,jevakallio/react-native,esauter5/react-native,tgoldenberg/react-native,DanielMSchmidt/react-native,rickbeerendonk/react-native,satya164/react-native,happypancake/react-native,kesha-antonov/react-native,cosmith/react-native,PlexChat/react-native,charlesvinette/react-native,thotegowda/react-native,hoangpham95/react-native,satya164/react-native,alin23/react-native,forcedotcom/react-native,Livyli/react-native,Maxwell2022/react-native,thotegowda/react-native,brentvatne/react-native,jaggs6/react-native,brentvatne/react-native,esauter5/react-native,tszajna0/react-native,shrutic/react-native,cdlewis/react-native,foghina/react-native,Andreyco/react-native,rickbeerendonk/react-native,skevy/react-native,jevakallio/react-native,ptmt/react-native-macos,rickbeerendonk/react-native,lprhodes/react-native,peterp/react-native,dikaiosune/react-native,ankitsinghania94/react-native,csatf/react-native,xiayz/react-native,ndejesus1227/react-native,forcedotcom/react-native,Maxwell2022/react-native,Andreyco/react-native,Swaagie/react-native,satya164/react-native,hoastoolshop/react-native,Bhullnatik/react-native,charlesvinette/react-native,farazs/react-native,Bhullnatik/react-native,alin23/react-native,kesha-antonov/react-native,janicduplessis/react-native,tadeuzagallo/react-native,javache/react-native,cpunion/react-native,gre/react-native,chnfeeeeeef/react-native,javache/react-native,formatlos/react-native,ptmt/react-native-macos,csatf/react-native,negativetwelve/react-native,ptomasroos/react-native,aljs/react-native,jasonnoahchoi/react-native,aaron-goshine/react-native,aljs/react-native,Guardiannw/react-native,Bhullnatik/react-native,shrutic123/react-native,Swaagie/react-native,eduardinni/react-native,cpunion/react-native,aljs/react-native,forcedotcom/react-native,Andreyco/react-native,tsjing/react-native,ankitsinghania94/react-native,farazs/react-native,PlexChat/react-native,lprhodes/react-native,shrutic123/react-native,hammerandchisel/react-native,Maxwell2022/react-native,esauter5/react-native,Bhullnatik/react-native,Maxwell2022/react-native,javache/react-native,cpunion/react-native,gilesvangruisen/react-native,alin23/react-native,Livyli/react-native,esauter5/react-native,brentvatne/react-native,rickbeerendonk/react-native,thotegowda/react-native,brentvatne/react-native,aaron-goshine/react-native,ptmt/react-native-macos,ndejesus1227/react-native,Ehesp/react-native,doochik/react-native,csatf/react-native,foghina/react-native,charlesvinette/react-native,happypancake/react-native,cpunion/react-native,arthuralee/react-native,charlesvinette/react-native,esauter5/react-native,orenklein/react-native,kesha-antonov/react-native,tsjing/react-native,ndejesus1227/react-native,callstack-io/react-native,alin23/react-native,Bhullnatik/react-native,formatlos/react-native,Guardiannw/react-native,exponentjs/react-native,aljs/react-native,facebook/react-native,janicduplessis/react-native,dikaiosune/react-native,janicduplessis/react-native,tszajna0/react-native,ptomasroos/react-native,callstack-io/react-native,satya164/react-native,gre/react-native,skevy/react-native,myntra/react-native,christopherdro/react-native,tsjing/react-native,naoufal/react-native,shrutic/react-native,hoangpham95/react-native,ptomasroos/react-native,myntra/react-native,CodeLinkIO/react-native,callstack-io/react-native,shrutic/react-native,tgoldenberg/react-native,exponentjs/react-native,Ehesp/react-native,gilesvangruisen/react-native,ndejesus1227/react-native,dikaiosune/react-native,christopherdro/react-native,skevy/react-native,jasonnoahchoi/react-native,aljs/react-native,gre/react-native,esauter5/react-native,eduardinni/react-native,jevakallio/react-native,callstack-io/react-native,hoastoolshop/react-native,pandiaraj44/react-native,nickhudkins/react-native,makadaw/react-native,peterp/react-native,doochik/react-native,exponentjs/react-native,myntra/react-native,jevakallio/react-native,CodeLinkIO/react-native,mironiasty/react-native,exponentjs/react-native,DannyvanderJagt/react-native,cdlewis/react-native,formatlos/react-native,cosmith/react-native,frantic/react-native,Livyli/react-native,DannyvanderJagt/react-native,imDangerous/react-native,orenklein/react-native,mironiasty/react-native,chnfeeeeeef/react-native,chnfeeeeeef/react-native,gilesvangruisen/react-native,naoufal/react-native,exponent/react-native,nickhudkins/react-native,gitim/react-native,cpunion/react-native,adamjmcgrath/react-native,jasonnoahchoi/react-native,forcedotcom/react-native,makadaw/react-native,farazs/react-native,exponent/react-native,janicduplessis/react-native,clozr/react-native,cdlewis/react-native,clozr/react-native,tgoldenberg/react-native,cpunion/react-native,tszajna0/react-native,naoufal/react-native,ankitsinghania94/react-native,pandiaraj44/react-native,satya164/react-native,Purii/react-native,imDangerous/react-native,ndejesus1227/react-native,chnfeeeeeef/react-native,dikaiosune/react-native,facebook/react-native,hammerandchisel/react-native,xiayz/react-native,rickbeerendonk/react-native,shrutic123/react-native,rickbeerendonk/react-native,jadbox/react-native,peterp/react-native,jasonnoahchoi/react-native,arthuralee/react-native,gre/react-native,exponent/react-native,CodeLinkIO/react-native,formatlos/react-native,negativetwelve/react-native,tadeuzagallo/react-native,Swaagie/react-native,naoufal/react-native,Ehesp/react-native,htc2u/react-native,ankitsinghania94/react-native,Swaagie/react-native,facebook/react-native,ptmt/react-native-macos,clozr/react-native,Andreyco/react-native,Purii/react-native,shrutic123/react-native,naoufal/react-native,forcedotcom/react-native,arthuralee/react-native,eduardinni/react-native,clozr/react-native,brentvatne/react-native,mironiasty/react-native,thotegowda/react-native,doochik/react-native,adamjmcgrath/react-native,tszajna0/react-native,javache/react-native,cosmith/react-native,cdlewis/react-native,jevakallio/react-native,tadeuzagallo/react-native,Andreyco/react-native,csatf/react-native,callstack-io/react-native,DannyvanderJagt/react-native,forcedotcom/react-native,mironiasty/react-native,myntra/react-native,dikaiosune/react-native,satya164/react-native,Livyli/react-native,jasonnoahchoi/react-native,shrutic123/react-native,christopherdro/react-native,negativetwelve/react-native,makadaw/react-native,imDangerous/react-native,negativetwelve/react-native,jevakallio/react-native,Livyli/react-native,alin23/react-native,gitim/react-native,christopherdro/react-native,christopherdro/react-native,gre/react-native,DanielMSchmidt/react-native,makadaw/react-native,ptmt/react-native-macos,ptomasroos/react-native,farazs/react-native,Guardiannw/react-native,htc2u/react-native,frantic/react-native,dikaiosune/react-native,happypancake/react-native,gitim/react-native,tgoldenberg/react-native,gilesvangruisen/react-native,eduardinni/react-native,ndejesus1227/react-native,browniefed/react-native,myntra/react-native,dikaiosune/react-native,happypancake/react-native,DanielMSchmidt/react-native,gilesvangruisen/react-native,cosmith/react-native,hammerandchisel/react-native,kesha-antonov/react-native,browniefed/react-native,exponent/react-native,Ehesp/react-native,htc2u/react-native,Purii/react-native,peterp/react-native,CodeLinkIO/react-native,exponent/react-native,Guardiannw/react-native,dikaiosune/react-native,Guardiannw/react-native,salanki/react-native,DanielMSchmidt/react-native,tsjing/react-native,alin23/react-native,naoufal/react-native,foghina/react-native,nickhudkins/react-native,skevy/react-native,Ehesp/react-native,thotegowda/react-native,janicduplessis/react-native,CodeLinkIO/react-native,htc2u/react-native,cpunion/react-native,nickhudkins/react-native,ptmt/react-native-macos,formatlos/react-native,makadaw/react-native,chnfeeeeeef/react-native,thotegowda/react-native,ankitsinghania94/react-native,Bhullnatik/react-native,exponentjs/react-native,Andreyco/react-native,imjerrybao/react-native,hammerandchisel/react-native,ptomasroos/react-native,eduardinni/react-native,formatlos/react-native,cdlewis/react-native,jaggs6/react-native,thotegowda/react-native,jaggs6/react-native,hoangpham95/react-native,happypancake/react-native,Guardiannw/react-native,tgoldenberg/react-native,tadeuzagallo/react-native,PlexChat/react-native,hoastoolshop/react-native,alin23/react-native,satya164/react-native,hammerandchisel/react-native,imjerrybao/react-native,imjerrybao/react-native,csatf/react-native,frantic/react-native,imDangerous/react-native,callstack-io/react-native,mironiasty/react-native,DannyvanderJagt/react-native,javache/react-native,csatf/react-native,salanki/react-native,ptmt/react-native-macos,browniefed/react-native,tgoldenberg/react-native,lprhodes/react-native,foghina/react-native,hoangpham95/react-native,Swaagie/react-native,tszajna0/react-native,aljs/react-native,christopherdro/react-native,myntra/react-native,jaggs6/react-native,browniefed/react-native,pandiaraj44/react-native,janicduplessis/react-native,DanielMSchmidt/react-native,jevakallio/react-native,salanki/react-native,adamjmcgrath/react-native,pandiaraj44/react-native,shrutic123/react-native,javache/react-native,makadaw/react-native,jadbox/react-native,exponentjs/react-native,rickbeerendonk/react-native,Ehesp/react-native,imDangerous/react-native,imDangerous/react-native,imDangerous/react-native,skevy/react-native,pandiaraj44/react-native,jaggs6/react-native,gilesvangruisen/react-native,Swaagie/react-native,ankitsinghania94/react-native,gre/react-native,farazs/react-native,gilesvangruisen/react-native,Bhullnatik/react-native,tsjing/react-native,ptomasroos/react-native,jaggs6/react-native,jevakallio/react-native,jadbox/react-native,mironiasty/react-native,lprhodes/react-native,jadbox/react-native,brentvatne/react-native,Andreyco/react-native,aaron-goshine/react-native,lprhodes/react-native,gitim/react-native,xiayz/react-native,formatlos/react-native,Swaagie/react-native,kesha-antonov/react-native,kesha-antonov/react-native,chnfeeeeeef/react-native,lprhodes/react-native,naoufal/react-native,ndejesus1227/react-native,jadbox/react-native,callstack-io/react-native,ptmt/react-native-macos,nickhudkins/react-native,chnfeeeeeef/react-native,aaron-goshine/react-native,chnfeeeeeef/react-native,salanki/react-native,peterp/react-native,myntra/react-native,eduardinni/react-native,clozr/react-native,tadeuzagallo/react-native,CodeLinkIO/react-native,skevy/react-native,javache/react-native,thotegowda/react-native,jasonnoahchoi/react-native,jaggs6/react-native,skevy/react-native,charlesvinette/react-native,Livyli/react-native,hoastoolshop/react-native,negativetwelve/react-native,tgoldenberg/react-native,aljs/react-native,janicduplessis/react-native,DannyvanderJagt/react-native,doochik/react-native,pandiaraj44/react-native,naoufal/react-native,gitim/react-native,nickhudkins/react-native,imDangerous/react-native,tsjing/react-native,lprhodes/react-native,negativetwelve/react-native,forcedotcom/react-native | ---
+++
@@ -11,7 +11,7 @@
'use strict';
var React = require('React');
-var TimerMixin = require('TimerMixin');
+var TimerMixin = require('react-timer-mixin');
var LazyRenderer = React.createClass({
mixin: [TimerMixin], |
179d721407ce581079427a07a7e18e7cb5535b2a | lumify-web-war/src/main/webapp/js/util/withFileDrop.js | lumify-web-war/src/main/webapp/js/util/withFileDrop.js | define([], function() {
'use strict';
return withFileDrop;
function withFileDrop() {
this.after('initialize', function() {
var self = this;
if (!this.handleFilesDropped) {
return console.warn('Implement handleFilesDropped');
}
this.node.ondragover = function() {
$(this).addClass('file-hover'); return false;
};
this.node.ondragenter = function() {
$(this).addClass('file-hover'); return false;
};
this.node.ondragleave = function() {
$(this).removeClass('file-hover'); return false;
};
this.node.ondrop = function(e) {
e.preventDefault();
e.stopPropagation();
if (self.$node.hasClass('uploading')) return;
self.handleFilesDropped(e.dataTransfer.files, event);
};
});
}
});
| define([], function() {
'use strict';
return withFileDrop;
function withFileDrop() {
this.after('initialize', function() {
var self = this;
if (!this.handleFilesDropped) {
return console.warn('Implement handleFilesDropped');
}
this.node.ondragover = function() {
$(this).addClass('file-hover'); return false;
};
this.node.ondragenter = function() {
$(this).addClass('file-hover'); return false;
};
this.node.ondragleave = function() {
$(this).removeClass('file-hover'); return false;
};
this.node.ondrop = function(e) {
if (e.dataTransfer && e.dataTransfer.files) {
e.preventDefault();
e.stopPropagation();
if (self.$node.hasClass('uploading')) return;
self.handleFilesDropped(e.dataTransfer.files, event);
}
};
});
}
});
| Fix issue in detail pane where dragging entities to empty space in detail pane would cause it to stay there | Fix issue in detail pane where dragging entities to empty space in detail pane would cause it to stay there
| JavaScript | apache-2.0 | j-bernardo/lumify,RavenB/lumify,bings/lumify,dvdnglnd/lumify,TeamUDS/lumify,bings/lumify,j-bernardo/lumify,lumifyio/lumify,bings/lumify,Steimel/lumify,TeamUDS/lumify,dvdnglnd/lumify,Steimel/lumify,Steimel/lumify,RavenB/lumify,lumifyio/lumify,j-bernardo/lumify,dvdnglnd/lumify,RavenB/lumify,RavenB/lumify,lumifyio/lumify,Steimel/lumify,TeamUDS/lumify,dvdnglnd/lumify,j-bernardo/lumify,dvdnglnd/lumify,lumifyio/lumify,Steimel/lumify,j-bernardo/lumify,bings/lumify,TeamUDS/lumify,lumifyio/lumify,bings/lumify,RavenB/lumify,TeamUDS/lumify | ---
+++
@@ -22,12 +22,14 @@
$(this).removeClass('file-hover'); return false;
};
this.node.ondrop = function(e) {
- e.preventDefault();
- e.stopPropagation();
+ if (e.dataTransfer && e.dataTransfer.files) {
+ e.preventDefault();
+ e.stopPropagation();
- if (self.$node.hasClass('uploading')) return;
+ if (self.$node.hasClass('uploading')) return;
- self.handleFilesDropped(e.dataTransfer.files, event);
+ self.handleFilesDropped(e.dataTransfer.files, event);
+ }
};
});
} |
7c4d61814b2512f977ed13a793479ad801d693d7 | lib/orbit/query/context.js | lib/orbit/query/context.js | import { Class } from '../lib/objects';
import { isQueryExpression } from './expression';
export default Class.extend({
evaluator: null,
init(evaluator) {
this.evaluator = evaluator;
},
evaluate(expression) {
if (isQueryExpression(expression)) {
let operator = this.evaluator.operators[expression.op];
if (!operator) { throw new Error('Unable to find operator: ' + expression.op); }
return operator.evaluate(this, expression.args);
} else {
return expression;
}
}
});
| import { isQueryExpression } from './expression';
export default class QueryContext {
constructor(evaluator) {
this.evaluator = evaluator;
}
evaluate(expression) {
if (isQueryExpression(expression)) {
let operator = this.evaluator.operators[expression.op];
if (!operator) { throw new Error('Unable to find operator: ' + expression.op); }
return operator.evaluate(this, expression.args);
} else {
return expression;
}
}
}
| Convert QueryContext to ES class. | Convert QueryContext to ES class. | JavaScript | mit | orbitjs/orbit-core,jpvanhal/orbit-core,orbitjs/orbit.js,jpvanhal/orbit.js,orbitjs/orbit.js,jpvanhal/orbit-core,SmuliS/orbit.js,jpvanhal/orbit.js,SmuliS/orbit.js | ---
+++
@@ -1,12 +1,9 @@
-import { Class } from '../lib/objects';
import { isQueryExpression } from './expression';
-export default Class.extend({
- evaluator: null,
-
- init(evaluator) {
+export default class QueryContext {
+ constructor(evaluator) {
this.evaluator = evaluator;
- },
+ }
evaluate(expression) {
if (isQueryExpression(expression)) {
@@ -19,4 +16,4 @@
return expression;
}
}
-});
+} |
b4af69796c13cf832d0ff53d5bcc2c9d51d79394 | packages/non-core/bundle-visualizer/package.js | packages/non-core/bundle-visualizer/package.js | Package.describe({
version: '1.1.2',
summary: 'Meteor bundle analysis and visualization.',
documentation: 'README.md',
});
Npm.depends({
"d3-selection": "1.0.5",
"d3-shape": "1.0.6",
"d3-hierarchy": "1.1.4",
"d3-transition": "1.0.4",
"d3-collection": "1.0.4",
"pretty-bytes": "4.0.2",
});
Package.onUse(function(api) {
api.use('isobuild:dynamic-import@1.5.0');
api.use([
'ecmascript',
'dynamic-import',
'http',
]);
api.mainModule('server.js', 'server');
api.mainModule('client.js', 'client');
});
| Package.describe({
version: '1.1.3',
summary: 'Meteor bundle analysis and visualization.',
documentation: 'README.md',
});
Npm.depends({
"d3-selection": "1.0.5",
"d3-shape": "1.0.6",
"d3-hierarchy": "1.1.4",
"d3-transition": "1.0.4",
"d3-collection": "1.0.4",
"pretty-bytes": "4.0.2",
});
Package.onUse(function(api) {
api.use('isobuild:dynamic-import@1.5.0');
api.use([
'ecmascript',
'dynamic-import',
'http',
'webapp',
]);
api.mainModule('server.js', 'server');
api.mainModule('client.js', 'client');
});
| Make bundle-visualizer depend on webapp, since it imports meteor/webapp. | Make bundle-visualizer depend on webapp, since it imports meteor/webapp.
| JavaScript | mit | Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor | ---
+++
@@ -1,5 +1,5 @@
Package.describe({
- version: '1.1.2',
+ version: '1.1.3',
summary: 'Meteor bundle analysis and visualization.',
documentation: 'README.md',
});
@@ -19,6 +19,7 @@
'ecmascript',
'dynamic-import',
'http',
+ 'webapp',
]);
api.mainModule('server.js', 'server');
api.mainModule('client.js', 'client'); |
775b805e56bbc1aa9962e0c37a82a47b4a23ff9f | src/lib/libraries/decks/translate-image.js | src/lib/libraries/decks/translate-image.js | /**
* @fileoverview
* Utility functions for handling tutorial images in multiple languages
*/
import {enImages as defaultImages} from './en-steps.js';
let savedImages = {};
let savedLocale = '';
const loadSpanish = () =>
import(/* webpackChunkName: "es-steps" */ './es-steps.js')
.then(({esImages: imageData}) => imageData);
const translations = {
es: () => loadSpanish()
};
const loadImageData = locale => {
if (translations.hasOwnProperty(locale)) {
translations[locale]()
.then(newImages => {
savedImages = newImages;
savedLocale = locale;
});
}
};
/**
* Return image data for tutorials based on locale (default: en)
* @param {string} imageId key in the images object, or id string.
* @param {string} locale requested locale
* @return {string} image
*/
const translateImage = (imageId, locale) => {
if (locale !== savedLocale || !savedImages.hasOwnProperty(imageId)) {
return defaultImages[imageId];
}
return savedImages[imageId];
};
export {
loadImageData,
translateImage
};
| /**
* @fileoverview
* Utility functions for handling tutorial images in multiple languages
*/
import {enImages as defaultImages} from './en-steps.js';
let savedImages = {};
let savedLocale = '';
const loadSpanish = () =>
import(/* webpackChunkName: "es-steps" */ './es-steps.js')
.then(({esImages: imageData}) => imageData);
const translations = {
'es': () => loadSpanish(),
'es-419': () => loadSpanish()
};
const loadImageData = locale => {
if (translations.hasOwnProperty(locale)) {
translations[locale]()
.then(newImages => {
savedImages = newImages;
savedLocale = locale;
});
}
};
/**
* Return image data for tutorials based on locale (default: en)
* @param {string} imageId key in the images object, or id string.
* @param {string} locale requested locale
* @return {string} image
*/
const translateImage = (imageId, locale) => {
if (locale !== savedLocale || !savedImages.hasOwnProperty(imageId)) {
return defaultImages[imageId];
}
return savedImages[imageId];
};
export {
loadImageData,
translateImage
};
| Make Spanish tutorial images also load for Latinamerican Spanish | Make Spanish tutorial images also load for Latinamerican Spanish
| JavaScript | bsd-3-clause | LLK/scratch-gui,LLK/scratch-gui | ---
+++
@@ -13,7 +13,8 @@
.then(({esImages: imageData}) => imageData);
const translations = {
- es: () => loadSpanish()
+ 'es': () => loadSpanish(),
+ 'es-419': () => loadSpanish()
};
const loadImageData = locale => { |
85cb638499d7930ce9c4c119e7ccd15d7adef7f8 | dotjs.js | dotjs.js | var hostname = location.hostname.replace(/^www\./, '');
var style = document.createElement('link');
style.rel = 'stylesheet';
style.href = chrome.extension.getURL('styles/' + hostname + '.css');
document.documentElement.appendChild(style);
var defaultStyle = document.createElement('link');
defaultStyle.rel = 'stylesheet';
defaultStyle.href = chrome.extension.getURL('styles/default.css');
document.documentElement.appendChild(defaultStyle);
var script = document.createElement('script');
script.src = chrome.extension.getURL('scripts/' + hostname + '.js');
document.documentElement.appendChild(script);
var defaultScript = document.createElement('script');
defaultScript.src = chrome.extension.getURL('scripts/default.js');
document.documentElement.appendChild(defaultScript);
| var hostname = location.hostname.replace(/^www\./, '');
var appendScript = function(path){
var xhr = new XMLHttpRequest();
xhr.onload = function(){
eval(this.responseText);
}
xhr.open('GET', chrome.extension.getURL(path));
xhr.send();
}
var defaultStyle = document.createElement('link');
defaultStyle.rel = 'stylesheet';
defaultStyle.href = chrome.extension.getURL('styles/default.css');
document.head.appendChild(defaultStyle);
var style = document.createElement('link');
style.rel = 'stylesheet';
style.href = chrome.extension.getURL('styles/' + hostname + '.css');
document.head.appendChild(style);
appendScript('scripts/default.js');
appendScript('scripts/' + hostname + '.js');
| Revert back to evaluating scripts | Revert back to evaluating scripts
- Rather this than including jQuery manually resulting in potential duplicates
| JavaScript | mit | p3lim/dotjs-universal,p3lim/dotjs-universal | ---
+++
@@ -1,19 +1,23 @@
var hostname = location.hostname.replace(/^www\./, '');
+
+var appendScript = function(path){
+ var xhr = new XMLHttpRequest();
+ xhr.onload = function(){
+ eval(this.responseText);
+ }
+ xhr.open('GET', chrome.extension.getURL(path));
+ xhr.send();
+}
+
+var defaultStyle = document.createElement('link');
+defaultStyle.rel = 'stylesheet';
+defaultStyle.href = chrome.extension.getURL('styles/default.css');
+document.head.appendChild(defaultStyle);
var style = document.createElement('link');
style.rel = 'stylesheet';
style.href = chrome.extension.getURL('styles/' + hostname + '.css');
-document.documentElement.appendChild(style);
+document.head.appendChild(style);
-var defaultStyle = document.createElement('link');
-defaultStyle.rel = 'stylesheet';
-defaultStyle.href = chrome.extension.getURL('styles/default.css');
-document.documentElement.appendChild(defaultStyle);
-
-var script = document.createElement('script');
-script.src = chrome.extension.getURL('scripts/' + hostname + '.js');
-document.documentElement.appendChild(script);
-
-var defaultScript = document.createElement('script');
-defaultScript.src = chrome.extension.getURL('scripts/default.js');
-document.documentElement.appendChild(defaultScript);
+appendScript('scripts/default.js');
+appendScript('scripts/' + hostname + '.js'); |
21082cb80f8c77c2a90d5f032193a4feda2edcf4 | lib/adapter.js | lib/adapter.js | import callbacks from 'ember-encore/mixins/adapter-callbacks';
export default DS.RESTAdapter.extend(callbacks, {
defaultSerializer: '-encore',
pathForType: function(type) {
return Ember.String.pluralize(Ember.String.underscore(type));
},
ajaxError: function(jqXHR) {
var error = this._super(jqXHR);
var data = JSON.parse(jqXHR.responseText);
if (jqXHR && jqXHR.status === 422) {
var errors = data.errors.reduce(function(memo, errorGroup) {
memo[errorGroup.field] = errorGroup.types[0];
return memo;
}, {});
return new DS.InvalidError(errors);
} else {
return error;
}
}
});
| import callbacks from 'ember-encore/mixins/adapter-callbacks';
export default DS.RESTAdapter.extend(callbacks, {
defaultSerializer: '-encore',
pathForType: function(type) {
return Ember.String.pluralize(Ember.String.underscore(type));
},
ajaxError: function(jqXHR) {
var error = this._super(jqXHR);
var data = JSON.parse(jqXHR.responseText);
if (jqXHR && jqXHR.status === 422) {
var errors = data.errors.reduce(function(memo, errorGroup) {
memo[errorGroup.field] = errorGroup.types;
return memo;
}, {});
return new DS.InvalidError(errors);
} else {
return error;
}
}
});
| Fix errors format to when creating a DS.InvalidError object | Fix errors format to when creating a DS.InvalidError object
| JavaScript | bsd-3-clause | mirego/ember-encore | ---
+++
@@ -13,7 +13,7 @@
if (jqXHR && jqXHR.status === 422) {
var errors = data.errors.reduce(function(memo, errorGroup) {
- memo[errorGroup.field] = errorGroup.types[0];
+ memo[errorGroup.field] = errorGroup.types;
return memo;
}, {});
|
ec555d651c1748b793dc12ef901af806b6d09dde | server/client/containers/RunAdHocExperiment/DepVars.js | server/client/containers/RunAdHocExperiment/DepVars.js | // import React and Redux dependencies
var React = require('react');
var connect = require('react-redux').connect;
var $ = require('jquery');
var DepVar = require('./DepVar');
function mapStatetoProps (state, ownProps) {
return {
depVars: state.Experiments.getIn([ownProps.expId, 'depVars']).toJS()
};
}
var DepVars = React.createClass({
handleSubmit: function (event) {
$.post('/submit', $(event.target).serializeArray());
},
render: function () {
var depVars = this.props.depVars.map(function(depVarId) {
return <DepVar key={depVarId} depVarId={depVarId} />;
});
return (
<div>
<form onSubmit={this.handleSubmit}>
<input name="optionIndex" type="hidden" value={this.props.optionIndex} />
<input name="expId" type="hidden" value={this.props.expId} />
{depVars}
<button type="submit">Submit Sample</button>
</form>
</div>
);
}
});
module.exports = connect(mapStatetoProps)(DepVars);
| // import React and Redux dependencies
var React = require('react');
var connect = require('react-redux').connect;
var _ = require('underscore');
var $ = require('jquery');
require('jquery-serializejson');
var DepVar = require('./DepVar');
function mapStatetoProps (state, ownProps) {
return {
depVars: state.Experiments.getIn([ownProps.params.expid, 'depVars']).toJS(),
indVars: state.Samples.getIn([ownProps.params.sampleid, 'indVarStates']).toJS()
};
}
var DepVars = React.createClass({
handleSubmit: function (event) {
event.preventDefault();
var data = $(event.target).serializeJSON();
$.post('/submit', data);
},
render: function () {
var depVars = this.props.depVars.map(function(depVarId) {
return <DepVar key={depVarId} depVarId={depVarId} />;
});
var indVars = [];
_.each(this.props.indVars, function(indVar){
indVars.push(<input
name={'indVars[' + indVar._id + '][value]'}
type="hidden"
value={indVar.value} />);
indVars.push(<input
name={'indVars[' + indVar._id + '][name]'}
type="hidden"
value={indVar.name} />);
});
return (
<div>
<form onSubmit={this.handleSubmit}>
<input name="expId" type="hidden" value={this.props.params.expid} />
{indVars}
{depVars}
<button type="submit">Submit Sample</button>
</form>
</div>
);
}
});
module.exports = connect(mapStatetoProps)(DepVars);
| Add support for multiple IndVars | Add support for multiple IndVars
| JavaScript | mit | Agnition/agnition,marcusbuffett/agnition,Agnition/agnition,marcusbuffett/agnition | ---
+++
@@ -1,30 +1,47 @@
// import React and Redux dependencies
var React = require('react');
var connect = require('react-redux').connect;
+var _ = require('underscore');
var $ = require('jquery');
+require('jquery-serializejson');
var DepVar = require('./DepVar');
function mapStatetoProps (state, ownProps) {
return {
- depVars: state.Experiments.getIn([ownProps.expId, 'depVars']).toJS()
+ depVars: state.Experiments.getIn([ownProps.params.expid, 'depVars']).toJS(),
+ indVars: state.Samples.getIn([ownProps.params.sampleid, 'indVarStates']).toJS()
};
}
var DepVars = React.createClass({
handleSubmit: function (event) {
- $.post('/submit', $(event.target).serializeArray());
+ event.preventDefault();
+
+ var data = $(event.target).serializeJSON();
+ $.post('/submit', data);
},
render: function () {
var depVars = this.props.depVars.map(function(depVarId) {
return <DepVar key={depVarId} depVarId={depVarId} />;
});
+ var indVars = [];
+ _.each(this.props.indVars, function(indVar){
+ indVars.push(<input
+ name={'indVars[' + indVar._id + '][value]'}
+ type="hidden"
+ value={indVar.value} />);
+ indVars.push(<input
+ name={'indVars[' + indVar._id + '][name]'}
+ type="hidden"
+ value={indVar.name} />);
+ });
return (
<div>
<form onSubmit={this.handleSubmit}>
- <input name="optionIndex" type="hidden" value={this.props.optionIndex} />
- <input name="expId" type="hidden" value={this.props.expId} />
+ <input name="expId" type="hidden" value={this.props.params.expid} />
+ {indVars}
{depVars}
<button type="submit">Submit Sample</button>
</form> |
22076933adbf6a17cdd664ac18c612a35a1df234 | lib/objects.js | lib/objects.js | 'use strict';
let rpc = require('./rpc');
let util = require('./util');
let idKey = util.idKey;
let realmKey = util.realmKey;
let registeredConstructors = {};
exports.create = create;
exports.registerConstructors = registerConstructors;
function create(realmId, info) {
let schema = info.schema;
let constructor = (registeredConstructors[realmId] || {})[schema.name];
let object = constructor ? Object.create(constructor.prototype) : {};
let props = {};
object[realmKey] = realmId;
object[idKey] = info.id;
for (let prop of schema.properties) {
let name = prop.name;
props[name] = {
get: getterForProperty(name),
set: setterForProperty(name),
};
}
Object.defineProperties(object, props);
return object;
}
function registerletructors(realmId, letructors) {
registeredletructors[realmId] = letructors;
}
function getterForProperty(name) {
return function() {
return rpc.getObjectProperty(this[realmKey], this[idKey], name);
};
}
function setterForProperty(name) {
return function(value) {
rpc.setObjectProperty(this[realmKey], this[idKey], name, value);
};
}
| 'use strict';
let rpc = require('./rpc');
let util = require('./util');
let idKey = util.idKey;
let realmKey = util.realmKey;
let registeredConstructors = {};
exports.create = create;
exports.registerConstructors = registerConstructors;
function create(realmId, info) {
let schema = info.schema;
let constructor = (registeredConstructors[realmId] || {})[schema.name];
let object = constructor ? Object.create(constructor.prototype) : {};
let props = {};
object[realmKey] = realmId;
object[idKey] = info.id;
for (let prop of schema.properties) {
let name = prop.name;
props[name] = {
get: getterForProperty(name),
set: setterForProperty(name),
};
}
Object.defineProperties(object, props);
return object;
}
function registerConstructors(realmId, constructors) {
registeredConstructors[realmId] = constructors;
}
function getterForProperty(name) {
return function() {
return rpc.getObjectProperty(this[realmKey], this[idKey], name);
};
}
function setterForProperty(name) {
return function(value) {
rpc.setObjectProperty(this[realmKey], this[idKey], name, value);
};
}
| Fix "const" search and replace | Fix "const" search and replace
| JavaScript | apache-2.0 | realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js,realm/realm-js | ---
+++
@@ -33,8 +33,8 @@
return object;
}
-function registerletructors(realmId, letructors) {
- registeredletructors[realmId] = letructors;
+function registerConstructors(realmId, constructors) {
+ registeredConstructors[realmId] = constructors;
}
function getterForProperty(name) { |
190210feb2f3f134e227055e7e8e631372c4dd7c | app/scripts/reducers/infiniteList.js | app/scripts/reducers/infiniteList.js | import update from 'immutability-helper'
import ActionTypes from '../actionTypes'
const initialState = {
currentPageIndex: 0,
isLoading: false,
listItems: [],
totalPageCount: 0,
}
export default (state = initialState, action) => {
switch (action.type) {
case ActionTypes.INFINITE_LIST_INITIALIZE:
return update(state, {
currentPageIndex: { $set: 0 },
isLoading: { $set: true },
listItems: { $set: [] },
totalPageCount: { $set: 0 },
})
case ActionTypes.INFINITE_LIST_REQUEST:
return update(state, {
currentPageIndex: { $set: action.meta.page },
isLoading: { $set: true },
})
case ActionTypes.INFINITE_LIST_SUCCESS:
return update(state, {
isLoading: { $set: false },
listItems: { $push: action.payload.data },
totalPageCount: {
$set: Math.floor(action.payload.total / action.payload.limit),
},
})
case ActionTypes.INFINITE_LIST_FAILURE:
return update(state, {
isLoading: { $set: false },
})
default:
return state
}
}
| import update from 'immutability-helper'
import ActionTypes from '../actionTypes'
const initialState = {
currentPageIndex: 0,
isLoading: false,
listItems: [],
totalPageCount: 0,
}
export default (state = initialState, action) => {
switch (action.type) {
case ActionTypes.INFINITE_LIST_INITIALIZE:
return update(state, {
currentPageIndex: { $set: 0 },
isLoading: { $set: true },
listItems: { $set: [] },
totalPageCount: { $set: 0 },
})
case ActionTypes.INFINITE_LIST_REQUEST:
return update(state, {
currentPageIndex: { $set: action.meta.page },
isLoading: { $set: true },
})
case ActionTypes.INFINITE_LIST_SUCCESS:
return update(state, {
isLoading: { $set: false },
listItems: { $push: action.payload.data },
totalPageCount: {
$set: Math.ceil(action.payload.total / action.payload.limit),
},
})
case ActionTypes.INFINITE_LIST_FAILURE:
return update(state, {
isLoading: { $set: false },
})
default:
return state
}
}
| Fix wrong counting of total pages for infinite lists | Fix wrong counting of total pages for infinite lists
| JavaScript | agpl-3.0 | adzialocha/hoffnung3000,adzialocha/hoffnung3000 | ---
+++
@@ -28,7 +28,7 @@
isLoading: { $set: false },
listItems: { $push: action.payload.data },
totalPageCount: {
- $set: Math.floor(action.payload.total / action.payload.limit),
+ $set: Math.ceil(action.payload.total / action.payload.limit),
},
})
case ActionTypes.INFINITE_LIST_FAILURE: |
5a22dbf7d62117b3e9349b41ccc3f5ef2dc9ff71 | src/browser/extension/background/contextMenus.js | src/browser/extension/background/contextMenus.js | import openDevToolsWindow from './openWindow';
const menus = [
{ id: 'devtools-left', title: 'To left' },
{ id: 'devtools-right', title: 'To right' },
{ id: 'devtools-bottom', title: 'To bottom' },
{ id: 'devtools-panel', title: 'In panel' }
];
let pageUrl;
let pageTab;
let shortcuts = {};
chrome.commands.getAll(commands => {
commands.forEach(({ name, shortcut }) => {
shortcuts[name] = shortcut;
});
});
export default function createMenu(forUrl, tabId) {
if (typeof tabId !== 'number' || tabId === pageTab) return;
let url = forUrl;
let hash = forUrl.indexOf('#');
if (hash !== -1) url = forUrl.substr(0, hash);
if (pageUrl === url) return;
pageUrl = url; pageTab = tabId;
chrome.contextMenus.removeAll();
menus.forEach(({ id, title }) => {
chrome.contextMenus.create({
id: id,
title: title + ' (' + shortcuts[id] + ')',
contexts: ['all'],
documentUrlPatterns: [url],
onclick: () => { openDevToolsWindow(id); }
});
});
chrome.pageAction.show(tabId);
}
| import openDevToolsWindow from './openWindow';
const menus = [
{ id: 'devtools-left', title: 'To left' },
{ id: 'devtools-right', title: 'To right' },
{ id: 'devtools-bottom', title: 'To bottom' },
{ id: 'devtools-panel', title: 'In panel' }
];
let pageUrl;
let pageTab;
let shortcuts = {};
chrome.commands.getAll(commands => {
commands.forEach(({ name, shortcut }) => {
shortcuts[name] = shortcut;
});
});
export default function createMenu(forUrl, tabId) {
if (typeof tabId !== 'number') return; // It is an extension's background page
chrome.pageAction.show(tabId);
if (tabId === pageTab) return;
let url = forUrl;
let hash = forUrl.indexOf('#');
if (hash !== -1) url = forUrl.substr(0, hash);
if (pageUrl === url) return;
pageUrl = url; pageTab = tabId;
chrome.contextMenus.removeAll();
menus.forEach(({ id, title }) => {
chrome.contextMenus.create({
id: id,
title: title + ' (' + shortcuts[id] + ')',
contexts: ['all'],
documentUrlPatterns: [url],
onclick: () => { openDevToolsWindow(id); }
});
});
}
| Fix missing page action (popup icon) on page reload | Fix missing page action (popup icon) on page reload
Related to #25.
| JavaScript | mit | zalmoxisus/redux-devtools-extension,zalmoxisus/redux-devtools-extension | ---
+++
@@ -17,7 +17,9 @@
});
export default function createMenu(forUrl, tabId) {
- if (typeof tabId !== 'number' || tabId === pageTab) return;
+ if (typeof tabId !== 'number') return; // It is an extension's background page
+ chrome.pageAction.show(tabId);
+ if (tabId === pageTab) return;
let url = forUrl;
let hash = forUrl.indexOf('#');
@@ -35,6 +37,4 @@
onclick: () => { openDevToolsWindow(id); }
});
});
-
- chrome.pageAction.show(tabId);
} |
d3924ba8fa88a13044cf9150616c5660847e06d0 | src/containers/profile/components/EditProfile.js | src/containers/profile/components/EditProfile.js | import React, { PropTypes } from 'react';
import Immutable from 'immutable';
import { Button } from 'react-bootstrap';
import styles from '../styles.module.css';
const EditProfile = ({onSubmit}) => {
return(
<div>
<div>EditProfileComponent!</div>
<Button onClick={onSubmit}>Submit</Button>
</div>
);
};
EditProfile.propTypes = {
onSubmit: PropTypes.func.isRequired
};
export default EditProfile;
| import React, { PropTypes } from 'react';
import Immutable from 'immutable';
import { Button } from 'react-bootstrap';
import DocumentTitle from 'react-document-title';
import Page from '../../../components/page/Page';
import styles from '../styles.module.css';
const EditProfile = ({ userDetails, onSubmit }) => {
return (
<DocumentTitle title="Edit Profile">
<Page>
<Page.Header>
<Page.Title>Edit Profile</Page.Title>
</Page.Header>
<div>EditProfileComponent!</div>
<Button onClick={onSubmit}>Submit</Button>
</Page>
</DocumentTitle>
);
};
EditProfile.propTypes = {
onSubmit: PropTypes.func.isRequired
};
export default EditProfile;
| Add document title and page header | Add document title and page header
| JavaScript | apache-2.0 | dataloom/gallery,kryptnostic/gallery,kryptnostic/gallery,dataloom/gallery | ---
+++
@@ -1,14 +1,21 @@
import React, { PropTypes } from 'react';
import Immutable from 'immutable';
import { Button } from 'react-bootstrap';
+import DocumentTitle from 'react-document-title';
+import Page from '../../../components/page/Page';
import styles from '../styles.module.css';
-const EditProfile = ({onSubmit}) => {
- return(
- <div>
- <div>EditProfileComponent!</div>
- <Button onClick={onSubmit}>Submit</Button>
- </div>
+const EditProfile = ({ userDetails, onSubmit }) => {
+ return (
+ <DocumentTitle title="Edit Profile">
+ <Page>
+ <Page.Header>
+ <Page.Title>Edit Profile</Page.Title>
+ </Page.Header>
+ <div>EditProfileComponent!</div>
+ <Button onClick={onSubmit}>Submit</Button>
+ </Page>
+ </DocumentTitle>
);
};
|
5c34ebb081bb40d15daf595e642cfe0dc14f4f55 | test/specs/route.js | test/specs/route.js | /*globals PushStateTree, it, expect */
describe('ObjectEvent should', function() {
'use strict';
it('be available on global scope', function() {
expect(PushStateTree).toBeDefined();
});
it('throw an error if not using "new" operator', function() {
expect(PushStateTree).toThrow();
});
});
| /*globals PushStateTree, it, expect */
describe('PushStateTree should', function() {
'use strict';
it('be available on global scope', function() {
expect(PushStateTree).toBeDefined();
});
it('throw an error if not using "new" operator', function() {
expect(PushStateTree).toThrow();
});
it('construct and became a HTMLElement instance', function(){
expect(new PushStateTree()).toEqual(jasmine.any(HTMLElement));
expect(new PushStateTree({})).toEqual(jasmine.any(HTMLElement));
});
});
| Test for element instance creating | Test for element instance creating
| JavaScript | mit | gartz/pushStateTree,gartz/pushStateTree | ---
+++
@@ -1,5 +1,5 @@
/*globals PushStateTree, it, expect */
-describe('ObjectEvent should', function() {
+describe('PushStateTree should', function() {
'use strict';
it('be available on global scope', function() {
@@ -10,4 +10,8 @@
expect(PushStateTree).toThrow();
});
+ it('construct and became a HTMLElement instance', function(){
+ expect(new PushStateTree()).toEqual(jasmine.any(HTMLElement));
+ expect(new PushStateTree({})).toEqual(jasmine.any(HTMLElement));
+ });
}); |
4580c5feca6b28b4afe46f4ad58aa3cb7b6c7b17 | website/server/server.js | website/server/server.js | "use strict";
let fs = require("fs");
let path = require("path");
let Q = require("q");
let express = require("express");
let bodyParser = require("body-parser");
let restify = require("restify");
function Server() {
Q.longStackSupport = true;
this.__setup();
};
Server.prototype.__setup = function () {
this.app = restify.createServer({ name: "BeaconSpam" });
this.app.use(bodyParser.json());
this.__setupRouting();
};
Server.prototype.listen = function() {
console.log("Server started!");
this.app.listen(8080);
};
Server.prototype.__setupRouting = function () {
// Static files are added last as they match every request
this.app.get(".*", restify.serveStatic({
directory: "client/",
default: "index.html"
}));
};
module.exports = Server;
| "use strict";
let fs = require("fs");
let path = require("path");
let Q = require("q");
let express = require("express");
let bodyParser = require("body-parser");
let restify = require("restify");
function Server() {
Q.longStackSupport = true;
this.__setup();
};
Server.prototype.__setup = function () {
this.app = restify.createServer({ name: "BeaconSpam" });
this.app.use(bodyParser.json());
this.__setupRouting();
};
Server.prototype.listen = function() {
console.log("Server started!");
this.app.listen(8080);
};
let handleBeaconInfo = function (req, res) {
/**
* {
* id: ....,
* name: ...,
* txPower: ....,
* samples: [{rssi: ...., timestamp: .....}]
* }
*/
var beaconData = {
id: req.body.id,
name: req.body.name,
txPower: req.body.txPower,
samples: req.body.samples
}
res.send();
}
Server.prototype.__setupRouting = function () {
this.app.post("/beacon/data", handleBeaconInfo);
// Static files are added last as they match every request
this.app.get(".*", restify.serveStatic({
directory: "client/",
default: "index.html"
}));
};
module.exports = Server;
| Add rest endpoint for beacon data | Add rest endpoint for beacon data
| JavaScript | mit | pankrator/Beacon-Spam,pankrator/Beacon-Spam | ---
+++
@@ -23,7 +23,27 @@
this.app.listen(8080);
};
+let handleBeaconInfo = function (req, res) {
+ /**
+ * {
+ * id: ....,
+ * name: ...,
+ * txPower: ....,
+ * samples: [{rssi: ...., timestamp: .....}]
+ * }
+ */
+ var beaconData = {
+ id: req.body.id,
+ name: req.body.name,
+ txPower: req.body.txPower,
+ samples: req.body.samples
+ }
+ res.send();
+}
+
Server.prototype.__setupRouting = function () {
+ this.app.post("/beacon/data", handleBeaconInfo);
+
// Static files are added last as they match every request
this.app.get(".*", restify.serveStatic({
directory: "client/", |
2305a450851dbaf03f6f0583b7b12e290ac79f0b | lib/web/angular-base-workaround.js | lib/web/angular-base-workaround.js | if ('angular' in window) {
angular.module('ng').run(['$rootScope', '$window', function ($rootScope, window) {
$rootScope.$watch(function() {
return $window.location.pathname + $window.location.search;
}, function (newUrl, oldUrl) {
if (newUrl === oldUrl) {
return;
}
var evt = document.createEvent('CustomEvent');
evt.initCustomEvent('spriteLoaderLocationUpdated', false, false, {
newUrl: newUrl
});
window.dispatchEvent(evt);
});
}]);
}
| if ('angular' in window) {
angular.module('ng').run(['$rootScope', '$window', function ($rootScope, $window) {
$rootScope.$watch(function() {
return $window.location.pathname + $window.location.search;
}, function (newUrl, oldUrl) {
if (newUrl === oldUrl) {
return;
}
var evt = document.createEvent('CustomEvent');
evt.initCustomEvent('spriteLoaderLocationUpdated', false, false, {
newUrl: newUrl
});
window.dispatchEvent(evt);
});
}]);
}
| Watch location update instead of listening events since there is no event when $locatoin update is failed: window -> $window typo | Watch location update instead of listening events since there is no event when $locatoin update is failed: window -> $window typo
| JavaScript | mit | kisenka/svg-sprite-loader,kisenka/webpack-svg-sprite-loader,princed/webpack-svg-sprite-loader | ---
+++
@@ -1,5 +1,5 @@
if ('angular' in window) {
- angular.module('ng').run(['$rootScope', '$window', function ($rootScope, window) {
+ angular.module('ng').run(['$rootScope', '$window', function ($rootScope, $window) {
$rootScope.$watch(function() {
return $window.location.pathname + $window.location.search;
@@ -7,7 +7,7 @@
if (newUrl === oldUrl) {
return;
}
-
+
var evt = document.createEvent('CustomEvent');
evt.initCustomEvent('spriteLoaderLocationUpdated', false, false, {
newUrl: newUrl |
6113b3bf024e578bb920713470c94d5e9853c684 | src/app/utils/notification/NotificationProviderLibNotify.js | src/app/utils/notification/NotificationProviderLibNotify.js | import NotificationProvider from "./NotificationProvider";
import LibNotify from "node-notifier/notifiers/notifysend";
import which from "utils/node/fs/which";
import UTIL from "util";
function NotificationProviderLibNotify() {
this.provider = new LibNotify();
}
UTIL.inherits( NotificationProviderLibNotify, NotificationProvider );
NotificationProviderLibNotify.platforms = {
linux: "growl"
};
/**
* @returns {Promise}
*/
NotificationProviderLibNotify.test = function() {
return which( "notify-send" );
};
export default NotificationProviderLibNotify;
| import NotificationProvider from "./NotificationProvider";
import LibNotify from "node-notifier/notifiers/notifysend";
import which from "utils/node/fs/which";
import UTIL from "util";
function NotificationProviderLibNotify() {
this.provider = new LibNotify({
// don't run `which notify-send` twice
suppressOsdCheck: true
});
}
UTIL.inherits( NotificationProviderLibNotify, NotificationProvider );
NotificationProviderLibNotify.platforms = {
linux: "growl"
};
/**
* @returns {Promise}
*/
NotificationProviderLibNotify.test = function() {
return which( "notify-send" );
};
export default NotificationProviderLibNotify;
| Disable node-notifier's which call of notify-send | Disable node-notifier's which call of notify-send
| JavaScript | mit | chhe/livestreamer-twitch-gui,bastimeyer/livestreamer-twitch-gui,streamlink/streamlink-twitch-gui,streamlink/streamlink-twitch-gui,bastimeyer/livestreamer-twitch-gui,bastimeyer/livestreamer-twitch-gui,chhe/livestreamer-twitch-gui,streamlink/streamlink-twitch-gui,chhe/livestreamer-twitch-gui | ---
+++
@@ -5,7 +5,10 @@
function NotificationProviderLibNotify() {
- this.provider = new LibNotify();
+ this.provider = new LibNotify({
+ // don't run `which notify-send` twice
+ suppressOsdCheck: true
+ });
}
UTIL.inherits( NotificationProviderLibNotify, NotificationProvider ); |
4b5965328d8dc4388793fd7dfbbc0df3b5d9ca73 | grunt.js | grunt.js | module.exports = function(grunt) {
// Project configuration.
grunt.initConfig({
pkg: '<json:package.json>',
test: {
files: ['test/**/*.js']
},
lint: {
files: ['grunt.js', 'lib/**/*.js', 'test/**/*.js']
},
watch: {
files: '<config:lint.files>',
tasks: 'default'
},
jshint: {
options: {
curly: true,
eqeqeq: true,
immed: true,
latedef: true,
newcap: true,
noarg: true,
sub: true,
undef: true,
boss: true,
eqnull: true,
node: true
},
globals: {
exports: true
}
}
});
// Default task.
grunt.registerTask('default', 'lint test');
}; | 'use strict';
module.exports = function(grunt) {
// Project configuration.
grunt.initConfig({
pkg: '<json:package.json>',
test: {
files: ['test/**/*.js']
},
lint: {
files: ['lib/**/*.js', 'test/**/*.coffee']
},
watch: {
files: ['<config:coffee.app.src>', 'src/**/*.jade'],
tasks: 'coffee cp'
},
coffee: {
app: {
src: ['src/**/*.coffee'],
dest: './lib',
options: {
preserve_dirs: true,
base_path: 'src'
}
}
},
coffeelint: {
all: {
src: ['src/**/*.coffee', 'test/**/*.coffee'],
}
},
clean:{
folder: 'lib'
},
jshint: {
options: {
curly: true,
eqeqeq: true,
immed: true,
latedef: true,
newcap: true,
noarg: true,
sub: true,
undef: true,
boss: true,
eqnull: true,
node: true
},
globals: {
exports: true
}
}
});
// Default task.
grunt.registerTask('default', 'coffeelint coffee');
grunt.loadNpmTasks('grunt-coffee');
grunt.loadNpmTasks('grunt-coffeelint');
grunt.loadNpmTasks('grunt-cp');
grunt.loadNpmTasks('grunt-clean');
}; | Set up for compilation from src to lib | Set up for compilation from src to lib
| JavaScript | mit | ddubyah/thumblr | ---
+++
@@ -1,3 +1,4 @@
+'use strict';
module.exports = function(grunt) {
// Project configuration.
@@ -7,11 +8,29 @@
files: ['test/**/*.js']
},
lint: {
- files: ['grunt.js', 'lib/**/*.js', 'test/**/*.js']
+ files: ['lib/**/*.js', 'test/**/*.coffee']
},
watch: {
- files: '<config:lint.files>',
- tasks: 'default'
+ files: ['<config:coffee.app.src>', 'src/**/*.jade'],
+ tasks: 'coffee cp'
+ },
+ coffee: {
+ app: {
+ src: ['src/**/*.coffee'],
+ dest: './lib',
+ options: {
+ preserve_dirs: true,
+ base_path: 'src'
+ }
+ }
+ },
+ coffeelint: {
+ all: {
+ src: ['src/**/*.coffee', 'test/**/*.coffee'],
+ }
+ },
+ clean:{
+ folder: 'lib'
},
jshint: {
options: {
@@ -34,6 +53,9 @@
});
// Default task.
- grunt.registerTask('default', 'lint test');
-
+ grunt.registerTask('default', 'coffeelint coffee');
+ grunt.loadNpmTasks('grunt-coffee');
+ grunt.loadNpmTasks('grunt-coffeelint');
+ grunt.loadNpmTasks('grunt-cp');
+ grunt.loadNpmTasks('grunt-clean');
}; |
605e59e704422fd780fa23a757a17225c8400255 | index.js | index.js | connect = require('connect');
serveServer = require('serve-static');
jade = require("./lib/processor/jade.js");
function miniharp(root) {
//console.log(root);
var app = connect()
.use(serveServer(root))
.use(jade(root));
return app;
};
module.exports = miniharp; | connect = require('connect');
serveServer = require('serve-static');
jade = require("./lib/processor/jade.js");
less = require("./lib/processor/less.js");
function miniharp(root) {
//console.log(root);
var app = connect()
.use(serveServer(root))
.use(jade(root))
.use(less(root));
return app;
};
module.exports = miniharp; | Add less preprocessor to the mini-harp app | Add less preprocessor to the mini-harp app
| JavaScript | mit | escray/besike-nodejs-harp,escray/besike-nodejs-harp | ---
+++
@@ -1,12 +1,14 @@
connect = require('connect');
serveServer = require('serve-static');
jade = require("./lib/processor/jade.js");
+less = require("./lib/processor/less.js");
function miniharp(root) {
//console.log(root);
var app = connect()
.use(serveServer(root))
- .use(jade(root));
+ .use(jade(root))
+ .use(less(root));
return app;
};
|
75e55d7bd009fcc0bd670c592a34319c8b2655ed | index.js | index.js | 'use strict';
var got = require('got');
var cheerio = require('cheerio');
var md = require('html-md');
module.exports = function(id, callback) {
var url = 'http://www.stm.dk/_p_' + id + '.html';
got(url, function(err, data){
var $ = cheerio.load(data);
var meta = $('meta[name="created"]');
var speech = $('.maininner.maininner-page');
speech.find('h1').remove();
speech.find('.nedtonet').remove();
var data = {
source: url,
date: meta.attr('content'),
html: speech.html(),
markdown: md(speech.html(), {inline: true}).replace(/\\/gi, '')
};
var linkElement = speech.find('a[onclick]');
if(linkElement.length){
var link = linkElement.attr('onclick').split('\'')[1];
linkElement.attr('href', link);
data.video = link;
speech.children().last().remove();
speech.children().last().remove();
speech.children().last().remove();
}
callback(null, data)
});
};
| 'use strict';
var got = require('got');
var cheerio = require('cheerio');
var md = require('html-md');
module.exports = function(id, callback) {
var url = 'http://www.stm.dk/_p_' + id + '.html';
got(url, function(err, data){
var $ = cheerio.load(data);
var meta = $('meta[name="created"]');
var speech = $('.maininner.maininner-page');
speech.find('h1').remove();
speech.find('.nedtonet').remove();
var data = {
source: url,
date: meta.attr('content'),
html: speech.html(),
markdown: md(speech.html(), {inline: true}).replace(/\\/gi, '')
};
var image = speech.find('.a110051').find('img').attr('src');
if(image){
speech.find('.a110051').remove();
image = 'http://www.stm.dk/' + image;
}
var linkElement = speech.find('a[onclick]');
if(linkElement.length){
var link = linkElement.attr('onclick').split('\'')[1];
linkElement.attr('href', link);
data.video = link;
speech.children().last().remove();
speech.children().last().remove();
speech.children().last().remove();
}
callback(null, data)
});
};
| Add image property to callback data | Add image property to callback data
| JavaScript | mit | matiassingers/statsministeriet-speeches-scraper | ---
+++
@@ -22,6 +22,11 @@
html: speech.html(),
markdown: md(speech.html(), {inline: true}).replace(/\\/gi, '')
};
+ var image = speech.find('.a110051').find('img').attr('src');
+ if(image){
+ speech.find('.a110051').remove();
+ image = 'http://www.stm.dk/' + image;
+ }
var linkElement = speech.find('a[onclick]');
if(linkElement.length){ |
3a89935c293c8133ad9dd48c0be01949083a9c4a | client/js/libs/handlebars/colorClass.js | client/js/libs/handlebars/colorClass.js | "use strict";
// Generates a string from "color-1" to "color-32" based on an input string
module.exports = function(str) {
let hash = 0;
for (let i = 0; i < str.length; i++) {
hash += str.charCodeAt(i);
}
return "color-" + (1 + hash % 32);
};
| "use strict";
// Generates a string from "color-1" to "color-32" based on an input string
module.exports = function(str) {
let hash = 0;
for (let i = 0; i < str.length; i++) {
hash += str.charCodeAt(i);
}
/*
Modulo 32 lets us be case insensitive for ascii
due to A being ascii 65 (100 0001)
while a being ascii 97 (110 0001)
*/
return "color-" + (1 + hash % 32);
};
| Add reminder that ascii is awesome. | Add reminder that ascii is awesome.
| JavaScript | mit | thelounge/lounge,MaxLeiter/lounge,realies/lounge,realies/lounge,williamboman/lounge,ScoutLink/lounge,williamboman/lounge,thelounge/lounge,FryDay/lounge,MaxLeiter/lounge,realies/lounge,FryDay/lounge,ScoutLink/lounge,ScoutLink/lounge,MaxLeiter/lounge,williamboman/lounge,FryDay/lounge | ---
+++
@@ -8,5 +8,10 @@
hash += str.charCodeAt(i);
}
+ /*
+ Modulo 32 lets us be case insensitive for ascii
+ due to A being ascii 65 (100 0001)
+ while a being ascii 97 (110 0001)
+ */
return "color-" + (1 + hash % 32);
}; |
854e8f71d40d7d2a077a208f3f6f33f9a0dc23f4 | index.js | index.js | // http://stackoverflow.com/questions/11935175/sampling-a-random-subset-from-an-array
var featureCollection = require('turf-featurecollection');
/**
* Takes a {@link FeatureCollection} and returns a FeatureCollection with given number of {@link Feature|features} at random.
*
* @module turf/sample
* @category data
* @param {FeatureCollection} features a FeatureCollection of any type
* @param {number} n number of features to select
* @return {FeatureCollection} a FeatureCollection with `n` features
* @example
* var points = turf.random('points', 1000);
*
* //=points
*
* var sample = turf.sample(points, 10);
*
* //=sample
*/
module.exports = function(fc, num){
var outFC = featureCollection(getRandomSubarray(fc.features, num));
return outFC;
};
function getRandomSubarray(arr, size) {
var shuffled = arr.slice(0), i = arr.length, min = i - size, temp, index;
while (i-- > min) {
index = Math.floor((i + 1) * Math.random());
temp = shuffled[index];
shuffled[index] = shuffled[i];
shuffled[i] = temp;
}
return shuffled.slice(min);
}
| // http://stackoverflow.com/questions/11935175/sampling-a-random-subset-from-an-array
var featureCollection = require('turf-featurecollection');
/**
* Takes a {@link FeatureCollection} and returns a FeatureCollection with given number of {@link Feature|features} at random.
*
* @module turf/sample
* @category data
* @param {FeatureCollection<(Point|LineString|Polygon)>} features a FeatureCollection of any type
* @param {Number} n number of features to select
* @return {FeatureCollection<(Point|LineString|Polygon)>} a FeatureCollection with `n` features
* @example
* var points = turf.random('points', 1000);
*
* //=points
*
* var sample = turf.sample(points, 10);
*
* //=sample
*/
module.exports = function(fc, num){
var outFC = featureCollection(getRandomSubarray(fc.features, num));
return outFC;
};
function getRandomSubarray(arr, size) {
var shuffled = arr.slice(0), i = arr.length, min = i - size, temp, index;
while (i-- > min) {
index = Math.floor((i + 1) * Math.random());
temp = shuffled[index];
shuffled[index] = shuffled[i];
shuffled[i] = temp;
}
return shuffled.slice(min);
}
| Switch doc to closure compiler templating | Switch doc to closure compiler templating
| JavaScript | mit | Turfjs/turf-sample | ---
+++
@@ -6,9 +6,9 @@
*
* @module turf/sample
* @category data
- * @param {FeatureCollection} features a FeatureCollection of any type
- * @param {number} n number of features to select
- * @return {FeatureCollection} a FeatureCollection with `n` features
+ * @param {FeatureCollection<(Point|LineString|Polygon)>} features a FeatureCollection of any type
+ * @param {Number} n number of features to select
+ * @return {FeatureCollection<(Point|LineString|Polygon)>} a FeatureCollection with `n` features
* @example
* var points = turf.random('points', 1000);
* |
024de1e7eff4e4f688266d14abfe0dbcaedf407e | index.js | index.js | require('./env');
var http = require('http');
var koa = require('koa');
var app = koa();
app.use(require('koa-bodyparser')());
app.use(function *(next) {
if (typeof this.request.body === 'undefined' || this.request.body === null) {
this.request.body = {};
}
yield next;
});
app.use(require('koa-views')('views', { default: 'jade' }));
app.use(function *(next) {
this.api = API;
var token = this.cookies.get('session-token');
if (token) {
this.api.$header('x-session-token', token);
}
yield next;
});
app.use(function *(next) {
try {
yield next;
} catch (err) {
if (err.body) {
if (err.body.status === 401) {
this.redirect('/account/signin');
} else {
this.body = err.body;
}
}
console.error(err.stack);
}
});
require('koa-mount-directory')(app, require('path').join(__dirname, 'routes'));
app.use(require('koa-mount')('/api', require('./api')));
if (require.main === module) {
app.listen($config.port);
} else {
module.exports = app;
}
| require('./env');
var mount = require('koa-mount');
var koa = require('koa');
var app = koa();
app.use(require('koa-bodyparser')());
app.use(function *(next) {
if (typeof this.request.body === 'undefined' || this.request.body === null) {
this.request.body = {};
}
yield next;
});
app.use(mount('/build', require('koa-static')('build', { defer: true })));
app.use(require('koa-views')('views', { default: 'jade' }));
app.use(function *(next) {
this.api = API;
var token = this.cookies.get('session-token');
if (token) {
this.api.$header('x-session-token', token);
}
yield next;
});
app.use(function *(next) {
try {
yield next;
} catch (err) {
if (err.body) {
if (err.body.status === 401) {
this.redirect('/account/signin');
} else {
this.body = err.body;
}
}
console.error(err.stack || err);
}
});
require('koa-mount-directory')(app, require('path').join(__dirname, 'routes'));
app.use(require('koa-mount')('/api', require('./api')));
if (require.main === module) {
app.listen($config.port);
} else {
module.exports = app;
}
| Use koa-static to serve static files | Use koa-static to serve static files
| JavaScript | mit | luin/doclab,luin/doclab | ---
+++
@@ -1,5 +1,5 @@
require('./env');
-var http = require('http');
+var mount = require('koa-mount');
var koa = require('koa');
var app = koa();
@@ -10,6 +10,8 @@
}
yield next;
});
+
+app.use(mount('/build', require('koa-static')('build', { defer: true })));
app.use(require('koa-views')('views', { default: 'jade' }));
app.use(function *(next) {
@@ -32,7 +34,7 @@
this.body = err.body;
}
}
- console.error(err.stack);
+ console.error(err.stack || err);
}
});
|
3b9847a61da0b294ddfee133cda962fa393f914d | client/components/Reaction.js | client/components/Reaction.js | import React, {Component} from 'react'
import './Reaction.sass'
class Reaction extends Component {
constructor() {
super();
this.state = { React: false };
}
componentDidMount() {
var thiz = this;
setTimeout(function () {
thiz.setState({ React: true });
}, Math.random()*5000);
}
render() {
let content = <div className="Ready"> 'READY?!' </div>;
if (this.state.React) {
content = <img className="React-button" src = 'https://s3-us-west-2.amazonaws.com/chicagoview/icons/react-logo.png' />;
}
return (
<div >{content}</div>
);
}
};
export default Reaction
| import React, {Component} from 'react'
import './Reaction.sass'
class Reaction extends Component {
constructor() {
super();
this.state = { React: false };
}
componentDidMount() {
var thiz = this;
setTimeout(function () {
thiz.setState({ React: true });
}, Math.random()*5000);
}
getReactionTime(event) {
let reactionTime = Date.now();
console.log(reactionTime);
return reactionTime;
}
getCreate(event) {
let create = Date.now();
console.log(create);
return create;
}
reactionTimePlayer() {
let timePlayer = getReactionTime() - getCreate();
console.log(timePlayer);
return timePlayer;
}
render() {
let content = <div className="Ready"> 'READY?!' </div>;
if (this.state.React) {
content = <img className="React-button" src = 'https://s3-us-west-2.amazonaws.com/chicagoview/icons/react-logo.png'
onClick={this.getReactionTime.bind(this)} onLoad={this.getCreate.bind(this)} />;
}
return (
<div>
<div className="Random">
{content}
</div>
<div className="time" >
Time: {this.reactionTimePlayer.bind(this)}
</div>
</div>
);
}
};
export default Reaction
| Add OnClick and Onload for reaction and create times | Add OnClick and Onload for reaction and create times
| JavaScript | mit | Jeffrey-Meesters/React-Shoot,Jeffrey-Meesters/React-Shoot | ---
+++
@@ -15,15 +15,43 @@
}, Math.random()*5000);
}
+getReactionTime(event) {
+ let reactionTime = Date.now();
+ console.log(reactionTime);
+ return reactionTime;
+}
+
+getCreate(event) {
+ let create = Date.now();
+ console.log(create);
+ return create;
+
+}
+
+reactionTimePlayer() {
+ let timePlayer = getReactionTime() - getCreate();
+ console.log(timePlayer);
+ return timePlayer;
+}
+
render() {
let content = <div className="Ready"> 'READY?!' </div>;
if (this.state.React) {
- content = <img className="React-button" src = 'https://s3-us-west-2.amazonaws.com/chicagoview/icons/react-logo.png' />;
+ content = <img className="React-button" src = 'https://s3-us-west-2.amazonaws.com/chicagoview/icons/react-logo.png'
+ onClick={this.getReactionTime.bind(this)} onLoad={this.getCreate.bind(this)} />;
}
return (
- <div >{content}</div>
- );
+ <div>
+ <div className="Random">
+ {content}
+ </div>
+ <div className="time" >
+ Time: {this.reactionTimePlayer.bind(this)}
+ </div>
+ </div>
+ );
+
}
};
|
59d6f506b93982816e2f98a76b361b2a9ebd57ac | index.js | index.js | 'use strict';
require('./patch/functionName');
(function (window, document, undefined) {
var oldMappy = window.Mappy
var Mappy = require('./lib/main')
//Node style module export
if (typeof module === 'object' && typeof module.exports === 'object') {
module.exports = Mappy;
}
/**
* Resets the window.Mappy variable to its original state and returns
* the Mappy object
*/
Mappy.noConflict = function () {
window.Mappy = oldMappy;
return this;
};
window.Mappy = Mappy;
})(window, document)
| 'use strict';
(function (window, document, undefined) {
var oldMappy = window.Mappy
var Mappy = require('./lib/main')
//Node style module export
if (typeof module === 'object' && typeof module.exports === 'object') {
module.exports = Mappy;
}
/**
* Resets the window.Mappy variable to its original state and returns
* the Mappy object
*/
Mappy.noConflict = function () {
window.Mappy = oldMappy;
return this;
};
window.Mappy = Mappy;
})(window, document)
| Remove function constructor name patch | Remove function constructor name patch
| JavaScript | mit | mediasuitenz/mappy,mediasuitenz/mappy | ---
+++
@@ -1,6 +1,4 @@
'use strict';
-
-require('./patch/functionName');
(function (window, document, undefined) {
var oldMappy = window.Mappy |
65bb0ff4fce04e58febe70936adf503d432f9d41 | index.js | index.js | #!/usr/bin/env node
var program = require('commander');
var userArgs = process.argv.splice(2);
var message = userArgs.join(' ');
if (message.length > 140) {
console.log('Message was too long. Can only be 140 characters. It was: ', message.length);
process.exit(1);
}
console.log(message);
| #!/usr/bin/env node
var program = require('commander');
var userArgs = process.argv.splice(2);
var message = userArgs.join(' ');
var confluenceUrl = process.env.CONFLUENCE_URL
if (message.length > 140) {
console.log('Message was too long. Can only be 140 characters. It was: ', message.length);
process.exit(1);
}
if (!confluenceUrl) {
console.log('Please set the environment variable CONFLUENCE_URL.')
process.exit(2);
}
console.log(message);
| Read confluence url from env | Read confluence url from env
| JavaScript | mit | tylerpeterson/confluence-user-status | ---
+++
@@ -3,10 +3,16 @@
var program = require('commander');
var userArgs = process.argv.splice(2);
var message = userArgs.join(' ');
+var confluenceUrl = process.env.CONFLUENCE_URL
if (message.length > 140) {
console.log('Message was too long. Can only be 140 characters. It was: ', message.length);
process.exit(1);
}
+if (!confluenceUrl) {
+ console.log('Please set the environment variable CONFLUENCE_URL.')
+ process.exit(2);
+}
+
console.log(message); |
6ec2bff81999a815fe44f1ddf3a02c9edc46829c | index.js | index.js | /*
* gaze
* https://github.com/shama/gaze
*
* Copyright (c) 2014 Kyle Robinson Young
* Licensed under the MIT license.
*/
try {
// Attempt to resolve optional pathwatcher
require('bindings')('pathwatcher.node');
var version = process.versions.node.split('.');
module.exports = (version[0] === '0' && version[1] === '8')
? require('./lib/gaze04.js')
: require('./lib/gaze.js');
} catch (err) {
// Otherwise serve gaze04
module.exports = require('./lib/gaze04.js');
}
| /*
* gaze
* https://github.com/shama/gaze
*
* Copyright (c) 2014 Kyle Robinson Young
* Licensed under the MIT license.
*/
// If on node v0.8, serve gaze04
var version = process.versions.node.split('.');
if (version[0] === '0' && version[1] === '8') {
module.exports = require('./lib/gaze04.js');
} else {
try {
// Check whether pathwatcher successfully built without running it
require('bindings')({ bindings: 'pathwatcher.node', path: true });
// If successfully built, give the better version
module.exports = require('./lib/gaze.js');
} catch (err) {
// Otherwise serve gaze04
module.exports = require('./lib/gaze04.js');
}
}
| Determine whether pathwatcher built without running it. Ref GH-98. | Determine whether pathwatcher built without running it. Ref GH-98.
| JavaScript | mit | bevacqua/gaze,modulexcite/gaze,bevacqua/gaze,prodatakey/gaze,modulexcite/gaze,bevacqua/gaze,prodatakey/gaze,modulexcite/gaze,prodatakey/gaze | ---
+++
@@ -6,14 +6,18 @@
* Licensed under the MIT license.
*/
-try {
- // Attempt to resolve optional pathwatcher
- require('bindings')('pathwatcher.node');
- var version = process.versions.node.split('.');
- module.exports = (version[0] === '0' && version[1] === '8')
- ? require('./lib/gaze04.js')
- : require('./lib/gaze.js');
-} catch (err) {
- // Otherwise serve gaze04
+// If on node v0.8, serve gaze04
+var version = process.versions.node.split('.');
+if (version[0] === '0' && version[1] === '8') {
module.exports = require('./lib/gaze04.js');
+} else {
+ try {
+ // Check whether pathwatcher successfully built without running it
+ require('bindings')({ bindings: 'pathwatcher.node', path: true });
+ // If successfully built, give the better version
+ module.exports = require('./lib/gaze.js');
+ } catch (err) {
+ // Otherwise serve gaze04
+ module.exports = require('./lib/gaze04.js');
+ }
} |
0d0bc8deee992e72d593ec6e4f2cb038eff22614 | index.js | index.js | var httpProxy = require('http-proxy');
var http = require('http');
var CORS_HEADERS = {
'Access-Control-Allow-Origin': '*',
'Access-Control-Allow-Methods': 'HEAD, POST, GET, PUT, PATCH, DELETE',
'Access-Control-Max-Age': '86400',
'Access-Control-Allow-Headers': "X-Requested-With, X-HTTP-Method-Override, Content-Type, Accept"
};
// Create a proxy server pointing at spreadsheets.google.com.
//var proxy = httpProxy.createProxyServer({target: 'https://spreadsheets.google.com'});
var proxy = httpProxy.createProxyServer();
http.createServer(function(req, res) {
if (req.method === 'OPTIONS') {
res.writeHead(200, CORS_HEADERS);
res.end();
return
}
delete req.headers.host;
proxy.web(req, res, {
target: 'https://spreadsheets.google.com:443',
xfwd: false
});
}).listen(process.env.PORT || 5000);
| var httpProxy = require('http-proxy');
var http = require('http');
var CORS_HEADERS = {
'access-control-allow-origin': '*',
'access-control-allow-methods': 'HEAD, POST, GET, PUT, PATCH, DELETE',
'access-control-max-age': '86400',
'access-control-allow-headers': "X-Requested-With, X-HTTP-Method-Override, Content-Type, Accept, Authorization"
};
// Create a proxy server pointing at spreadsheets.google.com.
//var proxy = httpProxy.createProxyServer({target: 'https://spreadsheets.google.com'});
var proxy = httpProxy.createProxyServer();
https.createServer(function(req, res) {
if (req.method === 'OPTIONS') {
// Respond to OPTIONS requests advertising we support full CORS for *
res.writeHead(200, CORS_HEADERS);
res.end();
return
}
// Remove our original host so it doesn't mess up Google's header parsing.
delete req.headers.host;
proxy.web(req, res, {
target: 'https://spreadsheets.google.com:443',
xfwd: false
});
// Add CORS headers to every other request also.
proxy.on('proxyRes', function(proxyRes, req, res) {
for (var key in CORS_HEADERS) {
proxyRes.headers[key] = CORS_HEADERS[key];
}
});
}).listen(process.env.PORT || 5000);
| Fix CORS handling for POST and DELETE | Fix CORS handling for POST and DELETE
| JavaScript | mpl-2.0 | yourcelf/gspreadsheets-cors-proxy | ---
+++
@@ -2,10 +2,10 @@
var http = require('http');
var CORS_HEADERS = {
- 'Access-Control-Allow-Origin': '*',
- 'Access-Control-Allow-Methods': 'HEAD, POST, GET, PUT, PATCH, DELETE',
- 'Access-Control-Max-Age': '86400',
- 'Access-Control-Allow-Headers': "X-Requested-With, X-HTTP-Method-Override, Content-Type, Accept"
+ 'access-control-allow-origin': '*',
+ 'access-control-allow-methods': 'HEAD, POST, GET, PUT, PATCH, DELETE',
+ 'access-control-max-age': '86400',
+ 'access-control-allow-headers': "X-Requested-With, X-HTTP-Method-Override, Content-Type, Accept, Authorization"
};
@@ -13,15 +13,23 @@
//var proxy = httpProxy.createProxyServer({target: 'https://spreadsheets.google.com'});
var proxy = httpProxy.createProxyServer();
-http.createServer(function(req, res) {
+https.createServer(function(req, res) {
if (req.method === 'OPTIONS') {
+ // Respond to OPTIONS requests advertising we support full CORS for *
res.writeHead(200, CORS_HEADERS);
res.end();
return
}
+ // Remove our original host so it doesn't mess up Google's header parsing.
delete req.headers.host;
proxy.web(req, res, {
target: 'https://spreadsheets.google.com:443',
xfwd: false
});
+ // Add CORS headers to every other request also.
+ proxy.on('proxyRes', function(proxyRes, req, res) {
+ for (var key in CORS_HEADERS) {
+ proxyRes.headers[key] = CORS_HEADERS[key];
+ }
+ });
}).listen(process.env.PORT || 5000); |
c722da297169e89fc6d79860c2c305dc3b4a1c60 | index.js | index.js | 'use strict'
var path = require('path')
module.exports = function (file) {
var segments = file.split(path.sep)
var index = segments.lastIndexOf('node_modules')
if (index === -1) return
if (!segments[index + 1]) return
var scoped = segments[index + 1].indexOf('@') === 0
var name = scoped ? segments[index + 1] + '/' + segments[index + 2] : segments[index + 1]
if (!name) return
var offset = scoped ? 3 : 2
return {
name: name,
basedir: segments.slice(0, index + offset).join(path.sep),
path: segments.slice(index + offset).join(path.sep)
}
}
| 'use strict'
var path = require('path')
module.exports = function (file) {
var segments = file.split(path.sep)
var index = segments.lastIndexOf('node_modules')
if (index === -1) return
if (!segments[index + 1]) return
var scoped = segments[index + 1][0] === '@'
var name = scoped ? segments[index + 1] + '/' + segments[index + 2] : segments[index + 1]
if (!name) return
var offset = scoped ? 3 : 2
return {
name: name,
basedir: segments.slice(0, index + offset).join(path.sep),
path: segments.slice(index + offset).join(path.sep)
}
}
| Improve speed of detection of scoped packages | Improve speed of detection of scoped packages
| JavaScript | mit | watson/module-details-from-path | ---
+++
@@ -7,7 +7,7 @@
var index = segments.lastIndexOf('node_modules')
if (index === -1) return
if (!segments[index + 1]) return
- var scoped = segments[index + 1].indexOf('@') === 0
+ var scoped = segments[index + 1][0] === '@'
var name = scoped ? segments[index + 1] + '/' + segments[index + 2] : segments[index + 1]
if (!name) return
var offset = scoped ? 3 : 2 |
66de12f38c0d0021dad895070e9b823d99d433e4 | index.js | index.js | 'use strict';
const YQL = require('yql');
const _ = require('lodash');
module.exports = (opts, callback) => {
opts = opts || [];
let query;
if (_.isEmpty(opts)) {
query = new YQL('select * from weather.forecast where woeid in (select woeid from geo.places(1) where text="Dhaka, Bangladesh")');
} else {
query = new YQL('select * from weather.forecast where woeid in (select woeid from geo.places(1) where text="' + opts[0] + ', ' + opts[1] + '")');
}
query.exec((err, response) => {
if (err) {
return callback(err);
}
callback(null, response);
});
};
| 'use strict';
const axios = require('axios');
const API_URL = 'https://micro-weather.now.sh';
module.exports = (opts) => {
let city = opts[0] || 'Dhaka';
let country = opts[1] || 'Bangladesh';
return axios.get(`${API_URL}?city=${city}&country=${country}`);
};
| Refactor main weather module to use API | Refactor main weather module to use API
Signed-off-by: Riyadh Al Nur <d7e60315016355bdcd32d48dde148183e3d8bb86@verticalaxisbd.com>
| JavaScript | mit | riyadhalnur/weather-cli | ---
+++
@@ -1,24 +1,11 @@
'use strict';
-const YQL = require('yql');
-const _ = require('lodash');
+const axios = require('axios');
+const API_URL = 'https://micro-weather.now.sh';
-module.exports = (opts, callback) => {
- opts = opts || [];
+module.exports = (opts) => {
+ let city = opts[0] || 'Dhaka';
+ let country = opts[1] || 'Bangladesh';
- let query;
-
- if (_.isEmpty(opts)) {
- query = new YQL('select * from weather.forecast where woeid in (select woeid from geo.places(1) where text="Dhaka, Bangladesh")');
- } else {
- query = new YQL('select * from weather.forecast where woeid in (select woeid from geo.places(1) where text="' + opts[0] + ', ' + opts[1] + '")');
- }
-
- query.exec((err, response) => {
- if (err) {
- return callback(err);
- }
-
- callback(null, response);
- });
+ return axios.get(`${API_URL}?city=${city}&country=${country}`);
}; |
69a1ac6f09fef4f7954677a005ebfe32235ed5cd | index.js | index.js | import React from 'react';
import Match from 'react-router/Match';
import Miss from 'react-router/Miss';
import Users from './Users';
class UsersRouting extends React.Component {
NoMatch() {
return <div>
<h2>Uh-oh!</h2>
<p>How did you get to <tt>{this.props.location.pathname}</tt>?</p>
</div>
}
render() {
var pathname = this.props.pathname;
var connect = this.props.connect;
console.log("matching location:", this.props.location.pathname);
return <div>
<h1>Users module</h1>
<Match exactly pattern={`${pathname}`} component={connect(Users)}/>
<Match exactly pattern={`${pathname}/:query`} component={connect(Users)}/>
<Match pattern={`${pathname}/:query?/view/:userid`} component={connect(Users)}/>
<Miss component={this.NoMatch.bind(this)}/>
</div>
}
}
export default UsersRouting;
| import React from 'react';
import Match from 'react-router/Match';
import Miss from 'react-router/Miss';
import Users from './Users';
class UsersRouting extends React.Component {
constructor(props){
super(props);
this.connectedUsers = props.connect(Users);
}
NoMatch() {
return <div>
<h2>Uh-oh!</h2>
<p>How did you get to <tt>{this.props.location.pathname}</tt>?</p>
</div>
}
render() {
var pathname = this.props.pathname;
var connect = this.props.connect;
console.log("matching location:", this.props.location.pathname);
return <div>
<h1>Users module</h1>
<Match exactly pattern={`${pathname}`} component={this.connectedUsers}/>
<Match exactly pattern={`${pathname}/:query`} component={this.connectedUsers}/>
<Match pattern={`${pathname}/:query?/view/:userid`} component={this.connectedUsers}/>
<Miss component={this.NoMatch.bind(this)}/>
</div>
}
}
export default UsersRouting;
| Call connect() on the Users component only once, and cache the result. This seems to fix STRIPES-97 at last! | Call connect() on the Users component only once, and cache the result. This seems to fix STRIPES-97 at last!
| JavaScript | apache-2.0 | folio-org/ui-users,folio-org/ui-users | ---
+++
@@ -4,6 +4,11 @@
import Users from './Users';
class UsersRouting extends React.Component {
+ constructor(props){
+ super(props);
+ this.connectedUsers = props.connect(Users);
+ }
+
NoMatch() {
return <div>
<h2>Uh-oh!</h2>
@@ -18,9 +23,9 @@
return <div>
<h1>Users module</h1>
- <Match exactly pattern={`${pathname}`} component={connect(Users)}/>
- <Match exactly pattern={`${pathname}/:query`} component={connect(Users)}/>
- <Match pattern={`${pathname}/:query?/view/:userid`} component={connect(Users)}/>
+ <Match exactly pattern={`${pathname}`} component={this.connectedUsers}/>
+ <Match exactly pattern={`${pathname}/:query`} component={this.connectedUsers}/>
+ <Match pattern={`${pathname}/:query?/view/:userid`} component={this.connectedUsers}/>
<Miss component={this.NoMatch.bind(this)}/>
</div>
} |
9a7bada461b9c2096b282952333eb6869aa613cb | index.js | index.js | /* jshint node: true */
'use strict';
module.exports = {
name: 'ember-ui-sortable',
included: function(app) {
app.import(app.bowerDirectory + '/jquery-ui/ui/version.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/data.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/ie.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-active-element.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-blur.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/scroll-parent.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widget.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/mouse.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/sortable.js');
}
};
| /* jshint node: true */
'use strict';
module.exports = {
name: 'ember-ui-sortable',
included: function(app) {
app.import(app.bowerDirectory + '/jquery-ui/ui/version.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/data.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/ie.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-active-element.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-blur.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/scroll-parent.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/plugin.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widget.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/mouse.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/draggable.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/sortable.js');
}
};
| Update dependencies to be an exact copy of jquery-ui's custom download option | Update dependencies to be an exact copy of jquery-ui's custom download option
| JavaScript | mit | 12StarsMedia/ember-ui-sortable,12StarsMedia/ember-ui-sortable | ---
+++
@@ -11,8 +11,10 @@
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-active-element.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/safe-blur.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/scroll-parent.js');
+ app.import(app.bowerDirectory + '/jquery-ui/ui/plugin.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widget.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/mouse.js');
+ app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/draggable.js');
app.import(app.bowerDirectory + '/jquery-ui/ui/widgets/sortable.js');
}
}; |
3c660bb65805957ef71481c97277c0093cae856a | tests/integration/lambda-invoke/lambdaInvokeHandler.js | tests/integration/lambda-invoke/lambdaInvokeHandler.js | 'use strict'
const { config, Lambda } = require('aws-sdk')
const { stringify } = JSON
config.update({
accessKeyId: 'ABC',
secretAccessKey: 'SECRET',
})
const lambda = new Lambda({
apiVersion: '2015-03-31',
endpoint: 'http://localhost:3000',
})
exports.noPayload = async function noPayload() {
const params = {
FunctionName: 'lambda-invoke-tests-dev-invokedHandler',
InvocationType: 'RequestResponse',
}
const response = await lambda.invoke(params).promise()
return {
body: stringify(response),
statusCode: 200,
}
}
exports.testHandler = async function testHandler() {
const params = {
FunctionName: 'lambda-invoke-tests-dev-invokedHandler',
InvocationType: 'RequestResponse',
Payload: stringify({ event: { foo: 'bar' } }),
}
const response = await lambda.invoke(params).promise()
return {
body: stringify(response),
statusCode: 200,
}
}
exports.invokedHandler = async function invokedHandler(event) {
return {
event,
}
}
| 'use strict'
const { config, Lambda } = require('aws-sdk')
const { stringify } = JSON
config.update({
accessKeyId: 'ABC',
secretAccessKey: 'SECRET',
})
const lambda = new Lambda({
apiVersion: '2015-03-31',
endpoint: 'http://localhost:3000',
})
exports.noPayload = async function noPayload() {
const params = {
FunctionName: 'lambda-invoke-tests-dev-invokedHandler',
InvocationType: 'RequestResponse',
}
const response = await lambda.invoke(params).promise()
return {
body: stringify(response),
statusCode: 200,
}
}
exports.testHandler = async function testHandler() {
const params = {
FunctionName: 'lambda-invoke-tests-dev-invokedHandler',
InvocationType: 'RequestResponse',
Payload: stringify({ foo: 'bar' }),
}
const response = await lambda.invoke(params).promise()
return {
body: stringify(response),
statusCode: 200,
}
}
exports.invokedHandler = async function invokedHandler(event) {
return {
event,
}
}
| Fix lambda invoke with no payload | Fix lambda invoke with no payload
| JavaScript | mit | dherault/serverless-offline,dherault/serverless-offline,dherault/serverless-offline,dherault/serverless-offline,dherault/serverless-offline,dherault/serverless-offline,dherault/serverless-offline | ---
+++
@@ -32,7 +32,7 @@
const params = {
FunctionName: 'lambda-invoke-tests-dev-invokedHandler',
InvocationType: 'RequestResponse',
- Payload: stringify({ event: { foo: 'bar' } }),
+ Payload: stringify({ foo: 'bar' }),
}
const response = await lambda.invoke(params).promise() |
9a38407db4740cb027f40cf2dbd7c4fbf3996816 | test/e2e/view-offender-manager-overview.js | test/e2e/view-offender-manager-overview.js | const expect = require('chai').expect
const dataHelper = require('../helpers/data/aggregated-data-helper')
var workloadOwnerId
var workloadOwnerGrade
describe('View overview', function () {
before(function () {
return dataHelper.selectIdsForWorkloadOwner()
.then(function (results) {
var workloadOwnerIds = results.filter((item) => item.table === 'workload_owner')
workloadOwnerId = workloadOwnerIds[workloadOwnerIds.length - 1].id
return results
})
.then(function (results) {
dataHelper.selectGradeForWorkloadOwner(workloadOwnerId)
.then(function (gradeResult) {
workloadOwnerGrade = gradeResult
})
})
})
it('should navigate to the overview page', function () {
return browser.url('/offender-manager/' + workloadOwnerId + '/overview')
.waitForExist('.breadcrumbs')
.waitForExist('.sln-subnav')
.waitForExist('.sln-grade')
.getText('.sln-grade')
.then(function (text) {
expect(text).to.equal(workloadOwnerGrade)
})
})
})
| const expect = require('chai').expect
const dataHelper = require('../helpers/data/aggregated-data-helper')
var workloadOwnerId
var workloadOwnerGrade
describe('View overview', function () {
before(function () {
return dataHelper.selectIdsForWorkloadOwner()
.then(function (results) {
var workloadOwnerIds = results.filter((item) => item.table === 'workload_owner')
workloadOwnerId = workloadOwnerIds[0].id
return results
})
.then(function (results) {
dataHelper.selectGradeForWorkloadOwner(workloadOwnerId)
.then(function (gradeResult) {
workloadOwnerGrade = gradeResult
})
})
})
it('should navigate to the overview page', function () {
return browser.url('/offender-manager/' + workloadOwnerId + '/overview')
.waitForExist('.breadcrumbs')
.waitForExist('.sln-subnav')
.waitForExist('.sln-grade')
.getText('.sln-grade')
.then(function (text) {
expect(text).to.equal(workloadOwnerGrade)
})
})
})
| Use the first workload owner id in e2e test | Use the first workload owner id in e2e test
| JavaScript | mit | ministryofjustice/wmt-web,ministryofjustice/wmt-web | ---
+++
@@ -10,7 +10,7 @@
return dataHelper.selectIdsForWorkloadOwner()
.then(function (results) {
var workloadOwnerIds = results.filter((item) => item.table === 'workload_owner')
- workloadOwnerId = workloadOwnerIds[workloadOwnerIds.length - 1].id
+ workloadOwnerId = workloadOwnerIds[0].id
return results
})
.then(function (results) { |
72be6e08669779cbd6a6ed55d56cfb45b857dc95 | share/spice/tfl_status/tfl_status.js | share/spice/tfl_status/tfl_status.js | (function (env) {
"use strict";
env.ddg_spice_tfl_status = function(api_result){
Spice.add({
id: "tfl_status",
name: "Travel",
data: api_result,
meta: {
sourceName: "tfl.gov.uk",
sourceUrl: 'http://tfl.gov.uk/tube-dlr-overground/status/#line-' + api_result.id,
},
templates: {
group: 'base',
options: {
content: Spice.tfl_status.content,
moreAt: true
}
}
});
};
}(this));
| (function (env) {
"use strict";
env.ddg_spice_tfl_status = function(api_result){
Spice.add({
id: "tfl_status",
name: "Travel",
data: api_result,
meta: {
sourceName: "tfl.gov.uk",
sourceUrl: 'http://tfl.gov.uk/tube-dlr-overground/status/#line-' + api_result[0].id,
},
templates: {
group: 'base',
options: {
content: Spice.tfl_status.content,
moreAt: true
}
}
});
};
}(this));
| Fix for the "More at..." link to correct lineId | Fix for the "More at..." link to correct lineId
The sourceUrl link which controls the "More at tfl.gov.uk" href is now
fixed to link to the correct anchor for the line in question. This will
open the further information accordion and zoom the SVG map to the
correct line. (There appears to be an issue with the lineIds being incorrect on the
map on tfl.gov.uk at the moment?)
| JavaScript | apache-2.0 | sagarhani/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,levaly/zeroclickinfo-spice,lernae/zeroclickinfo-spice,levaly/zeroclickinfo-spice,mayo/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,deserted/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,lerna/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,ppant/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,loganom/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,loganom/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,levaly/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,sevki/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,stennie/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,soleo/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,mayo/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,loganom/zeroclickinfo-spice,P71/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,echosa/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,imwally/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,echosa/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,imwally/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,echosa/zeroclickinfo-spice,stennie/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,soleo/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,stennie/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,imwally/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,echosa/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,ppant/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,imwally/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,lernae/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,lernae/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,sevki/zeroclickinfo-spice,bdjnk/zeroclickinfo-spice,levaly/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,lernae/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,MoriTanosuke/zeroclickinfo-spice,soleo/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,levaly/zeroclickinfo-spice,Faiz7412/zeroclickinfo-spice,claytonspinner/zeroclickinfo-spice,mayo/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,gautamkrishnar/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,GrandpaCardigan/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,stennie/zeroclickinfo-spice,jyounker/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,lernae/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,deserted/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,dachinzo/zeroclickinfo-spice,imwally/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,soleo/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,marianosimone/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,sevki/zeroclickinfo-spice,kevintab95/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,deserted/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,loganom/zeroclickinfo-spice,soleo/zeroclickinfo-spice,lerna/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,hshackathons/zeroclickinfo-spice,sevki/zeroclickinfo-spice,ppant/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,lw7360/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,P71/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,lerna/zeroclickinfo-spice,mayo/zeroclickinfo-spice,andrey-p/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,Dwaligon/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,bibliotechy/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,TomBebbington/zeroclickinfo-spice,lerna/zeroclickinfo-spice,toenu23/zeroclickinfo-spice,samskeller/zeroclickinfo-spice,levaly/zeroclickinfo-spice,deserted/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,AcriCAA/zeroclickinfo-spice,P71/zeroclickinfo-spice,whalenrp/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,dheeraj143/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,bigcurl/zeroclickinfo-spice,digit4lfa1l/zeroclickinfo-spice,ppant/zeroclickinfo-spice,lerna/zeroclickinfo-spice,lernae/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,stevenmg/zeroclickinfo-spice,cylgom/zeroclickinfo-spice,echosa/zeroclickinfo-spice,xaviervalarino/zeroclickinfo-spice,evejweinberg/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,mohan08p/zeroclickinfo-spice,deserted/zeroclickinfo-spice,navjotahuja92/zeroclickinfo-spice,P71/zeroclickinfo-spice,brianrisk/zeroclickinfo-spice,Queeniebee/zeroclickinfo-spice,tagawa/zeroclickinfo-spice,deserted/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,sagarhani/zeroclickinfo-spice,timeanddate/zeroclickinfo-spice,soleo/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,Retrobottega/zeroclickinfo-spice,rmad17/zeroclickinfo-spice,shyamalschandra/zeroclickinfo-spice,mr-karan/zeroclickinfo-spice,iambibhas/zeroclickinfo-spice,ScreapDK/zeroclickinfo-spice,Kakkoroid/zeroclickinfo-spice,ColasBroux/zeroclickinfo-spice,rubinovitz/zeroclickinfo-spice,Kr1tya3/zeroclickinfo-spice,alexandernext/zeroclickinfo-spice,dogomedia/zeroclickinfo-spice | ---
+++
@@ -8,7 +8,7 @@
data: api_result,
meta: {
sourceName: "tfl.gov.uk",
- sourceUrl: 'http://tfl.gov.uk/tube-dlr-overground/status/#line-' + api_result.id,
+ sourceUrl: 'http://tfl.gov.uk/tube-dlr-overground/status/#line-' + api_result[0].id,
},
templates: {
group: 'base', |
798f0a318578df8f91744accf1ec1a55310ee6ef | docs/ember-cli-build.js | docs/ember-cli-build.js | /*jshint node:true*/
/* global require, module */
var EmberApp = require('ember-cli/lib/broccoli/ember-app');
module.exports = function(defaults) {
var app = new EmberApp(defaults, {
// Add options here
});
// Use `app.import` to add additional libraries to the generated
// output files.
//
// If you need to use different assets in different
// environments, specify an object as the first parameter. That
// object's keys should be the environment name and the values
// should be the asset to use in that environment.
//
// If the library that you are including contains AMD or ES6
// modules that you would like to import into your application
// please specify an object with the list of modules as keys
// along with the exports of each module as its value.
return app.toTree();
};
| /*jshint node:true*/
/* global require, module */
var EmberApp = require('ember-cli/lib/broccoli/ember-app');
module.exports = function(defaults) {
var app = new EmberApp(defaults, {
fingerprint: {
prepend: '/Julz.jl/'
}
});
// Use `app.import` to add additional libraries to the generated
// output files.
//
// If you need to use different assets in different
// environments, specify an object as the first parameter. That
// object's keys should be the environment name and the values
// should be the asset to use in that environment.
//
// If the library that you are including contains AMD or ES6
// modules that you would like to import into your application
// please specify an object with the list of modules as keys
// along with the exports of each module as its value.
return app.toTree();
};
| Prepend ember fingerprints with Julz.jl path | Prepend ember fingerprints with Julz.jl path | JavaScript | mit | djsegal/julz,djsegal/julz | ---
+++
@@ -4,7 +4,9 @@
module.exports = function(defaults) {
var app = new EmberApp(defaults, {
- // Add options here
+ fingerprint: {
+ prepend: '/Julz.jl/'
+ }
});
// Use `app.import` to add additional libraries to the generated |
b1d90a138b7d285c0764d930b5b430b4e49ac2b0 | milliseconds-to-iso-8601-duration.js | milliseconds-to-iso-8601-duration.js | (function (millisecondsToISO8601Duration) {
'use strict';
millisecondsToISO8601Duration.iso8601duration = function(milliseconds) {
var offset = Math.floor(milliseconds);
var milliseconds = offset % 1000;
offset = Math.floor(offset / 1000);
var seconds = offset % 60;
offset = Math.floor(offset / 60);
var minutes = offset % 60;
offset = Math.floor(offset / 60);
var hours = offset % 24;
var days = Math.floor(offset / 24);
var parts = ['P'];
if (days) {
parts.push(days + 'D');
}
if (hours || minutes || seconds || milliseconds) {
parts.push('T');
if (hours) {
parts.push(hours + 'H');
}
if (minutes) {
parts.push(minutes + 'M');
}
if (seconds || milliseconds) {
parts.push(seconds);
if (milliseconds) {
parts.push('.' + milliseconds);
}
parts.push('S');
}
}
return parts.join('')
};
})(typeof exports === 'undefined' ? millisecondsToISO8601Duration = {} : exports);
| (function (millisecondsToISO8601Duration) {
'use strict';
millisecondsToISO8601Duration.iso8601duration = function(milliseconds) {
var offset = Math.floor(milliseconds);
var milliseconds = offset % 1000;
offset = Math.floor(offset / 1000);
var seconds = offset % 60;
offset = Math.floor(offset / 60);
var minutes = offset % 60;
offset = Math.floor(offset / 60);
var hours = offset % 24;
var days = Math.floor(offset / 24);
var parts = ['P'];
if (days) {
parts.push(days + 'D');
}
if (hours || minutes || seconds || milliseconds) {
parts.push('T');
if (hours) {
parts.push(hours + 'H');
}
if (minutes) {
parts.push(minutes + 'M');
}
if (seconds || milliseconds) {
parts.push(seconds);
if (milliseconds) {
milliseconds = milliseconds.toString();
while (milliseconds.length < 3) {
milliseconds = '0' + milliseconds;
}
parts.push('.' + milliseconds);
}
parts.push('S');
}
}
return parts.join('')
};
})(typeof exports === 'undefined' ? millisecondsToISO8601Duration = {} : exports);
| Handle zero-padding for millisecond component | Handle zero-padding for millisecond component
Fixes tests for 1 and 12 milliseconds.
| JavaScript | mit | wking/milliseconds-to-iso-8601-duration,wking/milliseconds-to-iso-8601-duration | ---
+++
@@ -26,6 +26,10 @@
if (seconds || milliseconds) {
parts.push(seconds);
if (milliseconds) {
+ milliseconds = milliseconds.toString();
+ while (milliseconds.length < 3) {
+ milliseconds = '0' + milliseconds;
+ }
parts.push('.' + milliseconds);
}
parts.push('S'); |
955e8af495b9e43585fd088c8ed21fa92fb6307b | imports/api/events.js | imports/api/events.js | import { Mongo } from 'meteor/mongo';
export const Events = new Mongo.Collection('events');
| import { Mongo } from 'meteor/mongo';
import { ValidatedMethod } from 'meteor/mdg:validated-method';
import { SimpleSchema } from 'meteor/aldeed:simple-schema';
export const Events = new Mongo.Collection('events');
Events.deny({
insert() {
return true;
},
update() {
return true;
},
remove() {
return true;
}
});
export const createEvent = new ValidatedMethod({
name: 'events.create',
validate: new SimpleSchema({
name: { type: String },
place: { type: String },
type: { type: String },
description: { type: String },
when: { type: Date },
howMany: { type: Number }
}).validator(),
run({ name, place, type, description, when, howMany }) {
if (!this.userId) {
throw new Meteor.Error('not-authorized');
}
return Events.insert({
owner: this.userId,
name,
place,
type,
description,
when,
howMany
});
}
});
| Add method to create an event | Add method to create an event
| JavaScript | mit | f-martinez11/ActiveU,f-martinez11/ActiveU | ---
+++
@@ -1,3 +1,43 @@
import { Mongo } from 'meteor/mongo';
+import { ValidatedMethod } from 'meteor/mdg:validated-method';
+import { SimpleSchema } from 'meteor/aldeed:simple-schema';
export const Events = new Mongo.Collection('events');
+
+Events.deny({
+ insert() {
+ return true;
+ },
+ update() {
+ return true;
+ },
+ remove() {
+ return true;
+ }
+});
+
+export const createEvent = new ValidatedMethod({
+ name: 'events.create',
+ validate: new SimpleSchema({
+ name: { type: String },
+ place: { type: String },
+ type: { type: String },
+ description: { type: String },
+ when: { type: Date },
+ howMany: { type: Number }
+ }).validator(),
+ run({ name, place, type, description, when, howMany }) {
+ if (!this.userId) {
+ throw new Meteor.Error('not-authorized');
+ }
+ return Events.insert({
+ owner: this.userId,
+ name,
+ place,
+ type,
+ description,
+ when,
+ howMany
+ });
+ }
+}); |
c335e4816d0d7037dc2d9ea3fb02005612e16d9a | rollup.config.js | rollup.config.js | import uglify from "rollup-plugin-uglify"
export default {
plugins: [
uglify()
]
}
| import uglify from "rollup-plugin-uglify"
export default {
plugins: [
uglify({
compress: {
collapse_vars: true,
pure_funcs: ["Object.defineProperty"]
}
})
]
}
| Optimize uglifyjs's output via options. | Optimize uglifyjs's output via options.
| JavaScript | mit | jbucaran/hyperapp,hyperapp/hyperapp,hyperapp/hyperapp | ---
+++
@@ -2,7 +2,11 @@
export default {
plugins: [
- uglify()
+ uglify({
+ compress: {
+ collapse_vars: true,
+ pure_funcs: ["Object.defineProperty"]
+ }
+ })
]
}
- |
fd9b4b9c8f7196269f84a77522bf3fd90ee360ff | www/js/load-ionic.js | www/js/load-ionic.js | (function () {
var options = (function () {
// Holy shit
var optionsArray = location.href.split('?')[1].split('#')[0].split('=')
var result = {}
optionsArray.forEach(function (value, index) {
// 0 is a property name and 1 the value of 0
if (index % 2 === 1) {
return
}
result[value] = optionsArray[index + 1]
});
return result
}())
var toLoadSrc;
if (options.ionic === 'build') {
toLoadSrc = 'lib/ionic/local/ionic.bundle.js'
} else if (options.ionic === 'local' || !options.ionic) {
toLoadSrc = 'lib/ionic/js/ionic.bundle.js'
} else {
// Use options.ionic as ionic version
toLoadSrc = '//code.ionicframework.com/' + options.ionic + '/js/ionic.bundle.min.js'
}
console.log('Ionic From')
console.log(toLoadSrc)
document.write('<script src="'+ toLoadSrc +'"></script>')
}())
| (function () {
var options = (function () {
// Holy shit
var optionsArray
var result = {}
try {
optionsArray = location.href.split('?')[1].split('#')[0].split('=')
} catch (e) {
return {}
}
optionsArray.forEach(function (value, index) {
// 0 is a property name and 1 the value of 0
if (index % 2 === 1) {
return
}
result[value] = optionsArray[index + 1]
});
return result
}())
var toLoadSrc;
if (options.ionic === 'build') {
toLoadSrc = 'lib/ionic/local/ionic.bundle.js'
} else if (options.ionic === 'local' || !options.ionic) {
toLoadSrc = 'lib/ionic/js/ionic.bundle.js'
} else {
// Use options.ionic as ionic version
toLoadSrc = '//code.ionicframework.com/' + options.ionic + '/js/ionic.bundle.min.js'
}
console.log('Ionic From')
console.log(toLoadSrc)
document.write('<script src="'+ toLoadSrc +'"></script>')
}())
| Fix error `cannot read split of undefined` | Fix error `cannot read split of undefined`
| JavaScript | mit | IonicBrazil/ionic-garden,Jandersoft/ionic-garden,IonicBrazil/ionic-garden,Jandersoft/ionic-garden | ---
+++
@@ -2,8 +2,14 @@
var options = (function () {
// Holy shit
- var optionsArray = location.href.split('?')[1].split('#')[0].split('=')
+ var optionsArray
var result = {}
+
+ try {
+ optionsArray = location.href.split('?')[1].split('#')[0].split('=')
+ } catch (e) {
+ return {}
+ }
optionsArray.forEach(function (value, index) {
// 0 is a property name and 1 the value of 0 |
7571f2b5b4ecca329cf508ef07dd113e6dbe53fc | resources/assets/js/bootstrap.js | resources/assets/js/bootstrap.js |
window._ = require('lodash');
/**
* We'll load jQuery and the Bootstrap jQuery plugin which provides support
* for JavaScript based Bootstrap features such as modals and tabs. This
* code may be modified to fit the specific needs of your application.
*/
window.$ = window.jQuery = require('jquery');
require('bootstrap-sass/assets/javascripts/bootstrap');
/**
* Vue is a modern JavaScript library for building interactive web interfaces
* using reactive data binding and reusable components. Vue's API is clean
* and simple, leaving you to focus on building your next great project.
*/
window.Vue = require('vue');
require('vue-resource');
/**
* We'll register a HTTP interceptor to attach the "CSRF" header to each of
* the outgoing requests issued by this application. The CSRF middleware
* included with Laravel will automatically verify the header's value.
*/
Vue.http.interceptors.push((request, next) => {
request.headers['X-CSRF-TOKEN'] = Laravel.csrfToken;
next();
});
/**
* Echo exposes an expressive API for subscribing to channels and listening
* for events that are broadcast by Laravel. Echo and event broadcasting
* allows your team to easily build robust real-time web applications.
*/
// import Echo from "laravel-echo"
// window.Echo = new Echo({
// broadcaster: 'pusher',
// key: 'your-pusher-key'
// });
|
window._ = require('lodash');
/**
* We'll load jQuery and the Bootstrap jQuery plugin which provides support
* for JavaScript based Bootstrap features such as modals and tabs. This
* code may be modified to fit the specific needs of your application.
*/
window.$ = window.jQuery = require('jquery');
require('bootstrap-sass');
/**
* Vue is a modern JavaScript library for building interactive web interfaces
* using reactive data binding and reusable components. Vue's API is clean
* and simple, leaving you to focus on building your next great project.
*/
window.Vue = require('vue');
require('vue-resource');
/**
* We'll register a HTTP interceptor to attach the "CSRF" header to each of
* the outgoing requests issued by this application. The CSRF middleware
* included with Laravel will automatically verify the header's value.
*/
Vue.http.interceptors.push((request, next) => {
request.headers['X-CSRF-TOKEN'] = Laravel.csrfToken;
next();
});
/**
* Echo exposes an expressive API for subscribing to channels and listening
* for events that are broadcast by Laravel. Echo and event broadcasting
* allows your team to easily build robust real-time web applications.
*/
// import Echo from "laravel-echo"
// window.Echo = new Echo({
// broadcaster: 'pusher',
// key: 'your-pusher-key'
// });
| Use module name instead of path | Use module name instead of path | JavaScript | apache-2.0 | zhiyicx/thinksns-plus,beautifultable/phpwind,cbnuke/FilesCollection,orckid-lab/dashboard,zeropingheroes/lanyard,slimkit/thinksns-plus,tinywitch/laravel,hackel/laravel,cbnuke/FilesCollection,zhiyicx/thinksns-plus,zeropingheroes/lanyard,remxcode/laravel-base,hackel/laravel,orckid-lab/dashboard,beautifultable/phpwind,zeropingheroes/lanyard,remxcode/laravel-base,slimkit/thinksns-plus,hackel/laravel | ---
+++
@@ -8,7 +8,7 @@
*/
window.$ = window.jQuery = require('jquery');
-require('bootstrap-sass/assets/javascripts/bootstrap');
+require('bootstrap-sass');
/**
* Vue is a modern JavaScript library for building interactive web interfaces |
b26c2afa7c54ead6d5c3ed608bc45a31e9d51e0f | addon/components/scroll-to-here.js | addon/components/scroll-to-here.js | import Ember from 'ember';
import layout from '../templates/components/scroll-to-here';
export default Ember.Component.extend({
layout: layout
});
| import Ember from 'ember';
import layout from '../templates/components/scroll-to-here';
let $ = Ember.$;
function Window() {
let w = $(window);
this.top = w.scrollTop();
this.bottom = this.top + (w.prop('innerHeight') || w.height());
}
function Target(selector) {
let target = $(selector);
this.isEmpty = !target.length;
this.top = target.offset().top;
this.bottom = this.top + target.height();
}
Target.prototype.isOffscreen = function() {
let w = new Window();
return this.top < w.top || this.bottom > w.bottom;
};
Target.prototype.scroll = function() {
if (!this.isEmpty && this.isOffscreen()) {
Ember.run.schedule('afterRender', () => {
$('html,body').animate({ scrollTop: this.top }, 1000);
});
}
};
function scrollTo(selector) {
new Target(selector).scroll();
}
export default Ember.Component.extend({
layout: layout,
scrollToComponent: Ember.on('didInsertElement', function() {
scrollTo(`#${this.elementId}`);
})
});
| Add scroll to here logic | Add scroll to here logic
| JavaScript | mit | ember-montevideo/ember-cli-scroll-to-here,ember-montevideo/ember-cli-scroll-to-here | ---
+++
@@ -1,6 +1,45 @@
import Ember from 'ember';
import layout from '../templates/components/scroll-to-here';
+let $ = Ember.$;
+
+function Window() {
+ let w = $(window);
+
+ this.top = w.scrollTop();
+ this.bottom = this.top + (w.prop('innerHeight') || w.height());
+}
+
+function Target(selector) {
+ let target = $(selector);
+
+ this.isEmpty = !target.length;
+ this.top = target.offset().top;
+ this.bottom = this.top + target.height();
+}
+
+Target.prototype.isOffscreen = function() {
+ let w = new Window();
+
+ return this.top < w.top || this.bottom > w.bottom;
+};
+
+Target.prototype.scroll = function() {
+ if (!this.isEmpty && this.isOffscreen()) {
+ Ember.run.schedule('afterRender', () => {
+ $('html,body').animate({ scrollTop: this.top }, 1000);
+ });
+ }
+};
+
+function scrollTo(selector) {
+ new Target(selector).scroll();
+}
+
export default Ember.Component.extend({
- layout: layout
+ layout: layout,
+
+ scrollToComponent: Ember.on('didInsertElement', function() {
+ scrollTo(`#${this.elementId}`);
+ })
}); |
e5350251a99d92dc75c3db04674ed6044029f920 | addon/initializers/simple-token.js | addon/initializers/simple-token.js | import TokenAuthenticator from '../authenticators/token';
export function initialize(application) {
application.register('authenticator:token', TokenAuthenticator);
}
export default {
name: 'simple-token',
initialize
};
| import TokenAuthenticator from '../authenticators/token';
import TokenAuthorizer from '../authorizers/token';
export function initialize(application) {
application.register('authenticator:token', TokenAuthenticator);
application.register('authorizer:token', TokenAuthorizer);
}
export default {
name: 'simple-token',
initialize
};
| Fix authorizer missing from container | Fix authorizer missing from container
Using routes with authorization was failing because the container didn't
contain a definition for the factory. Adding the authorizer in the
initialization fixes this.
Fixes issue #6
| JavaScript | mit | datajohnny/ember-simple-token,datajohnny/ember-simple-token | ---
+++
@@ -1,7 +1,9 @@
import TokenAuthenticator from '../authenticators/token';
+import TokenAuthorizer from '../authorizers/token';
export function initialize(application) {
application.register('authenticator:token', TokenAuthenticator);
+ application.register('authorizer:token', TokenAuthorizer);
}
export default { |
6ba02cc85b13ddd89ef7a787feee9398dff24c68 | scripts/start.js | scripts/start.js | // This script is used to serve the built files in production and proxy api requests to the service.
// Would be preferrable to replace with apache.
const express = require('express');
const proxy = require('express-http-proxy');
const compression = require('compression');
const path = require('path');
const app = express();
// function forceHttps(request, response, next) {
// if (request.headers['x-forwarded-proto'] !== 'https') {
// return response.redirect(301, `https://${request.get('host')}${request.url}`);
// }
// return next();
// }
app.use(compression());
// app.use(forceHttps);
app.use(express.static(path.join(__dirname, '..', 'build')));
app.use('/api', proxy('https://onboarding-service.tuleva.ee'));
app.get('/.well-known/acme-challenge/aqfyXwYn_9RtkQy64cwXdzMrRpjW2B4MwtUbtl7kKPk', (request, response) =>
response.send('aqfyXwYn_9RtkQy64cwXdzMrRpjW2B4MwtUbtl7kKPk.EMEBBxvSam3n_ien1J0z4dXeTuc2JuR3HqfAP6teLjE'));
app.get('*', (request, response) =>
response.sendFile(path.join(__dirname, '..', 'build', 'index.html')));
const port = process.env.PORT || 8080;
app.listen(port, () => console.log(`Static server running on ${port}`)); // eslint-disable-line
| // This script is used to serve the built files in production and proxy api requests to the service.
// Would be preferrable to replace with apache.
const express = require('express');
const proxy = require('express-http-proxy');
const compression = require('compression');
const path = require('path');
const app = express();
function forceHttps(request, response, next) {
if (request.headers['x-forwarded-proto'] !== 'https') {
return response.redirect(301, `https://${request.get('host')}${request.url}`);
}
return next();
}
app.use(compression());
app.use(forceHttps);
app.use(express.static(path.join(__dirname, '..', 'build')));
app.use('/api', proxy('https://onboarding-service.tuleva.ee'));
app.get('*', (request, response) =>
response.sendFile(path.join(__dirname, '..', 'build', 'index.html')));
const port = process.env.PORT || 8080;
app.listen(port, () => console.log(`Static server running on ${port}`)); // eslint-disable-line
| Remove acme challenge and enable forcing https | Remove acme challenge and enable forcing https
| JavaScript | mit | TulevaEE/onboarding-client,TulevaEE/onboarding-client,TulevaEE/onboarding-client | ---
+++
@@ -8,20 +8,17 @@
const app = express();
-// function forceHttps(request, response, next) {
-// if (request.headers['x-forwarded-proto'] !== 'https') {
-// return response.redirect(301, `https://${request.get('host')}${request.url}`);
-// }
-// return next();
-// }
+function forceHttps(request, response, next) {
+ if (request.headers['x-forwarded-proto'] !== 'https') {
+ return response.redirect(301, `https://${request.get('host')}${request.url}`);
+ }
+ return next();
+}
app.use(compression());
-// app.use(forceHttps);
+app.use(forceHttps);
app.use(express.static(path.join(__dirname, '..', 'build')));
app.use('/api', proxy('https://onboarding-service.tuleva.ee'));
-
-app.get('/.well-known/acme-challenge/aqfyXwYn_9RtkQy64cwXdzMrRpjW2B4MwtUbtl7kKPk', (request, response) =>
- response.send('aqfyXwYn_9RtkQy64cwXdzMrRpjW2B4MwtUbtl7kKPk.EMEBBxvSam3n_ien1J0z4dXeTuc2JuR3HqfAP6teLjE'));
app.get('*', (request, response) =>
response.sendFile(path.join(__dirname, '..', 'build', 'index.html'))); |
0095363683a71a75de3da3470fc65fe4aa7da5ab | src/client/js/controllers/plusMin.js | src/client/js/controllers/plusMin.js | import app from '../app';
import '../services/PlusMinClient';
app.controller('plusMinController', function ($element, $scope, $http, PlusMinClient) {
let client = PlusMinClient;
$scope.state = 'loading';
$scope.toState = function (state) {
$scope.state = state;
};
$scope.openList = function (list) {
$scope.list = list;
$scope.list.new = false;
$scope.state = 'editList';
};
$scope.openNewList = function () {
$scope.list = {
new: true,
positives: [],
negatives: []
};
$scope.state = 'editList';
};
client.loadLists().then(function (request) {
let lists = request.data;
if (lists.length < 2) {
$scope.state = 'editList';
if (lists.length === 0) {
$scope.list = {
new: true,
positives: [{
title: 'Positief dingetje 1'
}, {
title: 'Positief dingetje 2'
}, {
title: 'Positief dingetje 3'
}],
negatives: [{
title: 'Negatief dingetje 1'
}]
};
} else {
$scope.list = lists[0];
$scope.list.new = false;
}
} else {
$scope.state = 'selectList';
$scope.lists = lists;
}
});
});
| import app from '../app';
import '../services/PlusMinClient';
app.controller('plusMinController', function ($element, $scope, $http, PlusMinClient) {
let client = PlusMinClient;
$scope.state = 'loading';
$scope.toState = function (state) {
$scope.state = state;
};
$scope.openList = function (list) {
$scope.list = list;
$scope.list.new = false;
$scope.state = 'editList';
};
$scope.openNewList = function () {
$scope.list = {
new: true,
positives: [],
negatives: []
};
$scope.state = 'editList';
};
client.loadLists().then(function (request) {
let lists = request.data;
if (lists.length < 2) {
$scope.state = 'editList';
if (lists.length === 0) {
$scope.list = {
new: true,
positives: [],
negatives: []
};
} else {
$scope.list = lists[0];
$scope.list.new = false;
}
} else {
$scope.state = 'selectList';
$scope.lists = lists;
}
});
});
| Add list editor and list selector | Add list editor and list selector
| JavaScript | mit | LuudJanssen/plus-min-list,LuudJanssen/plus-min-list,LuudJanssen/plus-min-list | ---
+++
@@ -33,16 +33,8 @@
if (lists.length === 0) {
$scope.list = {
new: true,
- positives: [{
- title: 'Positief dingetje 1'
- }, {
- title: 'Positief dingetje 2'
- }, {
- title: 'Positief dingetje 3'
- }],
- negatives: [{
- title: 'Negatief dingetje 1'
- }]
+ positives: [],
+ negatives: []
};
} else {
$scope.list = lists[0]; |
1adbfa5376dc39faacbc4993a64c599409aadff4 | static/js/order_hardware_software.js | static/js/order_hardware_software.js | $(document).ready(function () {
if (!id_category_0.checked && !id_category_1.checked){
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
}
$("#id_category_0").click(function () {
$("#id_institution").parents('.row').show();
$("#id_department").parents('.row').show();
});
$("#id_category_1").click(function () {
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
});
});
function ajax_filter_departments(institution_id)
{
$("#id_department").html('<option value="">Loading...</option>');
$.ajax({
type: "GET",
url: "/order/show_department",
dataType: "json",
data: {'institution':institution_id},
success: function(retorno) {
$("#id_department").empty();
$("#id_department").append('<option value="">--------</option>');
$.each(retorno, function(i, item){
$("#id_department").append('<option value="'+item.pk+'">'+item.valor+'</option>');
});
},
error: function(error) {
alert('Error: No request return.');
}
});
} | $(document).ready(function () {
if (!id_category_0.checked && !id_category_1.checked){
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
}
$("#id_category_0").click(function () {
$("#id_institution").parents('.row').show();
$("#id_department").parents('.row').show();
});
$("#id_category_1").click(function () {
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
});
if (id_category_1.checked){
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
}
});
function ajax_filter_departments(institution_id)
{
$("#id_department").html('<option value="">Loading...</option>');
$.ajax({
type: "GET",
url: "/order/show_department",
dataType: "json",
data: {'institution':institution_id},
success: function(retorno) {
$("#id_department").empty();
$("#id_department").append('<option value="">--------</option>');
$.each(retorno, function(i, item){
$("#id_department").append('<option value="'+item.pk+'">'+item.valor+'</option>');
});
},
error: function(error) {
alert('Error: No request return.');
}
});
} | Hide fields if "Consumption items" is selected | Hide fields if "Consumption items" is selected
| JavaScript | mpl-2.0 | neuromat/nira,neuromat/nira,neuromat/nira | ---
+++
@@ -11,6 +11,10 @@
$("#id_institution").parents('.row').hide();
$("#id_department").parents('.row').hide();
});
+ if (id_category_1.checked){
+ $("#id_institution").parents('.row').hide();
+ $("#id_department").parents('.row').hide();
+ }
});
function ajax_filter_departments(institution_id) |
17f3f1fb9967f3db50d0997d7be480726aaf0219 | server/models/user.js | server/models/user.js | module.exports = (sequelize, DataTypes) => {
const User = sequelize.define('User', {
username: {
type: DataTypes.STRING,
allowNull: false,
unique: true,
},
password: {
type: DataTypes.STRING,
allowNull: false,
},
email: {
type: DataTypes.STRING,
allowNull: false,
unique: true
},
salt: DataTypes.STRING
}, {
classMethods: {
associate(models) {
User.hasMany(models.Message, {
foreignKey: 'userId',
as: 'userMessages'
});
User.belongsToMany(models.Group, {
as: 'Members',
foreignKey: 'groupId',
through: 'UserGroup',
});
}
}
});
return User;
};
| module.exports = (sequelize, DataTypes) => {
const User = sequelize.define('User', {
username: {
type: DataTypes.STRING,
allowNull: false,
unique: true,
},
password: {
type: DataTypes.STRING,
allowNull: false,
},
email: {
type: DataTypes.STRING,
allowNull: false,
unique: true
},
salt: DataTypes.STRING
});
User.associate = (models) => {
User.hasMany(models.Message, {
foreignKey: 'userId'
});
User.belongsToMany(models.Group, {
as: 'Members',
foreignKey: 'groupId',
through: 'UserGroup',
});
};
return User;
};
| Edit model associations using new syntax | Edit model associations using new syntax
| JavaScript | mit | 3m3kalionel/PostIt,3m3kalionel/PostIt | ---
+++
@@ -15,20 +15,17 @@
unique: true
},
salt: DataTypes.STRING
- }, {
- classMethods: {
- associate(models) {
- User.hasMany(models.Message, {
- foreignKey: 'userId',
- as: 'userMessages'
- });
- User.belongsToMany(models.Group, {
- as: 'Members',
- foreignKey: 'groupId',
- through: 'UserGroup',
- });
- }
- }
});
+
+ User.associate = (models) => {
+ User.hasMany(models.Message, {
+ foreignKey: 'userId'
+ });
+ User.belongsToMany(models.Group, {
+ as: 'Members',
+ foreignKey: 'groupId',
+ through: 'UserGroup',
+ });
+ };
return User;
}; |
ff3993c6583b331bd5326aeaa6a710517c6bdab6 | packages/npm-bcrypt/package.js | packages/npm-bcrypt/package.js | Package.describe({
summary: "Wrapper around the bcrypt npm package",
version: "0.9.2",
documentation: null
});
Npm.depends({
bcryptjs: "2.3.0"
});
Package.onUse(function (api) {
api.use("modules@0.7.5", "server");
api.mainModule("wrapper.js", "server");
api.export("NpmModuleBcrypt", "server");
});
| Package.describe({
summary: "Wrapper around the bcrypt npm package",
version: "0.9.2",
documentation: null
});
Npm.depends({
bcryptjs: "2.3.0"
});
Package.onUse(function (api) {
api.use("modules", "server");
api.mainModule("wrapper.js", "server");
api.export("NpmModuleBcrypt", "server");
});
| Remove pinned version of `modules` from `npm-bcrypt`. | Remove pinned version of `modules` from `npm-bcrypt`.
| JavaScript | mit | Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor | ---
+++
@@ -9,7 +9,7 @@
});
Package.onUse(function (api) {
- api.use("modules@0.7.5", "server");
+ api.use("modules", "server");
api.mainModule("wrapper.js", "server");
api.export("NpmModuleBcrypt", "server");
}); |
7ffd6936bd40a5a47818f51864a6eb86ed286e56 | packages/phenomic/src/index.js | packages/phenomic/src/index.js | /**
* @flow
*/
import path from "path"
import flattenConfiguration from "./configuration/flattenConfiguration"
import start from "./commands/start"
import build from "./commands/build"
function normalizeConfiguration(config: PhenomicInputConfig): PhenomicConfig {
return {
path: config.path || process.cwd(),
outdir: config.outdir || path.join(process.cwd(), "dist"),
bundler: config.bundler(),
renderer: config.renderer(),
plugins: flattenConfiguration(config).map(plugin => plugin()),
port: config.port || 1414,
}
}
export default {
start(config: PhenomicInputConfig) {
return start(normalizeConfiguration(config))
},
build(config: PhenomicInputConfig) {
return build(normalizeConfiguration(config))
},
}
| /**
* @flow
*/
import path from "path"
import flattenConfiguration from "./configuration/flattenConfiguration"
import start from "./commands/start"
import build from "./commands/build"
const normalizePlugin = (plugin) => {
if (!plugin) {
throw new Error(
"phenomic: You provided an undefined plugin"
)
}
if (typeof plugin !== "function") {
throw new Error(
"phenomic: You provided an plugin with type is " +
typeof plugin +
". But function is expected instead of " +
plugin
)
}
// @todo send config here
return plugin()
}
function normalizeConfiguration(config: PhenomicInputConfig): PhenomicConfig {
return {
path: config.path || process.cwd(),
outdir: config.outdir || path.join(process.cwd(), "dist"),
bundler: config.bundler(),
renderer: config.renderer(),
plugins: flattenConfiguration(config).map(normalizePlugin),
port: config.port || 1414,
}
}
export default {
start(config: PhenomicInputConfig) {
return start(normalizeConfiguration(config))
},
build(config: PhenomicInputConfig) {
return build(normalizeConfiguration(config))
},
}
| Add poor validation for plugins | Add poor validation for plugins
| JavaScript | mit | MoOx/statinamic,MoOx/phenomic,phenomic/phenomic,MoOx/phenomic,pelhage/phenomic,phenomic/phenomic,MoOx/phenomic,phenomic/phenomic | ---
+++
@@ -7,13 +7,33 @@
import start from "./commands/start"
import build from "./commands/build"
+const normalizePlugin = (plugin) => {
+ if (!plugin) {
+ throw new Error(
+ "phenomic: You provided an undefined plugin"
+ )
+ }
+
+ if (typeof plugin !== "function") {
+ throw new Error(
+ "phenomic: You provided an plugin with type is " +
+ typeof plugin +
+ ". But function is expected instead of " +
+ plugin
+ )
+ }
+
+ // @todo send config here
+ return plugin()
+}
+
function normalizeConfiguration(config: PhenomicInputConfig): PhenomicConfig {
return {
path: config.path || process.cwd(),
outdir: config.outdir || path.join(process.cwd(), "dist"),
bundler: config.bundler(),
renderer: config.renderer(),
- plugins: flattenConfiguration(config).map(plugin => plugin()),
+ plugins: flattenConfiguration(config).map(normalizePlugin),
port: config.port || 1414,
}
} |
4d9a9d30326bda7d88b4877a9e75c94949df79ca | plugins/kalabox-core/events.js | plugins/kalabox-core/events.js | 'use strict';
module.exports = function(kbox) {
var events = kbox.core.events;
var deps = kbox.core.deps;
var envs = [];
// EVENT: pre-engine-create
events.on('pre-engine-create', function(createOptions, done) {
var codeRoot = deps.lookup('globalConfig').codeDir;
var kboxCode = 'KBOX_CODEDIR=' + codeRoot;
envs.push(kboxCode);
envs.push('KALABOX=true');
// Add some app opts
kbox.whenApp(function(app) {
envs.push('APPNAME=' + app.name);
envs.push('APPDOMAIN=' + app.domain);
});
if (createOptions.Env) {
envs.forEach(function(env) {
createOptions.Env.push(env);
});
}
else {
createOptions.Env = envs;
}
done();
});
};
| 'use strict';
var _ = require('lodash');
module.exports = function(kbox) {
var events = kbox.core.events;
var deps = kbox.core.deps;
// EVENT: pre-engine-create
events.on('pre-engine-create', function(createOptions, done) {
var envs = [];
var codeRoot = deps.lookup('globalConfig').codeDir;
var kboxCode = 'KBOX_CODEDIR=' + codeRoot;
envs.push(kboxCode);
envs.push('KALABOX=true');
// Add some app opts
kbox.whenApp(function(app) {
envs.push('APPNAME=' + app.name);
envs.push('APPDOMAIN=' + app.domain);
});
if (createOptions.Env) {
envs.forEach(function(env) {
if (!_.includes(createOptions.Env, env)) {
createOptions.Env.push(env);
}
});
}
else {
createOptions.Env = envs;
}
done();
});
};
| Fix some ENV add bugs | Fix some ENV add bugs
| JavaScript | mit | kalabox/kalabox-cli,rabellamy/kalabox,ManatiCR/kalabox,RobLoach/kalabox,RobLoach/kalabox,ari-gold/kalabox,rabellamy/kalabox,oneorangecat/kalabox,ManatiCR/kalabox,oneorangecat/kalabox,ari-gold/kalabox,kalabox/kalabox-cli | ---
+++
@@ -1,13 +1,15 @@
'use strict';
+
+var _ = require('lodash');
module.exports = function(kbox) {
var events = kbox.core.events;
var deps = kbox.core.deps;
- var envs = [];
// EVENT: pre-engine-create
events.on('pre-engine-create', function(createOptions, done) {
+ var envs = [];
var codeRoot = deps.lookup('globalConfig').codeDir;
var kboxCode = 'KBOX_CODEDIR=' + codeRoot;
envs.push(kboxCode);
@@ -21,7 +23,9 @@
if (createOptions.Env) {
envs.forEach(function(env) {
- createOptions.Env.push(env);
+ if (!_.includes(createOptions.Env, env)) {
+ createOptions.Env.push(env);
+ }
});
}
else { |
cd841f91370e770e73992e3bf8cd0930c4fa4e82 | assets/javascript/head.scripts.js | assets/javascript/head.scripts.js | /**
* head.script.js
*
* Essential scripts, to be loaded in the head of the document
* Use gruntfile.js to include the necessary script files.
*/
// Load respimage if <picture> element is not supported
if(!window.HTMLPictureElement){
enhance.loadJS('/assets/javascript/lib/polyfills/respimage.min.js');
}
| /**
* head.script.js
*
* Essential scripts, to be loaded in the head of the document
* Use gruntfile.js to include the necessary script files.
*/
// Load respimage if <picture> element is not supported
if(!window.HTMLPictureElement) {
document.createElement('picture');
enhance.loadJS('/assets/javascript/lib/polyfills/respimage.min.js');
}
| Create hidden picture element when respimage is loaded. | Create hidden picture element when respimage is loaded.
Seen in this example: https://github.com/fabianmichael/kirby-imageset#23-template-setup.
| JavaScript | mit | jolantis/artlantis,jolantis/artlantis | ---
+++
@@ -6,6 +6,7 @@
*/
// Load respimage if <picture> element is not supported
-if(!window.HTMLPictureElement){
+if(!window.HTMLPictureElement) {
+ document.createElement('picture');
enhance.loadJS('/assets/javascript/lib/polyfills/respimage.min.js');
} |
b62647e8f52c9646d7f4f6eb789db1b84c94228a | scripts/replace-slack-link.js | scripts/replace-slack-link.js | // slack invite links expire after 30 days and you can't(at least as far as i can tell) create tokens for things like slackin anymore
const fs = require('fs')
const slackInviteLink = process.argv[2]
const siteHeaderPath = `${__dirname}/../site/src/components/SiteHeader.js`
const readmePath = `${__dirname}/../README.md`
const slackInviteLinkRegex = /https:\/\/join\.slack\.com\/t\/emotion-slack\/shared_invite\/[^\/]+\//
const siteHeader = fs.readFileSync(siteHeaderPath, 'utf8')
fs.writeFileSync(
siteHeaderPath,
siteHeader.replace(slackInviteLinkRegex, slackInviteLink)
)
const readme = fs.readFileSync(readmePath, 'utf8')
fs.writeFileSync(
readmePath,
readme.replace(slackInviteLinkRegex, slackInviteLink)
)
| // slack invite links expire after 30 days and you can't(at least as far as i can tell) create tokens for things like slackin anymore
const fs = require('fs')
const slackInviteLink = process.argv[2]
const siteHeaderPath = `${__dirname}/../site/src/components/SiteHeader.js`
const readmePath = `${__dirname}/../README.md`
const slackInviteLinkRegex = /https:\/\/join\.slack\.com\/t\/emotion-slack\/shared_invite\/[^/]+\//
const siteHeader = fs.readFileSync(siteHeaderPath, 'utf8')
fs.writeFileSync(
siteHeaderPath,
siteHeader.replace(slackInviteLinkRegex, slackInviteLink)
)
const readme = fs.readFileSync(readmePath, 'utf8')
fs.writeFileSync(
readmePath,
readme.replace(slackInviteLinkRegex, slackInviteLink)
)
| Fix regex to comply with no-useless-escape ESLint rule | Fix regex to comply with no-useless-escape ESLint rule
| JavaScript | mit | tkh44/emotion,emotion-js/emotion,tkh44/emotion,emotion-js/emotion,emotion-js/emotion,emotion-js/emotion | ---
+++
@@ -7,7 +7,7 @@
const siteHeaderPath = `${__dirname}/../site/src/components/SiteHeader.js`
const readmePath = `${__dirname}/../README.md`
-const slackInviteLinkRegex = /https:\/\/join\.slack\.com\/t\/emotion-slack\/shared_invite\/[^\/]+\//
+const slackInviteLinkRegex = /https:\/\/join\.slack\.com\/t\/emotion-slack\/shared_invite\/[^/]+\//
const siteHeader = fs.readFileSync(siteHeaderPath, 'utf8')
|
7292d5c3db9d8a274567735d6bde06e8dcbd2b7b | src/clincoded/static/libs/render_variant_title.js | src/clincoded/static/libs/render_variant_title.js | 'use strict';
import React from 'react';
/**
* Method to display the title of a variant.
* 1st option is the ClinVar Preferred Title if it's present.
* 2nd alternative is a string constructed with the canonical transcript, gene symbol and protein change.
* The fallback is the GRCh38 NC_ HGVS name.
* @param {object} variant - A variant object
*/
export function renderVariantTitle(variant) {
let variantTitle;
if (variant) {
if (variant.clinvarVariantId && variant.clinvarVariantTitle) {
variantTitle = variant.clinvarVariantTitle;
} else if (variant.carId && variant.canonicalTranscriptTitle) {
variantTitle = variant.canonicalTranscriptTitle;
} else if (variant.hgvsNames && Object.keys(variant.hgvsNames).length && !variantTitle) {
if (variant.hgvsNames.GRCh38) {
variantTitle = variant.hgvsNames.GRCh38 + ' (GRCh38)';
} else if (variant.hgvsNames.GRCh37) {
variantTitle = variant.hgvsNames.GRCh37 + ' (GRCh37)';
} else {
variantTitle = variant.carId ? variant.carId : 'A preferred title is not available';
}
}
}
return <span className="variant-title">{variantTitle}</span>;
}
| 'use strict';
import React from 'react';
/**
* Method to display the title of a variant.
* 1st option is the ClinVar Preferred Title if it's present.
* 2nd alternative is a string constructed with the canonical transcript, gene symbol and protein change.
* The fallback is the GRCh38 NC_ HGVS name.
* @param {object} variant - A variant object
* @param {boolean} stringOnly - Whether the output should be just string
*/
export function renderVariantTitle(variant, stringOnly) {
let variantTitle;
if (variant) {
if (variant.clinvarVariantId && variant.clinvarVariantTitle) {
variantTitle = variant.clinvarVariantTitle;
} else if (variant.carId && variant.canonicalTranscriptTitle) {
variantTitle = variant.canonicalTranscriptTitle;
} else if (variant.hgvsNames && Object.keys(variant.hgvsNames).length && !variantTitle) {
if (variant.hgvsNames.GRCh38) {
variantTitle = variant.hgvsNames.GRCh38 + ' (GRCh38)';
} else if (variant.hgvsNames.GRCh37) {
variantTitle = variant.hgvsNames.GRCh37 + ' (GRCh37)';
} else {
variantTitle = variant.carId ? variant.carId : 'A preferred title is not available';
}
}
}
if (stringOnly) {
return variantTitle;
} else {
return <span className="variant-title">{variantTitle}</span>;
}
}
| Add option to only return a string instead of JSX | Add option to only return a string instead of JSX
| JavaScript | mit | ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded,ClinGen/clincoded | ---
+++
@@ -7,8 +7,9 @@
* 2nd alternative is a string constructed with the canonical transcript, gene symbol and protein change.
* The fallback is the GRCh38 NC_ HGVS name.
* @param {object} variant - A variant object
+ * @param {boolean} stringOnly - Whether the output should be just string
*/
-export function renderVariantTitle(variant) {
+export function renderVariantTitle(variant, stringOnly) {
let variantTitle;
if (variant) {
if (variant.clinvarVariantId && variant.clinvarVariantTitle) {
@@ -25,5 +26,9 @@
}
}
}
- return <span className="variant-title">{variantTitle}</span>;
+ if (stringOnly) {
+ return variantTitle;
+ } else {
+ return <span className="variant-title">{variantTitle}</span>;
+ }
} |
cbec0d253d7b451cb5584329b21900dbbce7ab19 | src/components/common/SourceOrCollectionWidget.js | src/components/common/SourceOrCollectionWidget.js | import PropTypes from 'prop-types';
import React from 'react';
import { Col } from 'react-flexbox-grid/lib';
import { DeleteButton } from './IconButton';
const SourceOrCollectionWidget = (props) => {
const { object, onDelete, onClick, children } = props;
const isCollection = object.tags_id !== undefined;
const typeClass = isCollection ? 'collection' : 'source';
const objectId = object.id || (isCollection ? object.tags_id : object.media_id);
const name = isCollection ? (object.name || object.label || object.tag) : (object.name || object.label || object.url);
return (
<div
className={`media-widget ${typeClass}`}
key={`media-widget${objectId}`}
>
<Col>
<a href="#" onClick={onClick}>{name}</a>
{children}
</Col>
<Col>
<DeleteButton onClick={onDelete} />
</Col>
</div>
);
};
SourceOrCollectionWidget.propTypes = {
object: PropTypes.object.isRequired,
onDelete: PropTypes.func,
onClick: PropTypes.func,
children: PropTypes.node,
};
export default SourceOrCollectionWidget;
| import PropTypes from 'prop-types';
import React from 'react';
import { Col } from 'react-flexbox-grid/lib';
import { DeleteButton } from './IconButton';
const SourceOrCollectionWidget = (props) => {
const { object, onDelete, onClick, children } = props;
const isCollection = object.tags_id !== undefined;
const typeClass = isCollection ? 'collection' : 'source';
const objectId = object.id || (isCollection ? object.tags_id : object.media_id);
const name = isCollection ? (object.name || object.label || object.tag) : (object.name || object.label || object.url);
// link the text if there is a click handler defined
let text = name;
if (onClick) {
text = (<a href="#" onClick={onClick}>{name}</a>);
}
return (
<div
className={`media-widget ${typeClass}`}
key={`media-widget${objectId}`}
>
<Col>
{text}
{children}
</Col>
<Col>
{onDelete && <DeleteButton onClick={onDelete} />}
</Col>
</div>
);
};
SourceOrCollectionWidget.propTypes = {
object: PropTypes.object.isRequired,
onDelete: PropTypes.func,
onClick: PropTypes.func,
children: PropTypes.node,
};
export default SourceOrCollectionWidget;
| Handle list of media/collections that aren't clickable | Handle list of media/collections that aren't clickable
| JavaScript | apache-2.0 | mitmedialab/MediaCloud-Web-Tools,mitmedialab/MediaCloud-Web-Tools,mitmedialab/MediaCloud-Web-Tools,mitmedialab/MediaCloud-Web-Tools | ---
+++
@@ -10,17 +10,22 @@
const typeClass = isCollection ? 'collection' : 'source';
const objectId = object.id || (isCollection ? object.tags_id : object.media_id);
const name = isCollection ? (object.name || object.label || object.tag) : (object.name || object.label || object.url);
+ // link the text if there is a click handler defined
+ let text = name;
+ if (onClick) {
+ text = (<a href="#" onClick={onClick}>{name}</a>);
+ }
return (
<div
className={`media-widget ${typeClass}`}
key={`media-widget${objectId}`}
>
<Col>
- <a href="#" onClick={onClick}>{name}</a>
+ {text}
{children}
</Col>
<Col>
- <DeleteButton onClick={onDelete} />
+ {onDelete && <DeleteButton onClick={onDelete} />}
</Col>
</div>
); |
1960321adb5c7fcc17fea23e0e313c94bb34de2e | TabBar.js | TabBar.js | 'use strict';
import React, {
Animated,
Platform,
StyleSheet,
View,
} from 'react-native';
import Layout from './Layout';
export default class TabBar extends React.Component {
static propTypes = {
...View.propTypes,
shadowStyle: View.propTypes.style,
};
render() {
return (
<Animated.View {...this.props} style={[styles.container, this.props.style]}>
{this.props.children}
<View style={[styles.shadow, this.props.shadowStyle]} />
</Animated.View>
);
}
}
let styles = StyleSheet.create({
container: {
backgroundColor: '#f8f8f8',
flexDirection: 'row',
justifyContent: 'space-around',
height: Layout.tabBarHeight,
position: 'absolute',
bottom: 0,
left: 0,
right: 0,
},
shadow: {
backgroundColor: 'rgba(0, 0, 0, 0.25)',
height: Layout.pixel,
position: 'absolute',
left: 0,
right: 0,
top: Platform.OS === 'android' ? 0 : -Layout.pixel,
},
});
| 'use strict';
import React, {
Animated,
Platform,
StyleSheet,
View,
} from 'react-native';
import Layout from './Layout';
export default class TabBar extends React.Component {
static propTypes = {
...Animated.View.propTypes,
shadowStyle: View.propTypes.style,
};
render() {
return (
<Animated.View {...this.props} style={[styles.container, this.props.style]}>
{this.props.children}
<View style={[styles.shadow, this.props.shadowStyle]} />
</Animated.View>
);
}
}
let styles = StyleSheet.create({
container: {
backgroundColor: '#f8f8f8',
flexDirection: 'row',
justifyContent: 'space-around',
height: Layout.tabBarHeight,
position: 'absolute',
bottom: 0,
left: 0,
right: 0,
},
shadow: {
backgroundColor: 'rgba(0, 0, 0, 0.25)',
height: Layout.pixel,
position: 'absolute',
left: 0,
right: 0,
top: Platform.OS === 'android' ? 0 : -Layout.pixel,
},
});
| Use 'Animated.View.propTypes' to avoid warnings. | Use 'Animated.View.propTypes' to avoid warnings.
The propTypes Validation must be based on `Animated.View.propTypes` instead of just `View.propTypes`
otherwise a Warning is displayed when passing Animated values to TabBar. | JavaScript | mit | exponentjs/react-native-tab-navigator | ---
+++
@@ -11,7 +11,7 @@
export default class TabBar extends React.Component {
static propTypes = {
- ...View.propTypes,
+ ...Animated.View.propTypes,
shadowStyle: View.propTypes.style,
};
|
89b7985d0b21fe006d54f613ea7dc6625d5525f5 | src/server/modules/counter/subscriptions_setup.js | src/server/modules/counter/subscriptions_setup.js | export default {
countUpdated: () => ({
// Run the query each time count updated
countUpdated: () => true
})
};
| export default {
countUpdated: () => ({
// Run the query each time count updated
countUpdated: {
filter: () => {
return true;
}
}
})
};
| Fix Counter subscription filter definition | Fix Counter subscription filter definition
| JavaScript | mit | sysgears/apollo-universal-starter-kit,sysgears/apollo-universal-starter-kit,sysgears/apollo-universal-starter-kit,sysgears/apollo-fullstack-starter-kit,sysgears/apollo-universal-starter-kit | ---
+++
@@ -1,6 +1,10 @@
export default {
countUpdated: () => ({
// Run the query each time count updated
- countUpdated: () => true
+ countUpdated: {
+ filter: () => {
+ return true;
+ }
+ }
})
}; |
cb1a3ff383ef90b56d3746f4ed9ea193402a08b9 | web_client/models/AnnotationModel.js | web_client/models/AnnotationModel.js | import _ from 'underscore';
import Model from 'girder/models/Model';
import ElementCollection from '../collections/ElementCollection';
import convert from '../annotations/convert';
export default Model.extend({
resourceName: 'annotation',
defaults: {
'annotation': {}
},
initialize() {
this._elements = new ElementCollection(
this.get('annotation').elements || []
);
this._elements.annotation = this;
this.listenTo(this._elements, 'change add remove', () => {
// copy the object to ensure a change event is triggered
var annotation = _.extend({}, this.get('annotation'));
annotation.elements = this._elements.toJSON();
this.set('annotation', annotation);
});
},
/**
* Return the annotation as a geojson FeatureCollection.
*
* WARNING: Not all annotations are representable in geojson.
* Annotation types that cannot be converted will be ignored.
*/
geojson() {
const json = this.get('annotation') || {};
const elements = json.elements || [];
return convert(elements);
},
/**
* Return a backbone collection containing the annotation elements.
*/
elements() {
return this._elements;
}
});
| import _ from 'underscore';
import Model from 'girder/models/Model';
import ElementCollection from '../collections/ElementCollection';
import convert from '../annotations/convert';
export default Model.extend({
resourceName: 'annotation',
defaults: {
'annotation': {}
},
initialize() {
this._elements = new ElementCollection(
this.get('annotation').elements || []
);
this._elements.annotation = this;
this.listenTo(this._elements, 'change add remove reset', () => {
// copy the object to ensure a change event is triggered
var annotation = _.extend({}, this.get('annotation'));
annotation.elements = this._elements.toJSON();
this.set('annotation', annotation);
});
},
/**
* Return the annotation as a geojson FeatureCollection.
*
* WARNING: Not all annotations are representable in geojson.
* Annotation types that cannot be converted will be ignored.
*/
geojson() {
const json = this.get('annotation') || {};
const elements = json.elements || [];
return convert(elements);
},
/**
* Return a backbone collection containing the annotation elements.
*/
elements() {
return this._elements;
}
});
| Update annotation on reset events | Update annotation on reset events
| JavaScript | apache-2.0 | girder/large_image,DigitalSlideArchive/large_image,DigitalSlideArchive/large_image,girder/large_image,girder/large_image,DigitalSlideArchive/large_image | ---
+++
@@ -17,7 +17,7 @@
);
this._elements.annotation = this;
- this.listenTo(this._elements, 'change add remove', () => {
+ this.listenTo(this._elements, 'change add remove reset', () => {
// copy the object to ensure a change event is triggered
var annotation = _.extend({}, this.get('annotation'));
|
aaf220bd9c37755bcf3082098c3df96d7a197001 | webpack/webpack.config.base.babel.js | webpack/webpack.config.base.babel.js | import path from 'path';
const projectRoot = path.join(__dirname, '..');
export default {
cache: true,
entry: [
path.join(projectRoot, 'src', 'hibp.js'),
],
output: {
library: 'hibp',
libraryTarget: 'umd',
path: path.join(projectRoot, 'dist'),
},
module: {
rules: [
{
test: /\.js$/,
include: [
path.join(projectRoot, 'src'),
],
use: [
{
loader: 'babel-loader',
options: {
babelrc: false,
cacheDirectory: true,
plugins: [
'add-module-exports',
],
presets: [
[
'env',
{
targets: {
browsers: [
'> 1%',
'last 2 versions',
],
},
},
],
],
},
},
],
},
],
},
node: {
fs: 'empty',
module: 'empty',
Buffer: false, // axios 0.16.1
},
};
| import path from 'path';
const projectRoot = path.join(__dirname, '..');
export default {
cache: true,
entry: [
path.join(projectRoot, 'src', 'hibp.js'),
],
output: {
library: 'hibp',
libraryTarget: 'umd',
umdNamedDefine: true,
path: path.join(projectRoot, 'dist'),
},
module: {
rules: [
{
test: /\.js$/,
include: [
path.join(projectRoot, 'src'),
],
use: [
{
loader: 'babel-loader',
options: {
babelrc: false,
cacheDirectory: true,
plugins: [
'add-module-exports',
],
presets: [
[
'env',
{
targets: {
browsers: [
'> 1%',
'last 2 versions',
],
},
},
],
],
},
},
],
},
],
},
node: {
fs: 'empty',
module: 'empty',
Buffer: false, // axios 0.16.1
},
};
| Set the AMD module name in the UMD build | Set the AMD module name in the UMD build
| JavaScript | mit | wKovacs64/hibp,wKovacs64/hibp,wKovacs64/hibp | ---
+++
@@ -10,6 +10,7 @@
output: {
library: 'hibp',
libraryTarget: 'umd',
+ umdNamedDefine: true,
path: path.join(projectRoot, 'dist'),
},
module: { |
3b9cebffb70d2fc08b8cf48f86ceb27b42d8d9b4 | migrations/20131122023554-make-user-table.js | migrations/20131122023554-make-user-table.js | var dbm = require('db-migrate');
var type = dbm.dataType;
exports.up = function(db, callback) {
db.createTable('users', {
columns: {
id: { type: 'int', primaryKey: true, autoIncrement: true },
firstName: { type: 'string', notNull: true},
lastName: { type: 'string', notNull: true},
email: { type: 'string', notNull: true},
hash: { type: 'string', notNull: true},
salt: { type: 'string', notNull: true}
},
ifNotExists: true
}, callback);
};
exports.down = function(db, callback) {
};
| var dbm = require('db-migrate');
var type = dbm.dataType;
exports.up = function(db, callback) {
db.createTable('users', {
columns: {
id: { type: 'int', primaryKey: true, autoIncrement: true },
firstName: { type: 'string', notNull: true},
lastName: { type: 'string', notNull: true},
email: { type: 'string', notNull: true},
hash: { type: 'string', notNull: true},
salt: { type: 'string', notNull: true}
},
ifNotExists: true
}, callback);
};
exports.down = function(db, callback) {
console.log('not dropping table users');
callback();
};
| Call user migrate down callback | Call user migrate down callback
| JavaScript | bsd-3-clause | t3mpus/tempus-api | ---
+++
@@ -16,5 +16,6 @@
};
exports.down = function(db, callback) {
-
+ console.log('not dropping table users');
+ callback();
}; |
aa35d4f0801549420ae01f0be3c9dececaa6c345 | core/devMenu.js | core/devMenu.js | "use strict";
const electron = require("electron");
const {app} = electron;
const {Menu} = electron;
const {BrowserWindow} = electron;
module.exports.setDevMenu = function () {
var devMenu = Menu.buildFromTemplate([{
label: "Development",
submenu: [{
label: "Reload",
accelerator: "CmdOrCtrl+R",
click: function () {
BrowserWindow.getFocusedWindow().reload();
}
},{
label: "Toggle DevTools",
accelerator: "Alt+CmdOrCtrl+I",
click: function () {
BrowserWindow.getFocusedWindow().toggleDevTools();
}
},{
label: "Quit",
accelerator: "CmdOrCtrl+Q",
click: function () {
app.quit();
}
}]
}]);
Menu.setApplicationMenu(devMenu);
}; | "use strict";
const electron = require("electron");
const {app} = electron;
const {Menu} = electron;
const {BrowserWindow} = electron;
module.exports.setDevMenu = function () {
var devMenu = Menu.buildFromTemplate([{
label: "Development",
submenu: [{
label: "Reload",
accelerator: "F5",
click: function () {
BrowserWindow.getFocusedWindow().reload();
}
},{
label: "Toggle DevTools",
accelerator: "Alt+CmdOrCtrl+I",
click: function () {
BrowserWindow.getFocusedWindow().toggleDevTools();
}
},{
label: "Quit",
accelerator: "CmdOrCtrl+Q",
click: function () {
app.quit();
}
}]
}]);
Menu.setApplicationMenu(devMenu);
}; | Change development reload shortcut to F5 | Change development reload shortcut to F5
This prevents interference when using bash's Ctrl-R command
| JavaScript | mit | petschekr/Chocolate-Shell,petschekr/Chocolate-Shell | ---
+++
@@ -10,7 +10,7 @@
label: "Development",
submenu: [{
label: "Reload",
- accelerator: "CmdOrCtrl+R",
+ accelerator: "F5",
click: function () {
BrowserWindow.getFocusedWindow().reload();
} |
0b54a083f4c1a3bdeb097fbf2462aa6d6bc484d5 | basis/jade/syntax_samples/index.js | basis/jade/syntax_samples/index.js | #!/usr/bin/env node
var assert = require('assert');
var jade = require('jade');
var source = [
'each v, i in list',
' div #{v},#{i}'
].join('\n');
var fn = jade.compile(source);
var html = fn({ list:['a', 'b', 'c'] });
assert.strictEqual(html, '<div>a,0</div><div>b,1</div><div>c,2</div>');
| #!/usr/bin/env node
var assert = require('assert');
var jade = require('jade');
var source = [
'each v, i in list',
' div #{v},#{i}'
].join('\n');
var fn = jade.compile(source);
var html = fn({ list:['a', 'b', 'c'] });
assert.strictEqual(html, '<div>a,0</div><div>b,1</div><div>c,2</div>');
// #{} と !{}
var source = [
'|#{str}',
'|!{str}'
].join('\n');
var fn = jade.compile(source);
var text = fn({ str:'a&b' });
assert.strictEqual(text, 'a&b\na&b');
| Add a sample of jade | Add a sample of jade
| JavaScript | mit | kjirou/nodejs-codes | ---
+++
@@ -13,3 +13,15 @@
var html = fn({ list:['a', 'b', 'c'] });
assert.strictEqual(html, '<div>a,0</div><div>b,1</div><div>c,2</div>');
+
+
+// #{} と !{}
+var source = [
+'|#{str}',
+'|!{str}'
+].join('\n');
+
+var fn = jade.compile(source);
+var text = fn({ str:'a&b' });
+
+assert.strictEqual(text, 'a&b\na&b'); |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.