commit
stringlengths 40
40
| old_file
stringlengths 4
264
| new_file
stringlengths 4
264
| old_contents
stringlengths 0
3.26k
| new_contents
stringlengths 1
4.43k
| subject
stringlengths 15
624
| message
stringlengths 15
4.7k
| lang
stringclasses 3
values | license
stringclasses 13
values | repos
stringlengths 5
91.5k
|
---|---|---|---|---|---|---|---|---|---|
4ac19a61f2583f0b37bd779cc98e1968d763d4ac | lib/Drawer/Item.js | lib/Drawer/Item.js | import React, { Component, PropTypes, View, Text, TouchableHighlight } from 'react-native';
import Icon from '../Icon';
import { TYPO } from '../config';
export default class Item extends Component {
static propTypes = {
icon: PropTypes.string,
value: PropTypes.string.isRequired,
onPress: PropTypes.func,
active: PropTypes.bool,
disabled: PropTypes.bool
};
static defaultProps = {
active: false,
disabled: false
};
render() {
const { icon, value, onPress } = this.props;
return (
<TouchableHighlight
onPress={onPress}
underlayColor={'#e8e8e8'}
style={styles.touchable}
>
<View style={styles.item}>
<Icon
name={icon}
color={'rgba(0,0,0,.54)'}
size={22}
style={styles.icon}
/>
<View style={styles.value}>
<Text style={[TYPO.paperFontBody2, { color: 'rgba(0,0,0,.87)' }]}>
{value}
</Text>
</View>
</View>
</TouchableHighlight>
);
}
}
const styles = {
touchable: {
paddingHorizontal: 16,
marginVertical: 8,
height: 48
},
item: {
flex: 1,
flexDirection: 'row',
alignItems: 'center',
},
icon: {
position: 'relative',
top: -2
},
value: {
flex: 1,
paddingLeft: 34
}
}; | import React, { Component, PropTypes, View, Text, TouchableHighlight } from 'react-native';
import Icon from '../Icon';
import { TYPO } from '../config';
export default class Item extends Component {
static propTypes = {
icon: PropTypes.string,
value: PropTypes.string.isRequired,
onPress: PropTypes.func,
active: PropTypes.bool,
disabled: PropTypes.bool
};
static defaultProps = {
active: false,
disabled: false
};
render() {
const { icon, value, onPress } = this.props;
return (
<TouchableHighlight
onPress={onPress}
underlayColor={'#e8e8e8'}
style={styles.touchable}
>
<View style={styles.item}>
<Icon
name={icon}
color={'rgba(0,0,0,.54)'}
size={22}
style={styles.icon}
/>
<View style={styles.value}>
<Text style={[TYPO.paperFontBody2, { color: 'rgba(0,0,0,.87)' }]}>
{value}
</Text>
</View>
</View>
</TouchableHighlight>
);
}
}
const styles = {
touchable: {
paddingHorizontal: 16,
marginVertical: 8,
height: 48
},
item: {
flex: 1,
flexDirection: 'row',
alignItems: 'center',
},
icon: {
position: 'relative',
top: -1
},
value: {
flex: 1,
paddingLeft: 34,
top: 1
}
}; | Fix : Drawer menu items are not centered | Fix : Drawer menu items are not centered
| JavaScript | mit | blovato/sca-mobile-components,mobileDevNativeCross/react-native-material-ui,react-native-material-design/react-native-material-design,ajaxangular/react-native-material-ui,kenma9123/react-native-material-ui,xvonabur/react-native-material-ui,thomasooo/react-native-material-design,xotahal/react-native-material-ui |
8cc42334a8848c5e7f43a9e8c0c8d57088612f9f | lib/components/logo.js | lib/components/logo.js | import React from 'react'
const logo = {
fontFamily: `'Gill Sans', -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen-Sans, Ubuntu, Cantarell, 'Helvetica Neue', sans-serif`,
fontSize: '36px',
display: 'inline-block',
letterSpacing: 0,
paddingLeft: '5.5rem',
backgroundImage:
'url(https://d2f1n6ed3ipuic.cloudfront.net/conveyal-128x128.png)',
backgroundSize: '4rem',
lineHeight: '4rem',
backgroundRepeat: 'no-repeat',
fontWeight: 100,
whiteSpace: 'nowrap'
}
export default function Logo() {
return (
<div className='page-header text-center' style={{borderBottom: 'none'}}>
<h1 style={logo}>conveyal analysis</h1>
</div>
)
}
| import React from 'react'
import {LOGO_URL} from 'lib/constants'
const logo = {
fontFamily: `'Gill Sans', -apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, Oxygen-Sans, Ubuntu, Cantarell, 'Helvetica Neue', sans-serif`,
fontSize: '36px',
display: 'inline-block',
letterSpacing: 0,
paddingLeft: '5.5rem',
backgroundImage: `url(${LOGO_URL})`,
backgroundSize: '4rem',
lineHeight: '4rem',
backgroundRepeat: 'no-repeat',
fontWeight: 100,
whiteSpace: 'nowrap'
}
export default function Logo() {
return (
<div className='page-header text-center' style={{borderBottom: 'none'}}>
<h1 style={logo}>conveyal analysis</h1>
</div>
)
}
| Use the local LOGO image file | Use the local LOGO image file
| JavaScript | mit | conveyal/analysis-ui,conveyal/analysis-ui,conveyal/analysis-ui |
d92b54d2451bf838e141cf771120ee8ae6674913 | vue.config.js | vue.config.js | module.exports = {
pluginOptions: {
i18n: {
locale: 'en',
fallbackLocale: 'en',
localeDir: 'locales',
enableInSFC: false
}
}
}
| module.exports = {
publicPath: (process.env.NODE_ENV === 'production'
? '/sqid/sqid-ng-test/'
: '/'),
pluginOptions: {
i18n: {
locale: 'en',
fallbackLocale: 'en',
localeDir: 'locales',
enableInSFC: false
}
}
}
| Set publicPath for production builds | Set publicPath for production builds
| JavaScript | apache-2.0 | Wikidata/WikidataClassBrowser,Wikidata/WikidataClassBrowser,Wikidata/SQID,Wikidata/SQID,Wikidata/WikidataClassBrowser,Wikidata/SQID,Wikidata/SQID,Wikidata/SQID,Wikidata/SQID,Wikidata/SQID |
5e70dd977d246c7e7237a12ba739df20e10d577c | renderer/src/reducers/requestQueue.js | renderer/src/reducers/requestQueue.js | const requestQueue = (state = [], action) => {
switch (action.type) {
case 'SET_REQUEST_QUEUE':
console.warn(`REQUEST QUEUE ${action.payload}`); // eslint-disable-line
if (Array.isArray(action.payload)) {
state = action.payload;
}
return state;
default:
return state;
}
}
export default requestQueue;
| // TODO `state` should be an ImmutableJS data structure
const requestQueue = (state = [], action) => {
switch (action.type) {
case 'SET_REQUEST_QUEUE':
console.warn(`REQUEST QUEUE ${action.payload}`); // eslint-disable-line
if (Array.isArray(action.payload)) {
state = Object.assign({}, action.payload);
}
return state;
default:
return state;
}
}
export default requestQueue;
| Return a new object from reducer | Return a new object from reducer
| JavaScript | mit | plotly/dash,plotly/dash,plotly/dash,plotly/dash,plotly/dash |
46009b57e88f1c00e0a424630bd296848b00e7e0 | app/components/App.js | app/components/App.js | import React from 'react'
import AppBar from 'material-ui/lib/app-bar'
import Paper from 'material-ui/lib/paper'
import Theme from '../theme'
class App extends React.Component {
getChildContext () {
return {
muiTheme: Theme
}
}
render () {
const style = {
maxWidth: 800,
minWidth: 300,
minHeight: 300
}
return (
<Paper style={style} zDepth={1}>
<AppBar
title='Tasty Todos'
showMenuIconButton={false}
/>
</Paper>
)
}
}
App.childContextTypes = {
muiTheme: React.PropTypes.object
}
export default App
| import React from 'react'
import AppBar from 'material-ui/lib/app-bar'
import Paper from 'material-ui/lib/paper'
import Theme from '../theme'
class App extends React.Component {
getChildContext () {
return {
muiTheme: Theme
}
}
render () {
const style = {
maxWidth: 800,
minWidth: 300,
minHeight: 300
}
return (
<Paper style={style}>
<AppBar
title='Tasty Todos'
showMenuIconButton={false}
/>
</Paper>
)
}
}
App.childContextTypes = {
muiTheme: React.PropTypes.object
}
export default App
| Remove zDepth from Paper element | Remove zDepth from Paper element
| JavaScript | mit | rxlabs/tasty-todos,rxlabs/tasty-todos,rxlabs/tasty-todos |
d28fe196b962b27c3a48e09220638a6f2b6e1291 | scripts/build-lib.js | scripts/build-lib.js | import * as p from 'path';
import * as fs from 'fs';
import {rollup} from 'rollup';
import babel from 'rollup-plugin-babel';
const copyright = (
`/*
* Copyright ${new Date().getFullYear()}, Yahoo Inc.
* Copyrights licensed under the New BSD License.
* See the accompanying LICENSE file for terms.
*/
`
);
let babelConfig = JSON.parse(fs.readFileSync('src/.babelrc', 'utf8'));
babelConfig.babelrc = false;
babelConfig.presets = babelConfig.presets.map((preset) => {
return preset === 'es2015' ? 'es2015-rollup' : preset;
});
let bundle = rollup({
entry: p.resolve('src/index.js'),
external: [
p.resolve('locale-data/index.js'),
],
plugins: [
babel(babelConfig),
],
});
bundle.then(({write}) => write({
dest: p.resolve('lib/index.js'),
format: 'cjs',
banner: copyright,
}));
bundle.then(({write}) => write({
dest: p.resolve('lib/index.es.js'),
format: 'es6',
banner: copyright,
}));
process.on('unhandledRejection', (reason) => {throw reason;});
| import * as p from 'path';
import * as fs from 'fs';
import {rollup} from 'rollup';
import babel from 'rollup-plugin-babel';
const copyright = (
`/*
* Copyright ${new Date().getFullYear()}, Yahoo Inc.
* Copyrights licensed under the New BSD License.
* See the accompanying LICENSE file for terms.
*/
`
);
let babelConfig = JSON.parse(fs.readFileSync('src/.babelrc', 'utf8'));
babelConfig.babelrc = false;
babelConfig.presets = babelConfig.presets.map((preset) => {
return preset === 'es2015' ? 'es2015-rollup' : preset;
});
let bundle = rollup({
entry: p.resolve('src/index.js'),
external: [
p.resolve('locale-data/index.js'),
],
plugins: [
babel(babelConfig),
],
});
bundle.then(({write}) => write({
dest: p.resolve('lib/index.js'),
format: 'cjs',
banner: copyright,
}));
bundle.then(({write}) => write({
dest: p.resolve('lib/index.es.js'),
format: 'es',
banner: copyright,
}));
process.on('unhandledRejection', (reason) => {throw reason;});
| Update build script for Rollup change | Update build script for Rollup change
| JavaScript | bsd-3-clause | ericf/react-intl |
4cedab2937d5499ec51f66f57373feace2a9daa8 | www/softkeyboard.js | www/softkeyboard.js | function SoftKeyboard() {}
SoftKeyboard.prototype.show = function(win, fail) {
return cordova.exec(
function (args) { if(win) { win(args); } },
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "show", []);
};
SoftKeyboard.prototype.hide = function(win, fail) {
return cordova.exec(
function (args) { if(win) { win(args); } },
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "hide", []);
};
SoftKeyboard.prototype.isShowing = function(win, fail) {
return cordova.exec(
function (isShowing) {
if(win) {
isShowing = isShowing === 'true' ? true : false
win(isShowing);
}
},
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "isShowing", []);
};
SoftKeyboard.prototype.sendKey = function (keyCode, win, fail) {
return cordova.exec(
function (args) { if (win) { win(args); } },
function (args) { if (fail) { fail(args); } },
"SoftKeyboard", "sendKey", [ keyCode ]);
};
module.exports = new SoftKeyboard();
| function SoftKeyboard() {}
SoftKeyboard.prototype.show = function(win, fail) {
return cordova.exec(
function (args) { if(win) { win(args); } },
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "show", []);
};
SoftKeyboard.prototype.hide = function(win, fail) {
return cordova.exec(
function (args) { if(win) { win(args); } },
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "hide", []);
};
SoftKeyboard.prototype.isShowing = function(win, fail) {
return cordova.exec(
function (isShowing) {
if(win) {
isShowing = isShowing === 'true' ? true : false
win(isShowing);
}
},
function (args) { if(fail) { fail(args); } },
"SoftKeyboard", "isShowing", []);
};
SoftKeyboard.prototype.sendKey = function (keyCode, win, fail) {
return cordova.exec(
function (args) { if (win) { win(args); } },
function (args) { if (fail) { fail(args); } },
"SoftKeyboard", "sendKey", [ keyCode ]);
};
SoftKeyboard.prototype.sendTap = function (posx, posy, win, fail) {
return cordova.exec(
function (args) { if (win) { win(args); } },
function (args) { if (fail) { fail(args); } },
"SoftKeyboard", "sendTap", [ posx, posy ]);
};
module.exports = new SoftKeyboard();
| Add sendTap function to js | Add sendTap function to js
| JavaScript | mit | wagzee/PhoneGap-SoftKeyboard,wagzee/PhoneGap-SoftKeyboard |
6de68733589b6ad9e986c7a9fe872a6eee04fb55 | js/common.js | js/common.js | /**
*
* @type {{}}
*/
var Router = {};
/**
*
* @type {{}}
*/
var Model = {};
/**
*
* @type {{}}
*/
var view = {};
| console.log("Loaded in: ", this);
/**
*
* @type {{}}
*/
var Router = {
// https://developer.mozilla.org/en-US/docs/Web/API/History_API
};
/**
*
* @type {{}}
*/
var Model = {
// https://addyosmani.com/resources/essentialjsdesignpatterns/book/#observerpatternjquery
// see https://carldanley.com/js-observer-pattern/
};
/**
*
* @type {{}}
*/
var View = {
// Write by hand (no vendor template engine
// see http://ejohn.org/blog/javascript-micro-templating/
};
| Add docs to js code | Add docs to js code
| JavaScript | mit | easy-deep-learning/mvc-pure-js,easy-deep-learning/mvc-pure-js |
2ea83a3b5bf7ef906e1fc82e3a4a7ef81b31403e | app/routes/results.js | app/routes/results.js | import Ember from "ember";
import ResetScroll from '../mixins/reset-scroll';
export default Ember.Route.extend(ResetScroll, {
model: function() {
this.store.unloadAll("user");
return this.store.findQuery("user", { filter: "participants"} );
},
title: "KSI: Výsledky"
}); | import Ember from "ember";
import ResetScroll from '../mixins/reset-scroll';
export default Ember.Route.extend(ResetScroll, {
model: function() {
this.store.unloadAll("user");
return this.store.findQuery("user", { filter: "participants" , sort: "score" } );
},
title: "KSI: Výsledky"
});
| Modify score loading from backend. | Modify score loading from backend.
| JavaScript | mit | fi-ksi/web-frontend,fi-ksi/web-frontend,fi-ksi/web-frontend |
40ac2db3f43ffad6dd4f3a15075501174bfbbe03 | app/preload.js | app/preload.js | 'use strict'
const {ipcRenderer} = require('electron')
function navigate(url) {
history.replaceState(null, null, url)
const e = new Event('popstate')
window.dispatchEvent(e)
}
ipcRenderer.on('isPlaying', (event) => {
const isPlaying = !!document.querySelector('.playing')
event.sender.send('isPlaying', isPlaying)
})
ipcRenderer.on('navigate', (_, url) => {
navigate(url)
})
const Notification = window.Notification
ipcRenderer.on('notification', (_, title, body) => {
new Notification(title, { body, silent: true })
})
// Disable SoundCloud's own notifications, because:
// - They are not silent on macOS
// - They are hidden behind a feature flag
delete window.Notification
const confirm = window.confirm
window.confirm = function(message) {
// For some bizarre reason SoundCloud calls comfirm() with { string: 'The message' }
if (message && message.string)
return confirm(message.string)
else
return confirm(message)
}
| 'use strict'
const {ipcRenderer} = require('electron')
function navigate(url) {
history.replaceState(null, null, url)
const e = new Event('popstate')
window.dispatchEvent(e)
}
ipcRenderer.on('isPlaying', (event) => {
const isPlaying = !!document.querySelector('.playing')
event.sender.send('isPlaying', isPlaying)
})
ipcRenderer.on('navigate', (_, url) => {
navigate(url)
})
const Notification = window.Notification
ipcRenderer.on('notification', (_, title, body) => {
new Notification(title, { body, silent: true })
})
// Disable SoundCloud's own notifications, because:
// - They are not silent on macOS
// - They are hidden behind a feature flag
delete window.Notification
const confirm = window.confirm
window.confirm = function(message) {
// For some bizarre reason SoundCloud calls comfirm() with { string: 'The message' }
if (message && message.string)
return confirm(message.string)
else
return confirm(message)
}
// Facebook login pupup fails to close and notify the main SoundCloud window
// after a successful login because it relies on window.opener.frames being
// available in the popup.
//
// This is an ugly and fragile hack that utilizes the fact that SoundCloud
// provides a popup-less Facebook login link fallback in case the Facebook JS
// SDK is not available on the page (eg. blocked by the browser)
window.addEventListener('DOMContentLoaded', () => {
const css = document.createElement('style')
css.type = 'text/css'
css.innerHTML = '.signinInitialStep_fbButton { display: none !important }'
+ '.signinInitialStep_fbLink { display: block !important }'
document.body.appendChild(css)
})
| Add a hack to fix Facebook logins | Add a hack to fix Facebook logins
| JavaScript | mit | salomvary/soundcleod,fr34k8/soundcleod,salomvary/soundcleod,fr34k8/soundcleod,salomvary/soundcleod,fr34k8/soundcleod,fr34k8/soundcleod,salomvary/soundcleod |
7d4ec88e34dc37cb4d7a87fa81de39983f37a6e2 | src/net/request.js | src/net/request.js | /**
* @file Centrally configured web client.
* @module net/request
*/
'use strict'
// Imports
const requestStandard = require('request-promise-native')
// Configure
const request = requestStandard.defaults()
// Expose
module.exports = request
| /**
* @file Centrally configured web client.
* @module net/request
*/
'use strict'
// Imports
const userAgent = require('./useragent')
const requestStandard = require('request-promise-native')
// Configure
const request = requestStandard.defaults({
headers: {
'User-Agent': userAgent
}
})
// Expose
module.exports = request
| Set user agent for web client | Set user agent for web client
| JavaScript | unlicense | jestcrows/ethtaint,jestcrows/ethtaint |
844fdfc5a66ec88f0e573d53e099f2944068ad84 | src/pages/_blog.js | src/pages/_blog.js | import React from 'react';
import PropTypes from 'prop-types';
import PostList from '../components/PostList';
import H1 from '../components/H1';
import { FormattedMessage } from 'react-intl';
const Blog = (props) => {
return (
<section className="posts">
<header>
<FormattedMessage id="posts">
{(txt) => (
<H1>
{txt}
</H1>
)}
</FormattedMessage>
</header>
<PostList
posts={props.data.allMarkdownRemark.edges.map(p => p.node)}
/>
</section>
);
};
Blog.propTypes = {
data: PropTypes.object.isRequired
};
export default Blog;
| import React from 'react';
import PropTypes from 'prop-types';
import PostList from '../components/PostList';
import H1 from '../components/H1';
import Helmet from 'react-helmet';
import { FormattedMessage } from 'react-intl';
const Blog = (props) => {
return (
<section className="posts">
<FormattedMessage id="posts">
{(txt) => (
<header>
<Helmet
title={txt}
meta={[{ name: 'description', content: txt }]}
/>
<H1>
{txt}
</H1>
</header>
)}
</FormattedMessage>
<PostList
posts={props.data.allMarkdownRemark.edges.map(p => p.node)}
/>
</section>
);
};
Blog.propTypes = {
data: PropTypes.object.isRequired
};
export default Blog;
| Add helmet to posts page | Add helmet to posts page
| JavaScript | mit | angeloocana/angeloocana,angeloocana/angeloocana |
08fb751ba5f6b9c63f4a630f18a473e90f708440 | src/Scenes/InventoryScene.js | src/Scenes/InventoryScene.js | import React from 'react'
import InventoryContainer from '../containers/InventoryContainer'
import ShadowBox from '../Components/ShadowBox'
import FlexDiv from '../Components/FlexDiv'
const InventoryBox = ShadowBox.extend`
width:100%;
margin:10px;
`
const InventoryDiv = FlexDiv.extend`
width:50%;
margin-top: 50px;
`
const InventoryScene = () => {
const maltColumns = [
{name: "Malt Name", type: "text"},
{name: "Amount", type: "number"}
]
const yeastColumns = [
{name: "Yeast Name", type: "text"},
{name: "Amount", type: "number"}
]
const hopColumns = [
{name: "Hop Name", type: "text"},
{name: "Amount", type: "number"}
]
return(
<InventoryDiv>
<InventoryBox>
<InventoryContainer name="malt" columns={maltColumns} displayLimit={5} />
</InventoryBox>
<InventoryBox>
<InventoryContainer name="yeast" columns={yeastColumns} displayLimit={5} />
</InventoryBox>
<InventoryBox>
<InventoryContainer name="hops" columns={hopColumns} displayLimit={5} />
</InventoryBox>
</InventoryDiv>
)
}
export default InventoryScene | import React from 'react'
import InventoryContainer from '../containers/InventoryContainer'
import ShadowBox from '../Components/ShadowBox'
import FlexDiv from '../Components/FlexDiv'
const InventoryBox = ShadowBox.extend`
width:100%;
margin:10px;
`
const InventoryDiv = FlexDiv.extend`
width:50%;
margin-top: 50px;
`
const InventoryScene = () => {
const maltColumns = [
{name: "Malt Name", type: "text"},
{name: "Amount", type: "number"}
]
const yeastColumns = [
{name: "Yeast Name", type: "text"},
{name: "Amount", type: "number"}
]
const hopColumns = [
{name: "Hop Name", type: "text"},
{name: "Amount", type: "number"}
]
return(
<InventoryDiv>
<InventoryBox>
<InventoryContainer name="malt" columns={maltColumns} displayLimit={5} />
<a href="/inventory/malt">Malt</a>
</InventoryBox>
<InventoryBox>
<InventoryContainer name="yeast" columns={yeastColumns} displayLimit={5} />
<a href="/inventory/yeast">Yeast</a>
</InventoryBox>
<InventoryBox>
<InventoryContainer name="hops" columns={hopColumns} displayLimit={5} />
<a href="/inventory/hops">Hops</a>
</InventoryBox>
</InventoryDiv>
)
}
export default InventoryScene | Add links to idvidual inventory scenes | Add links to idvidual inventory scenes
| JavaScript | mit | severnsc/brewing-app,severnsc/brewing-app |
88ec9bc093677807e411f867c6440e995928cab2 | index.next.js | index.next.js | /**
* Try to make loopable any kind of javascript primitive
* @param {array|number|string|object|Map|Set} collection - hopefully something that we can loop
* @returns {Array} it will return always an array
*/
export default function looppa(collection) {
// handle falsy values
if (!collection) {
return [];
}
// handle objects with an 'entries' function
// such as: Arrays, Maps, Sets, NodeLists...
if (typeof collection.entries === 'function') {
return [...collection.entries()];
}
// handle numbers and strings
switch (typeof collection) {
case 'number':
return Array.from({ length: collection }, (v, key) => key);
case 'string':
return collection.split('');
default:
// Default for all other object types, booleans and symbols
return Object
.keys(collection)
.map((key) => {
return [key, collection[key]];
});
}
}
| /**
* Try to make loopable any kind of javascript primitive
* @param {array|number|string|object|Map|Set} collection - hopefully something that we can loop
* @returns {Array} it will return always an array
*/
export default function looppa(collection) {
// handle falsy values
if (!collection) {
return [];
}
// handle objects with an 'entries' function
// such as: Arrays, Maps, Sets, NodeLists...
if (typeof collection.entries === 'function') {
return [...collection.entries()];
}
// handle numbers
if (typeof collection === 'number') {
return Array.from({ length: collection }, (v, key) => [key, key]);
}
// Default for all other object types, strings, booleans and symbols
return Object
.keys(collection)
.map((key) => {
return [key, collection[key]];
});
}
| Normalize string and number values to return [key, value] as well | [entries] Normalize string and number values to return [key, value] as well
| JavaScript | mit | dreipol/looppa |
9f6685cc818cd1158ba72179a831c7695a456576 | src/browser/tray/app-tray.js | src/browser/tray/app-tray.js | import { app, Menu, Tray } from 'electron';
import path from 'path';
function setTrayMenu() {
let iconPath = path.join(__dirname, '../../../resources/tray.png');
let tray = new Tray(iconPath);
const contextMenu = Menu.buildFromTemplate([
{
label: 'Open Window',
click() { app.emit('openWindow'); }
},
{
label: 'Preferences',
click() { app.emit('openPreferences'); }
},
{
label: 'Quit',
click: function() { app.quit(); }
}
]);
tray.setToolTip('ClockwiseMD');
tray.setContextMenu(contextMenu);
return tray;
}
export default setTrayMenu;
| import { app, Menu, Tray } from 'electron';
import path from 'path';
function setTrayMenu() {
let iconPath = path.join(__dirname, '../../../resources/tray.png');
let tray = new Tray(iconPath);
const contextMenu = Menu.buildFromTemplate([
{
label: 'Open Window',
click() { app.emit('openWindow'); }
},
{
label: 'Preferences',
click() { app.emit('openPreferences'); }
},
{
label: 'Quit',
click: function() { app.quit(); }
}
]);
tray.setToolTip('ClockwiseMD');
tray.setContextMenu(contextMenu);
tray.on('double-click', () => { app.emit('openWindow'); });
return tray;
}
export default setTrayMenu;
| Support double-clicking tray icon in Windows | Support double-clicking tray icon in Windows
| JavaScript | mit | LightshedHealth/clockwise-app,LightshedHealth/clockwise-app |
ccaed5a04306a6bdf94279a38638de66c3bf188d | src/str-replace.js | src/str-replace.js | var replaceAll = function( occurrences ) {
var configs = this;
return {
from: function( target ) {
return {
to: function( replacement ) {
var template;
var index = -1;
if ( configs.ignoringCase ) {
template = occurrences.toLowerCase();
while((
index = target
.toLowerCase()
.indexOf(
template,
index === -1 ? 0 : index + replacement.length
)
) !== -1 ) {
target = target
.substring( 0, index ) +
replacement +
target.substring( index + replacement.length );
}
return target;
}
return target.split( occurrences ).join( replacement );
}
};
},
ignoringCase: function() {
return replaceAll.call({
ignoringCase: true
}, occurrences );
}
};
};
var replace = function( occurrences ) {
return {
from: function( target ) {
return {
to: function( replacement ) {
return target.replace( occurrences, replacement );
}
};
}
};
};
replace.all = replaceAll;
module.exports = replace;
| var CreateReplaceDefinition = function( replaceAlgorithm ) {
var ReplaceDefinition = function( occurrences ) {
var definitionContext = this;
return {
ignoringCase: function() {
return ReplaceDefinition.call({
ignoringCase: true
}, occurrences );
},
from: function( target ) {
return ReplaceOperation(function executeReplace( replacement ) {
return replaceAlgorithm.call( definitionContext, occurrences, replacement, target );
});
}
};
};
return ReplaceDefinition;
};
var ReplaceOperation = function( replaceExecution ) {
return {
to: replaceExecution
};
};
var replaceAll = CreateReplaceDefinition(function( occurrences, replacement, target ) {
var template;
var index = -1;
if ( this.ignoringCase ) {
template = occurrences.toLowerCase();
while((
index = target
.toLowerCase()
.indexOf(
template,
index === -1 ? 0 : index + replacement.length
)
) !== -1 ) {
target = target
.substring( 0, index ) +
replacement +
target.substring( index + replacement.length );
}
return target;
}
return target.split( occurrences ).join( replacement );
});
var replace = CreateReplaceDefinition(function( occurrences, replacement, target ) {
return target.replace( occurrences, replacement );
});
replace.all = replaceAll;
module.exports = replace;
| Refactor the replace so the types are consistent with the docs | Refactor the replace so the types are consistent with the docs
| JavaScript | mit | FagnerMartinsBrack/str-replace |
6b4bed7a0dd552ceffec8e26d483aadc730fae0a | lib/cli/init/template/index.js | lib/cli/init/template/index.js | 'use strict';
const bootstrap = require('hof-bootstrap');
const settings = require('./hof.settings.json');
settings.routes = settings.routes.map(route => require(route));
settings.start = false;
module.exports = bootstrap(settings);
| 'use strict';
const bootstrap = require('hof-bootstrap');
const settings = require('./hof.settings.json');
settings.routes = settings.routes.map(route => require(route));
settings.root = __dirname;
settings.start = false;
module.exports = bootstrap(settings);
| Fix application root in configuration to allow any execution path | Fix application root in configuration to allow any execution path
| JavaScript | mit | UKHomeOfficeForms/hof-generator,UKHomeOfficeForms/hof-generator |
8e530a6504d8fb1e749cb85397df729eed1b87ee | lib/express-sanitize-escape.js | lib/express-sanitize-escape.js | /*!
* express-sanitized
* MIT Licensed
*/
/**
* Module dependencies.
*/
var _ = require('lodash');
var sanitizer = require('sanitizer');
var htmlencode = require('htmlencode');
/**
* Simple middleware that wraps sanitzer and can be exposed
* at the app.use router layer and apply to all methods.
* This is best used for APIs where it is very unlikely
* you would need to pass back and forth html entities
*
* @return {Function}
* @api public
*
*/
module.exports = function expressSanitized() {
return function expressSanitized(req, res, next) {
[req.body, req.query, req.params].forEach(function (val, ipar, request) {
if (_.size(val)) {
request[ipar] = sanitize(request[ipar])
}
});
next();
}
};
function sanitize(obj) {
if (typeof obj === 'string') {
return htmlencode.htmlEncode(sanitizer.sanitize(obj));
}
if (obj instanceof Object) {
Object.keys(obj).forEach(function(prop) {
obj[prop] = sanitize(obj[prop]);
});
return obj;
}
return obj;
}
| /*!
* express-sanitized
* MIT Licensed
*/
/**
* Module dependencies.
*/
var _ = require('lodash');
var sanitizer = require('sanitizer');
var htmlencode = require('htmlencode');
/**
* Simple middleware that wraps sanitzer and can be exposed
* at the app.use router layer and apply to all methods.
* This is best used for APIs where it is very unlikely
* you would need to pass back and forth html entities
*
* @return {Function}
* @api public
*
*/
module.exports = function expressSanitized() {
return function expressSanitized(req, res, next) {
[req.body, req.query].forEach(function (val, ipar, request) {
if (_.size(val)) {
request[ipar] = sanitize(request[ipar])
}
});
next();
}
};
module.exports.sanitizeParams = function(router, paramNames)
{
paramNames.forEach(function(paramName)
{
router.param(paramName, function(req, res, next)
{
req.params[paramName] = sanitize(req.params[paramName]);
next();
});
});
}
function sanitize(obj) {
if (typeof obj === 'string') {
return htmlencode.htmlEncode(sanitizer.sanitize(obj));
}
if (obj instanceof Object) {
Object.keys(obj).forEach(function(prop) {
obj[prop] = sanitize(obj[prop]);
});
return obj;
}
return obj;
}
| Revert sanitizing req.params, add export function for sanitizing params of a router. | Revert sanitizing req.params, add export function for sanitizing params of a router.
| JavaScript | mit | fingerfoodstudios/express-sanitize-escape |
d6352974af87586d45ce5bece8a868aec20c23c7 | src/utils/fbapi.js | src/utils/fbapi.js | import jsonToQueryString from 'utils/jsonToQueryString'
export default function fbapi (path, queryParams, callback) {
return fetch(
`https://graph.facebook.com/v2.8/${ path }?${ jsonToQueryString(queryParams) }&access_token=${ process.env.FACEBOOK_ACCESS_TOKEN }`,
{
method: 'GET',
headers: {
'Content-Type': 'application/json'
}
}
).then(
response => response.json()
).then(
callback
)
}
| import jsonToQueryString from 'utils/jsonToQueryString'
export default function fbapi (path, queryParams, callback) {
return fetch(
`https://graph.facebook.com/v2.8/${ path }?${ jsonToQueryString(queryParams) }&access_token=${ process.env.FACEBOOK_ACCESS_TOKEN }`,
{ method: 'GET' }
).then(
response => response.json()
).then(
callback
)
}
| Make facebook api calls simple http requests. | Make facebook api calls simple http requests.
This kills the preflight requests and other possible hiccups.
| JavaScript | mit | sunyang713/sabor-website,sunyang713/sabor-website |
20c7b83bf005c4abfe2280c130a3e018f3767a75 | asmjsunpack-worker.js | asmjsunpack-worker.js |
// asmjsunpack-worker.js: this file is concatenated at the end of unpack.js.
// This file implements a worker that responds to a single initial message containing a url to
// fetch and unpack and the name of the callback to pass into decoding. The worker responds by
// transfering an Int8Array view of the decoded utf8 chars.
onmessage = function(e) {
var url = e.data.url;
var callbackName = e.data.callbackName;
var xhr = new XMLHttpRequest();
xhr.open("GET", url, true);
xhr.responseType = 'arraybuffer';
xhr.onerror = function (e) {
postMessage('Loading ' + url + ' failed');
}
xhr.onload = function (e) {
try {
var bef = Date.now();
var utf8 = unpack(xhr.response, callbackName);
var aft = Date.now();
console.log("Unpack of " + url + " took " + (aft - bef) + "ms");
postMessage(new Blob([utf8]));
} catch (e) {
postMessage("Failed to unpack " + url + " in worker: " + e);
}
}
xhr.send(null);
close();
}
|
// asmjsunpack-worker.js: this file is concatenated at the end of unpack.js.
// This file implements a worker that responds to a single initial message containing a url to
// fetch and unpack and the name of the callback to pass into decoding. The worker responds by
// transfering an Int8Array view of the decoded utf8 chars.
onmessage = function(e) {
var url = e.data.url;
var callbackName = e.data.callbackName;
var xhr = new XMLHttpRequest();
xhr.open("GET", url, true);
xhr.responseType = 'arraybuffer';
xhr.onerror = function (e) {
postMessage('Loading ' + url + ' failed');
}
xhr.onload = function (e) {
if (xhr.status !== 200) {
postMessage("failed to download " + url + " with status: " + xhr.statusText);
} else {
try {
var bef = Date.now();
var utf8 = unpack(xhr.response, callbackName);
var aft = Date.now();
console.log("unpack of " + url + " took " + (aft - bef) + "ms");
postMessage(new Blob([utf8]));
} catch (e) {
postMessage("failed to unpack " + url + ": " + e);
}
}
self.close();
}
xhr.send(null);
}
| Improve error handling and fix dopey close() placement | Improve error handling and fix dopey close() placement
| JavaScript | apache-2.0 | lukewagner/asm.js-pack,lukewagner/asm.js-pack |
a16584df15f0e30a19c538b30440a8d7814724f5 | background.js | background.js | /*
* Pattern matching the prefix of at least one stripped query string
* parameter. We'll search the query string portion of the URL for this
* pattern to determine if there's any stripping work to do.
*/
var searchPattern = new RegExp('utm_|clid|mkt_tok', 'i');
/*
* Pattern matching the query string parameters (key=value) that will be
* stripped from the final URL.
*/
var replacePattern = new RegExp('([?&](mkt_tok|(g|fb)clid|utm_(source|medium|term|campaign|content|cid|reader|referrer|name))=[^&#]*)', 'ig');
chrome.webRequest.onBeforeRequest.addListener(function(details) {
var url = details.url;
var queryStringIndex = url.indexOf('?');
if (url.search(searchPattern) > queryStringIndex) {
var stripped = url.replace(replacePattern, '');
if (stripped.charAt(queryStringIndex) === '&') {
stripped = stripped.substr(0, queryStringIndex) + '?' +
stripped.substr(queryStringIndex + 1)
}
if (stripped != url) {
return {redirectUrl: stripped};
}
}
},
{urls: ['https://*/*?*', 'http://*/*?*'], types: ['main_frame']}, ['blocking']);
| /*
* Pattern matching the prefix of at least one stripped query string
* parameter. We'll search the query string portion of the URL for this
* pattern to determine if there's any stripping work to do.
*/
var searchPattern = new RegExp('utm_|clid|mkt_tok', 'i');
/*
* Pattern matching the query string parameters (key=value) that will be
* stripped from the final URL.
*/
var replacePattern = new RegExp(
'([?&]' +
'(mkt_tok|(g|fb)clid|utm_(source|medium|term|campaign|content|cid|reader|referrer|name))' +
'=[^&#]*)',
'ig');
chrome.webRequest.onBeforeRequest.addListener(function(details) {
var url = details.url;
var queryStringIndex = url.indexOf('?');
if (url.search(searchPattern) > queryStringIndex) {
var stripped = url.replace(replacePattern, '');
if (stripped.charAt(queryStringIndex) === '&') {
stripped = stripped.substr(0, queryStringIndex) + '?' +
stripped.substr(queryStringIndex + 1)
}
if (stripped != url) {
return {redirectUrl: stripped};
}
}
},
{urls: ['https://*/*?*', 'http://*/*?*'], types: ['main_frame']}, ['blocking']);
| Split replacement pattern over multiple lines | Split replacement pattern over multiple lines
This makes it a little more readable and maintainable.
| JavaScript | mit | jparise/chrome-utm-stripper |
36d1926ca047721a3b86c7798e398f078d7dccc0 | base-event.js | base-event.js | var Delegator = require('dom-delegator')
module.exports = BaseEvent
function BaseEvent(lambda) {
return EventHandler;
function EventHandler(fn, data, opts) {
var handler = {
fn: fn,
data: typeof data != 'undefined' ? data : {},
opts: opts || {},
handleEvent: handleEvent
}
if (fn && fn.type === 'dom-delegator-handle') {
return Delegator.transformHandle(fn,
handleLambda.bind(handler))
}
return handler;
}
function handleLambda(ev, broadcast) {
if (this.opts.startPropagation && ev.startPropagation) {
ev.startPropagation();
}
return lambda.call(this, ev, broadcast)
}
function handleEvent(ev) {
var self = this
if (self.opts.startPropagation && ev.startPropagation) {
ev.startPropagation()
}
lambda.call(self, ev, broadcast)
function broadcast(value) {
if (typeof self.fn === 'function') {
self.fn(value)
} else {
self.fn.write(value)
}
}
}
}
| var Delegator = require('dom-delegator')
module.exports = BaseEvent
function BaseEvent(lambda) {
return EventHandler;
function EventHandler(fn, data, opts) {
var handler = {
fn: fn,
data: data !== undefined ? data : {},
opts: opts || {},
handleEvent: handleEvent
}
if (fn && fn.type === 'dom-delegator-handle') {
return Delegator.transformHandle(fn,
handleLambda.bind(handler))
}
return handler;
}
function handleLambda(ev, broadcast) {
if (this.opts.startPropagation && ev.startPropagation) {
ev.startPropagation();
}
return lambda.call(this, ev, broadcast)
}
function handleEvent(ev) {
var self = this
if (self.opts.startPropagation && ev.startPropagation) {
ev.startPropagation()
}
lambda.call(self, ev, broadcast)
function broadcast(value) {
if (typeof self.fn === 'function') {
self.fn(value)
} else {
self.fn.write(value)
}
}
}
}
| Use a better undefined check | Use a better undefined check
| JavaScript | mit | bendrucker/value-event,eightyeight/value-event,malthejorgensen/value-event,tommymessbauer/value-event,Raynos/value-event |
b642058de0f2acaea96d593aa3163a40f898c532 | corehq/apps/accounting/static/accounting/js/enterprise_settings.js | corehq/apps/accounting/static/accounting/js/enterprise_settings.js | hqDefine("accounting/js/enterprise_settings", [
'jquery',
'knockout',
'underscore',
'hqwebapp/js/assert_properties',
'hqwebapp/js/initial_page_data',
], function(
$,
ko,
_,
assertProperties,
initialPageData
) {
var settingsFormModel = function(options) {
assertProperties.assert(options, ['accounts_email'], ['restrict_signup', 'restricted_domains']);
var self = {};
self.restrictSignup = ko.observable(options.restrict_signup);
var context = {
domains: options.restricted_domains.join(", "),
email: options.accounts_email,
};
self.restrictSignupHelp = _.template(gettext("Do not allow new users to sign up on commcarehq.org." +
"<br>This will affect users with email addresses from the following domains: " +
"<strong><%= domains %></strong>" +
"<br>Contact <a href='mailto:<%= email %>'><%= email %></a> to change the list of domains."))(context);
return self;
};
$(function() {
var form = settingsFormModel({
accounts_email: initialPageData.get('accounts_email'),
restricted_domains: initialPageData.get('restricted_domains'),
restrict_signup: initialPageData.get('restrict_signup'),
});
$('#enterprise-settings-form').koApplyBindings(form);
});
});
| hqDefine("accounting/js/enterprise_settings", [
'jquery',
'knockout',
'underscore',
'hqwebapp/js/assert_properties',
'hqwebapp/js/initial_page_data',
], function(
$,
ko,
_,
assertProperties,
initialPageData
) {
var settingsFormModel = function(options) {
assertProperties.assert(options, ['accounts_email'], ['restrict_signup', 'restricted_domains']);
var self = {};
self.restrictSignup = ko.observable(options.restrict_signup);
var context = {
domains: options.restricted_domains.join(", "),
email: options.accounts_email,
};
self.restrictSignupHelp = _.template(gettext("Do not allow new users to sign up on commcarehq.org. " +
"This may take up to an hour to take effect. " +
"<br>This will affect users with email addresses from the following domains: " +
"<strong><%= domains %></strong>" +
"<br>Contact <a href='mailto:<%= email %>'><%= email %></a> to change the list of domains."))(context);
return self;
};
$(function() {
var form = settingsFormModel({
accounts_email: initialPageData.get('accounts_email'),
restricted_domains: initialPageData.get('restricted_domains'),
restrict_signup: initialPageData.get('restrict_signup'),
});
$('#enterprise-settings-form').koApplyBindings(form);
});
});
| Add help text to enterprise settings | Add help text to enterprise settings
| JavaScript | bsd-3-clause | dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq |
46bd24994ae6b47d3e1a953727c507fea6f6d17f | lib/rules/space-after-comma.js | lib/rules/space-after-comma.js | 'use strict';
var helpers = require('../helpers');
module.exports = {
'name': 'space-after-comma',
'defaults': {
'include': true
},
'detect': function (ast, parser) {
var result = [];
ast.traverseByTypes(['operator', 'delimiter'], function (operator, i, parent) {
var next;
if (operator.content === ',') {
next = parent.content[i + 1];
if (next) {
if (operator.is('delimiter')) {
if (next.is('simpleSelector')) {
next = next.content[0];
}
}
if ((next.is('space') && !helpers.hasEOL(next.content)) && !parser.options.include) {
result = helpers.addUnique(result, {
'ruleId': parser.rule.name,
'line': next.start.line,
'column': next.start.column,
'message': 'Commas should not be followed by a space',
'severity': parser.severity
});
}
if (!next.is('space') && parser.options.include) {
result = helpers.addUnique(result, {
'ruleId': parser.rule.name,
'line': operator.start.line,
'column': operator.start.column,
'message': 'Commas should be followed by a space',
'severity': parser.severity
});
}
}
}
});
return result;
}
};
| 'use strict';
var helpers = require('../helpers');
module.exports = {
'name': 'space-after-comma',
'defaults': {
'include': true
},
'detect': function (ast, parser) {
var result = [];
ast.traverseByTypes(['operator', 'delimiter'], function (operator, i, parent) {
var next,
doubleNext;
if (operator.content === ',') {
next = parent.content[i + 1] || false;
doubleNext = parent.content[i + 2] || false;
if (next) {
if (operator.is('delimiter')) {
if (next.is('selector')) {
next = next.content[0];
}
}
if ((next.is('space') && !helpers.hasEOL(next.content)) && !parser.options.include) {
if (doubleNext && doubleNext.is('singlelineComment')) {
return false;
}
result = helpers.addUnique(result, {
'ruleId': parser.rule.name,
'line': next.start.line,
'column': next.start.column,
'message': 'Commas should not be followed by a space',
'severity': parser.severity
});
}
if (!next.is('space') && parser.options.include) {
result = helpers.addUnique(result, {
'ruleId': parser.rule.name,
'line': operator.start.line,
'column': operator.start.column,
'message': 'Commas should be followed by a space',
'severity': parser.severity
});
}
}
}
});
return result;
}
};
| Refactor rule to work with gonzales 3.2.1 | :art: Refactor rule to work with gonzales 3.2.1
| JavaScript | mit | srowhani/sass-lint,flacerdk/sass-lint,srowhani/sass-lint,DanPurdy/sass-lint,sktt/sass-lint,sasstools/sass-lint,sasstools/sass-lint,bgriffith/sass-lint |
1521921c93bbd2ef6cf3b05a0fd391c99ced851a | matrix.js | matrix.js | var Matrix = function(rowLength) {
this.matrix = new Array;
if(rowLength) {
for(var i = 0; i < rowLength; i++) {
this.matrix.push(new Array);
}
}
}
| var Matrix = function(rowLength) {
if(rowLength) {
this.matrix = new Array;
for(var i = 0; i < rowLength; i++) {
this.matrix.push(new Array);
}
}
else {
this.matrix = new Array(new Array);
}
}
Matrix.prototype.find = function(value) {
var coordinates;
this.matrix.forEach(function(row, rIndex) {
row.forEach(function(cell, cIndex) {
if(cell === value) {
coordinates = {
x: cIndex,
y: rIndex
}
}
});
});
return coordinates;
};
| Add find function for Matrix | Add find function for Matrix
| JavaScript | mit | peternatewood/pac-man-replica,peternatewood/pac-man-replica |
c0398e1654be8d9ee2b29a8388f5228dd853d7d9 | assets/javascripts/bbcode_color_dialect.js | assets/javascripts/bbcode_color_dialect.js | (function() {
Discourse.Dialect.inlineBetween({
start: "[color=",
stop: "[/color]",
rawContents: true,
emitter: function(contents) {
var matches = contents.match(/(.+)](.*)/);
if (matches) {
return ['span', {style: "color: " + matches[1] + ";"}, matches[2]];
}
}
});
})();
| (function() {
Discourse.Dialect.inlineBetween({
start: "[color=",
stop: "[/color]",
rawContents: true,
emitter: function(contents) {
var matches = contents.match(/(.+)](.*)/);
if (matches) {
return ['font', {color: matches[1]}, matches[2]];
}
}
});
Discourse.Markdown.whiteListTag('font', 'color', /\w+/);
Discourse.Markdown.whiteListTag('font', 'color', /#[0-9A-Fa-f]+/);
})();
| Use font tags, whitelist the used font tags | Use font tags, whitelist the used font tags
| JavaScript | mit | dandv/discourse-bbcode-color,dandv/discourse-bbcode-color,discourse/discourse-bbcode-color,discourse/discourse-bbcode-color |
b26f0e00a67c3242198232ec05e0cd50ddbea28f | client/main.js | client/main.js | /*
######################################
# Authentication Components #
######################################
*/
/*
Register component
*/
/*
Login component
*/
/*
######################################
# Graphing Components #
######################################
*/
/*
######################################
# Social Wall Components #
######################################
*/
/*
Post component
Used to show wall posts
*/
/*
Wall component
Shows posts in walls
*/
/*
Post Form Component
This can be used to make posts on walls
*/
ReactDOM.render(
<h1>Hello, world!</h1>,
document.getElementById('example')
); | /*
######################################
# Authentication Components #
######################################
*/
/*
Register component
*/
var RegisterForm = React.createClass({
render: function () {
return (
<div className="registerForm">
<label for="username">Username</label>
<input type="text" name="username" placeholder="Username">
<label for="password">Password</label>
<input type="text" name="password" placeholder="Password">
</div>
);
}
});
/*
Login component
*/
/*
######################################
# Graphing Components #
######################################
*/
/*
######################################
# Social Wall Components #
######################################
*/
/*
Post component
Used to show wall posts
*/
/*
Wall component
Shows posts in walls
*/
/*
Post Form Component
This can be used to make posts on walls
*/
ReactDOM.render(
<h1>Hello, world!</h1>,
document.getElementById('example')
); | Add basic html for registration component | Add basic html for registration component
| JavaScript | mit | Squarific/SmartHome,Squarific/SmartHome,Squarific/SmartHome |
9b807c4be024214bba8684ed9343eecc06c83010 | both/router/routes.js | both/router/routes.js | /*****************************************************************************/
/* Client and Server Routes */
/*****************************************************************************/
Router.configure({
layoutTemplate: 'MasterLayout',
loadingTemplate: 'Loading',
notFoundTemplate: 'NotFound'
});
Router.route('/', {
name: 'marketing'
});
Router.route('/pages', {
name: 'pages.index'
});
Router.route('/pages/new', {
name: 'pages.new'
});
Router.route('/pages/:_id', {
name: 'pages.show'
});
Router.route('/settings', {
name: 'settings.index'
});
Router.route('/users/:_id', {
name: 'users.show'
});
Router.route('/users/:_id/edit', {
name:'users.edit'
});
var requireLogin = function () {
if (!Meteor.user()) {
if (Meteor.loggingIn()) {
this.render(this.loadingTemplate);
} else {
this.render('AccessDenied');
}
} else {
this.next();
}
};
Router.onBeforeAction('dataNotFound');
Router.onBeforeAction(requireLogin, { only: 'pages.index' });
| /*****************************************************************************/
/* Client and Server Routes */
/*****************************************************************************/
Router.configure({
layoutTemplate: 'MasterLayout',
loadingTemplate: 'Loading',
notFoundTemplate: 'NotFound'
});
Router.route('/', {
name: 'marketing'
});
Router.route('/pages', {
name: 'pages.index'
});
Router.route('/pages/new', {
name: 'pages.new'
});
Router.route('/pages/:_id', {
name: 'pages.show'
});
Router.route('/settings', {
name: 'settings.index'
});
Router.route('/users/:_id', {
name: 'users.show'
});
Router.route('/users/:_id/edit', {
name:'users.edit'
});
var requireLogin = function () {
if (!Meteor.user()) {
if (Meteor.loggingIn()) {
this.render(this.loadingTemplate);
} else {
this.render('AccessDenied');
}
} else {
this.next();
}
};
Router.onBeforeAction('dataNotFound');
Router.onBeforeAction(requireLogin, {
only: [
'pages.index',
'pages.new',
'settings.index',
'users.show',
'users.edit'
]
});
| Add more private pages to access denied list | Add more private pages to access denied list
| JavaScript | mit | bojicas/letterhead,bojicas/letterhead |
97e729591adb5d3be842c4a164493cf2f607bcf1 | mdMenu.js | mdMenu.js | var fs = require('fs');
var mdTarget = 'styleguide.md';
fs.readFile(mdTarget, function(err, data) {
if (err) throw err;
var reg = /#{1,6}\s[^\r\n|\r|\n]+/g;
var headersArr = data.toString().match(reg);
var res = '';
// todo: optimize
headersArr = headersArr.map(function(header) {
header = header.replace(/#{1,6}\s/g, '').trim();
return '[' + header + '](#' + header.replace(/&|\//g, '').replace(/\s/g, '-').toLowerCase() + ')';
});
fs.writeFile('test.md', headersArr.join('\n'), function (err) {
if (err) throw err;
console.log('It\'s saved!');
});
}); | var fs = require('fs');
var config = {
target: 'styleguide.md',
cascade: true,
firstLevel: 2
};
fs.readFile(config.target, function(err, data) {
if (err) throw err;
var regexp = /#{1,6}\s[^\r\n|\r|\n]+/g;
var headersArr = data.toString().match(regexp);
// todo: optimize
headersArr = headersArr.map(function(header) {
var tabs = '';
if (config.cascade) {
// Detect level of header
var level = (header.match(/#/g) || []).length;
// Save tabs if needed
tabs = new Array(level - config.firstLevel + 1).join('\t');
}
// Remove unnecessary symbols (#) and trim the string.
header = header.replace(/#{1,6}\s/g, '').trim();
return tabs + '* [' + header + '](#' + header.replace(/&|\//g, '').replace(/\s/g, '-').toLowerCase() + ')';
});
fs.writeFile('test.md', headersArr.join('\r\n'), function (err) {
if (err) throw err;
console.log('It\'s saved!');
});
}); | Add config and cascade for menu. | Add config and cascade for menu.
| JavaScript | mit | jesprider/md-menu |
f66b406ff0fc60794885d3a998394775f7f8f892 | template/electron/renderer/index.js | template/electron/renderer/index.js | require('babel-register')({ extensions: ['.jsx'] });
const app = require('hadron-app');
const React = require('react');
const ReactDOM = require('react-dom');
const AppRegistry = require('hadron-app-registry');
const DataService = require('mongodb-data-service');
const Connection = require('mongodb-connection-model');
const {{pascalcase name}}Component = require('../../lib/components');
const {{pascalcase name}}Store = require('../../lib/stores');
const {{pascalcase name}}Actions = require('../../lib/actions');
// const CONNECTION = new Connection({
// hostname: '127.0.0.1',
// port: 27018,
// ns: '{{slugcase name}}',
// mongodb_database_name: 'admin'
// });
global.hadronApp = app;
global.hadronApp.appRegistry = new AppRegistry();
global.hadronApp.appRegistry.registerStore('{{pascalcase name}}.Store', {{pascalcase name}}Store);
global.hadronApp.appRegistry.registerAction('{{pascalcase name}}.Actions', {{pascalcase name}}Actions);
// const dataService = new DataService(CONNECTION);
// dataService.onDataServiceInitialized(dataService);
// global.hadronApp.appRegistry.onActivated();
// dataService.connect((error, ds) => {
// global.hadronApp.dataService = ds;
// global.hadronApp.appRegistry.onConnected(error, ds);
// });
ReactDOM.render(
React.createElement({{pascalcase name}}Component),
document.getElementById('container')
);
| require('babel-register')({ extensions: ['.jsx'] });
const app = require('hadron-app');
const React = require('react');
const ReactDOM = require('react-dom');
const AppRegistry = require('hadron-app-registry');
const DataService = require('mongodb-data-service');
const Connection = require('mongodb-connection-model');
const {{pascalcase name}}Component = require('../../lib/components');
// const CONNECTION = new Connection({
// hostname: '127.0.0.1',
// port: 27018,
// ns: '{{slugcase name}}',
// mongodb_database_name: 'admin'
// });
const entryPoint = require('../../');
const appRegistry = new AppRegistry();
global.hadronApp = app;
global.hadronApp.appRegistry = appRegistry;
entryPoint.activate(appRegistry);
// const dataService = new DataService(CONNECTION);
// dataService.onDataServiceInitialized(dataService);
// global.hadronApp.appRegistry.onActivated();
// dataService.connect((error, ds) => {
// global.hadronApp.dataService = ds;
// global.hadronApp.appRegistry.onConnected(error, ds);
// });
ReactDOM.render(
React.createElement({{pascalcase name}}Component),
document.getElementById('container')
);
| Load plugin from entry point in electron | Load plugin from entry point in electron
| JavaScript | apache-2.0 | mongodb-js/compass-plugin,mongodb-js/compass-plugin |
9d772f89559eae69bd5c43266435565b0e770ce9 | app/settings/auth/route.js | app/settings/auth/route.js | import AuthenticatedRouteMixin from 'ui/mixins/authenticated-route';
import Ember from 'ember';
import C from 'ui/utils/constants';
export default Ember.Route.extend(AuthenticatedRouteMixin,{
model: function() {
var headers = {};
headers[C.HEADER.PROJECT] = undefined;
return this.get('store').find('githubconfig', null, {headers: headers, forceReload: true}).then(function(collection) {
return collection.get('firstObject');
});
},
setupController: function(controller, model) {
controller.set('model', model.clone());
controller.set('originalModel', model);
controller.set('confirmDisable',false);
controller.set('saving',false);
controller.set('saved',true);
controller.set('testing',false);
controller.set('organizations', this.get('session.orgs')||[]);
controller.set('error',null);
}
});
| import AuthenticatedRouteMixin from 'ui/mixins/authenticated-route';
import Ember from 'ember';
import C from 'ui/utils/constants';
export default Ember.Route.extend(AuthenticatedRouteMixin,{
model: function() {
var headers = {};
headers[C.HEADER.PROJECT] = undefined;
return this.get('store').find('githubconfig', null, {headers: headers, forceReload: true}).then(function(collection) {
return collection.get('firstObject');
});
},
setupController: function(controller, model) {
controller.set('model', model.clone());
controller.set('originalModel', model);
controller.set('confirmDisable',false);
controller.set('saving',false);
controller.set('saved',true);
controller.set('testing',false);
controller.set('wasShowing',false);
controller.set('organizations', this.get('session.orgs')||[]);
controller.set('error',null);
}
});
| Reset the access control details showing when coming back | Reset the access control details showing when coming back
| JavaScript | apache-2.0 | vincent99/ui,kaos/ui,jjperezaguinaga/ui,rancher/ui,lvuch/ui,westlywright/ui,rancherio/ui,ubiquityhosting/rancher_ui,nrvale0/ui,jjperezaguinaga/ui,westlywright/ui,kaos/ui,nrvale0/ui,rancher/ui,pengjiang80/ui,lvuch/ui,westlywright/ui,jjperezaguinaga/ui,rancher/ui,ubiquityhosting/rancher_ui,pengjiang80/ui,pengjiang80/ui,nrvale0/ui,vincent99/ui,kaos/ui,vincent99/ui,lvuch/ui,rancherio/ui,ubiquityhosting/rancher_ui,rancherio/ui |
60671a4e9d366d81f67b2d13d75b7eef1e49317e | gulpfile.js | gulpfile.js | /*!
* gulpfile
*/
// Load plugins
var gulp = require('gulp');
var stylus = require('gulp-stylus');
var rename = require('gulp-rename');
var jade = require('gulp-jade');
var inline = require('gulp-inline-css');
// Paths
var sourcePath = 'src';
var paths = {
emails: sourcePath + '/emails/**/*.jade',
styles: sourcePath + '/themes/**/*.styl'
};
// Styles
gulp.task('styles', function() {
return gulp.src(paths.styles)
.pipe(stylus({
compress: true
}))
.pipe(rename({
suffix: '.min'
}))
.pipe(gulp.dest(sourcePath + '/themes'));
});
// Templates
gulp.task('emails', ['styles'], function() {
return gulp.src(paths.emails)
.pipe(jade({
pretty: true
}))
.pipe(inline({
applyStyleTags: false,
removeStyleTags: false
}))
.pipe(gulp.dest('dist'));
});
// Watch
gulp.task('watch', function() {
gulp.watch(sourcePath + '/emails/**/*.jade', ['emails']);
gulp.watch(sourcePath + '/themes/**/*.styl', ['styles']);
});
gulp.task('default', ['watch', 'emails']);
| /*!
* gulpfile
*/
// Load plugins
var gulp = require('gulp');
var stylus = require('gulp-stylus');
var rename = require('gulp-rename');
var jade = require('gulp-jade');
var inline = require('gulp-inline-css');
// Paths
var sourcePath = 'src';
var paths = {
emails: sourcePath + '/emails/**/*.jade',
styles: sourcePath + '/themes/**/*.styl'
};
// Styles
gulp.task('styles', function() {
return gulp.src(paths.styles)
.pipe(stylus({
compress: true
}))
.pipe(rename({
suffix: '.min'
}))
.pipe(gulp.dest(sourcePath + '/themes'));
});
// Templates
gulp.task('emails', ['styles'], function() {
return gulp.src(paths.emails)
.pipe(jade({
pretty: true
}))
.pipe(inline({
applyStyleTags: false,
removeStyleTags: false
}))
.pipe(gulp.dest('dist'));
});
// Watch
gulp.task('watch', function() {
gulp.watch(sourcePath + '/**/*.jade', ['emails']);
gulp.watch(sourcePath + '/themes/**/*.styl', ['emails']);
});
gulp.task('default', ['watch', 'emails']);
| Fix Gulp watch for theme files | Fix Gulp watch for theme files
Rebuild when a theme file is modified
| JavaScript | mit | Guirec/HTML-Email-Generator,Guirec/HTML-Email-Generator |
9e7ce5bc9c67ac3fbb3bff58f203b6a02c22468c | scripts/src/main.js | scripts/src/main.js | require(["UserMedia", "VideoWrapper"], function(UserMedia, VideoWrapper) {
"use strict";
var startButton = document.getElementById("startButton");
startButton.onclick = startLocalVideo;
var videoWrapper = new VideoWrapper(document.getElementById('localVideo'));
var userMedia = new UserMedia(videoWrapper);
function startLocalVideo() {
startButton.innerHTML = "Stop";
startButton.onclick = stopLocalVideo;
if (userMedia.hasGetUserMedia()) {
console.log('Good to go!');
userMedia.queryCamera();
} else {
window.alert('getUserMedia() is not compatible in your browser');
}
}
function stopLocalVideo() {
startButton.innerHTML = "Start";
startButton.onclick = startLocalVideo;
userMedia.stopMedia();
}
});
| require(["UserMedia", "VideoWrapper"], function(UserMedia, VideoWrapper) {
"use strict";
var startButton = document.getElementById("startButton");
startButton.onclick = startLocalVideo;
var videoWrapper = new VideoWrapper(document.getElementById('localVideo'));
var userMedia = new UserMedia(videoWrapper);
function startLocalVideo() {
startButton.innerHTML = "Stop";
startButton.onclick = stopLocalVideo;
if (userMedia.hasGetUserMedia()) {
console.log('Good to go!');
userMedia.queryCamera();
} else {
window.alert('getUserMedia() is not compatible in your browser');
stopLocalVideo();
}
}
function stopLocalVideo() {
startButton.innerHTML = "Start";
startButton.onclick = startLocalVideo;
userMedia.stopMedia();
}
});
| Add stopLocalVideo if the user does not support getUserMedia | Add stopLocalVideo if the user does not support getUserMedia
| JavaScript | mit | tomas2387/webrtcApp |
9e0d1d10ed22c6ba865d962b7549402aeb593659 | source/core.js | source/core.js | var Stirrup = function(library) {
if(typeof library !== 'object' && typeof library !== 'function') {
throw 'You must provide Stirrup with a promise library';
}
this.library = library;
this.isNative = (typeof Promise === 'function' && Promise.toString().indexOf('[native code]') > -1);
var constructor = this.getConstructor();
this.buildDefer(constructor);
this.buildStaticFunctions();
return constructor;
};
Stirrup.prototype.getConfig = function() {
//@@config
return config;
};
Stirrup.prototype.getConstructor = function() {
if(!this.isNative) {
return this.getConfig().constructor ? this.library[this.getConfig().constructor] : this.library;
} else {
return this.library;
}
};
Stirrup.prototype.buildDefer = function(constructor) {
var config = this.getConfig();
if(!this.isNative && config.defer) {
this.defer = this.library[config.defer];
} else {
//TODO: Promise inspection capability
//https://github.com/petkaantonov/bluebird/blob/master/API.md#inspect---promiseinspection
this.defer = function() {
var fulfill, reject;
var promise = new constuctor(function(f, r) {
fulfill = f;
reject = r;
});
return {
fulfill: fulfill,
reject: reject,
promise: promise
}
}
}
};
| var Stirrup = function(library) {
if(typeof library !== 'object' && typeof library !== 'function') {
throw 'You must provide Stirrup with a promise library';
}
this.library = library;
this.isNative = (typeof Promise === 'function' && Promise.toString().indexOf('[native code]') > -1);
var constructor = this.getConstructor();
this.buildDefer(constructor);
this.buildStaticFunctions();
return constructor;
};
Stirrup.prototype.getConfig = function() {
//@@config
return config;
};
Stirrup.prototype.getConstructor = function() {
if(!this.isNative) {
return this.getConfig().constructor ? this.library[this.getConfig().constructor] : this.library;
} else {
return Promise;
}
};
Stirrup.prototype.buildDefer = function(constructor) {
var config = this.getConfig();
if(!this.isNative && config.defer) {
constructor.defer = this.library[config.defer];
} else {
//TODO: Promise inspection capability
//https://github.com/petkaantonov/bluebird/blob/master/API.md#inspect---promiseinspection
var defer = function() {
var fulfill, reject;
var promise = new constructor(function(f, r) {
fulfill = f;
reject = r;
});
return {
fulfill: fulfill,
reject: reject,
promise: promise
}
};
constructor.defer = defer;
}
};
| Fix some logic and deferred creation bugs | Fix some logic and deferred creation bugs
| JavaScript | mit | asakusuma/stirrup |
f00ede75066310ae68220e84b9a0fb351c7f5459 | e2e-tests/protractor.conf.js | e2e-tests/protractor.conf.js | exports.config = {
allScriptsTimeout: 11000,
specs: [
'*.js'
],
capabilities: {
'browserName': 'chrome'
},
baseUrl: 'http://localhost:8000/app/',
framework: 'jasmine',
jasmineNodeOpts: {
defaultTimeoutInterval: 30000
}
};
| exports.config = {
allScriptsTimeout: 11000,
specs: [
'*.js'
],
capabilities: {
'browserName': 'chrome'
},
baseUrl: 'http://localhost:8000/app/',
framework: 'jasmine2',
jasmineNodeOpts: {
defaultTimeoutInterval: 30000
}
};
| Change protractor framework to jasmine2. | Change protractor framework to jasmine2.
| JavaScript | mit | webplatformz/confion,webplatformz/confion |
fcf582951eb7d9fee2211fefc3506282e03d8e8f | src/store/api/assettypes.js | src/store/api/assettypes.js | import client from '@/store/api/client'
export default {
getAssetTypes (callback) {
client.get('/api/data/asset-types?relations=true', callback)
},
getAssetType (assetTypeId, callback) {
client.get(`/api/data/entity-types/${assetTypeId}`, callback)
},
newAssetType (assetType, callback) {
const data = {
name: assetType.name,
task_types: assetType.task_types
}
return client.ppost('/api/data/entity-types', data)
},
updateAssetType (assetType, callback) {
const data = {
name: assetType.name,
task_types: assetType.task_types
}
return client.pput(`/api/data/entity-types/${assetType.id}`, data)
},
deleteAssetType (assetType, callback) {
return client.pdel(`/api/data/entity-types/${assetType.id}`)
}
}
| import client from '@/store/api/client'
export default {
getAssetTypes (callback) {
client.get('/api/data/asset-types', callback)
},
getAssetType (assetTypeId, callback) {
client.get(`/api/data/entity-types/${assetTypeId}`, callback)
},
newAssetType (assetType, callback) {
const data = {
name: assetType.name,
task_types: assetType.task_types
}
return client.ppost('/api/data/entity-types', data)
},
updateAssetType (assetType, callback) {
const data = {
name: assetType.name,
task_types: assetType.task_types
}
return client.pput(`/api/data/entity-types/${assetType.id}`, data)
},
deleteAssetType (assetType, callback) {
return client.pdel(`/api/data/entity-types/${assetType.id}`)
}
}
| Remove useless flag on get asset types call | [assets] Remove useless flag on get asset types call
| JavaScript | agpl-3.0 | cgwire/kitsu,cgwire/kitsu |
d2a9dc303a745d4fc2a23d700a1439794ed167d4 | products/static/products/app/js/services.js | products/static/products/app/js/services.js | 'use strict';
app.factory('Product', function($http) {
function getUrl(id = '') {
return 'http://127.0.0.1:8000/api/products/' + id + '?format=json';
}
return {
get: function(id, callback) {
return $http.get(getUrl(id)).success(callback);
},
query: function(page, page_size, callback) {
return $http.get(getUrl() + '&page_size=' + page_size + '&page=' + page).success(callback);
},
save: function(product, callback) {
return $http.post(getUrl(), product).success(callback);
},
remove: function(id, callback) {
return $http.delete(getUrl(id)).success(callback);
},
put: function(product, callback) {
return $http.put(getUrl(product.id), product).success(callback);
}
};
});
| 'use strict';
app.factory('Product', function($http) {
function getUrl(id) {
id = typeof id !== 'undefined' ? id : '';
return 'http://127.0.0.1:8000/api/products/' + id + '?format=json';
}
return {
get: function(id, callback) {
return $http.get(getUrl(id)).success(callback);
},
query: function(page, page_size, callback) {
return $http.get(getUrl() + '&page_size=' + page_size + '&page=' + page).success(callback);
},
save: function(product, callback) {
return $http.post(getUrl(), product).success(callback);
},
remove: function(id, callback) {
return $http.delete(getUrl(id)).success(callback);
},
put: function(product, callback) {
return $http.put(getUrl(product.id), product).success(callback);
}
};
});
| Remove dependency on default parameters in JS | Remove dependency on default parameters in JS
Apparently it's only supported by Firefox, source:
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/default_parameters
This issue was brought up in #3.
| JavaScript | mit | matachi/product-gallery,matachi/product-gallery,matachi/product-gallery |
4bc603aa8135011cf717ea7645b6eb18bb80d869 | src/_wlk/bugsnag.js | src/_wlk/bugsnag.js | /* global window, uw */
import bugsnag from 'bugsnag-js';
import { version } from '../../package.json';
const client = bugsnag({
apiKey: 'a3246545081c8decaf0185c7a7f8d402',
appVersion: version,
/**
* Add current user information.
*/
beforeSend(report) {
const state = uw.store.getState();
const user = state.auth && state.auth.user;
if (user) {
// eslint-disable-next-line no-param-reassign
report.user = {
id: user._id,
name: user.username,
};
}
},
});
window.bugsnag = client;
| /* global window, uw */
import bugsnag from 'bugsnag-js';
import { version } from '../../package.json';
let userId = null;
try {
userId = localStorage.errorReportId;
if (!userId) {
userId = Math.random().toString(32).slice(2, 8);
localStorage.errorReportId = userId;
}
} catch {
userId = 'anonymous';
}
const client = bugsnag({
apiKey: 'a3246545081c8decaf0185c7a7f8d402',
appVersion: version,
collectUserIp: false,
/**
* Add current user information.
*/
beforeSend(report) {
const state = uw.store.getState();
const user = state.auth && state.auth.user;
if (user) {
// eslint-disable-next-line no-param-reassign
report.user = {
id: user._id,
name: user.username,
};
} else {
report.user = {
id: userId,
name: 'Guest',
};
}
},
});
window.bugsnag = client;
| Remove IP addresses from error reports | [WLK-INSTANCE] Remove IP addresses from error reports
| JavaScript | mit | welovekpop/uwave-web-welovekpop.club,welovekpop/uwave-web-welovekpop.club |
aa3d6ad4d2d4ef7742df07d9f8c63c5f0a2ac440 | src/app/libs/Api.js | src/app/libs/Api.js | import queryString from "query-string";
class Api {
static get(url, data = {}) {
return this.request(url + (Object.keys(data).length > 0 ? ('?' + queryString.stringify(data)) : '' ), undefined, "GET");
}
static post(url, data = {}) {
return this.request(url, data, "POST");
}
static delete(url, data = {}) {
return this.request(url, data, "DELETE");
}
static patch(url, data = {}) {
return this.request(url, data, "PATCH");
}
static request(url, data, method) {
let req = fetch("http://" + window.location.hostname + ':8080/api/' + url, {
method: method,
headers: {
'content-type': 'application/json'
},
body: JSON.stringify(data)
});
return new Promise((resolve, reject) => {
req.then((response) => {
response.json().then((data) => {
if (response.ok && data.success) {
resolve(data.data);
} else {
let e = new Error(data.message);
e.response = response;
reject(e);
}
}).catch(() => {
let e = new Error('Malformed response');
e.response = response;
reject(e);
})
}).catch((e) => {
reject(new Error(e));
})
});
}
}
export default Api; | import queryString from "query-string";
class Api {
static get(url, data = {}) {
return this.request(url + (Object.keys(data).length > 0 ? ('?' + queryString.stringify(data)) : '' ), undefined, "GET");
}
static post(url, data = {}) {
return this.request(url, data, "POST");
}
static delete(url, data = {}) {
return this.request(url, data, "DELETE");
}
static patch(url, data = {}) {
return this.request(url, data, "PATCH");
}
static request(url, data, method) {
let req = fetch("http://" + window.location.hostname + ':8080/api/' + url, {
method: method,
headers: {
'content-type': 'application/json'
},
body: JSON.stringify(data)
});
return new Promise((resolve, reject) => {
req.then((response) => {
response.json().then((data) => {
if (response.ok && data.success) {
resolve(data.data);
} else {
let e = new Error(data.message);
e.response = response;
reject(e);
}
}).catch(() => {
if(response.ok) {
let e = new Error('Malformed response');
e.response = response;
reject(e);
} else {
let e = new Error(response.statusText);
e.response = response;
reject(e);
}
})
}).catch((e) => {
reject(new Error(e));
})
});
}
}
export default Api; | Use the error string if we have one for malformed json | Use the error string if we have one for malformed json
| JavaScript | mit | gilfillan9/spotify-jukebox-v2,gilfillan9/spotify-jukebox-v2 |
2f9bde3ad5a2e3dd104c812b6c81f4077fe0aa1e | vendor/nwmatcher/selector_engine.js | vendor/nwmatcher/selector_engine.js | Prototype._original_property = window.NW;
//= require "repository/src/nwmatcher"
Prototype.Selector = (function(engine) {
function select(selector, scope) {
return engine.select(selector, scope || document, Element.extend);
}
return {
engine: engine,
select: select,
match: engine.match
};
})(NW.Dom);
// Restore globals.
window.NW = Prototype._original_property;
delete Prototype._original_property; | Prototype._original_property = window.NW;
//= require "repository/src/nwmatcher"
Prototype.Selector = (function(engine) {
var select = engine.select;
if (Element.extend !== Prototype.K) {
select = function select(selector, scope) {
return engine.select(selector, scope, Element.extend);
};
}
return {
engine: engine,
select: select,
match: engine.match
};
})(NW.Dom);
// Restore globals.
window.NW = Prototype._original_property;
delete Prototype._original_property; | Simplify the NWMatcher adapter and optimize it for browsers that don't need to extend DOM elements. | prototype: Simplify the NWMatcher adapter and optimize it for browsers that don't need to extend DOM elements. [jddalton]
| JavaScript | mit | 292388900/prototype,erpframework/prototype,sdumitriu/prototype,lamsieuquay/prototype,ridixcr/prototype,lamsieuquay/prototype,erpframework/prototype,baiyanghese/prototype,lamsieuquay/prototype,Jiasm/prototype,Gargaj/prototype,erpframework/prototype,fashionsun/prototype,sstephenson/prototype,ridixcr/prototype,Gargaj/prototype,fashionsun/prototype,sstephenson/prototype,loduis/prototype,sdumitriu/prototype,ldf7801528/prototype,leafo/prototype,Jiasm/prototype,loduis/prototype,Jiasm/prototype,sstephenson/prototype,ldf7801528/prototype,292388900/prototype,Gargaj/prototype,ShefronYudy/prototype,leafo/prototype,sdumitriu/prototype,fashionsun/prototype,loduis/prototype,ShefronYudy/prototype,292388900/prototype,ShefronYudy/prototype,ridixcr/prototype,ldf7801528/prototype,baiyanghese/prototype |
fe71390baca97c018af1b47174d6459600971de4 | demo/webmodule.js | demo/webmodule.js | // a simple web app/module
importFromModule('helma.skin', 'render');
function main_action() {
var context = {
title: 'Module Demo',
href: href
};
render('skins/modules.html', context);
}
// module scopes automatically support JSAdapter syntax!
function __get__(name) {
if (name == 'href') {
return req.path;
} else {
return this[name];
}
} | // a simple web app/module
importFromModule('helma.skin', 'render');
function main_action() {
var context = {
title: 'Module Demo',
href: req.path
};
render('skins/modules.html', context);
}
| Fix demo app: modules no longer act as JSAdapters | Fix demo app: modules no longer act as JSAdapters
git-svn-id: fac99be8204c57f0935f741ea919b5bf0077cdf6@9147 688a9155-6ab5-4160-a077-9df41f55a9e9
| JavaScript | apache-2.0 | ringo/ringojs,Transcordia/ringojs,ringo/ringojs,ringo/ringojs,oberhamsi/ringojs,ringo/ringojs,ashwinrayaprolu1984/ringojs,oberhamsi/ringojs,Transcordia/ringojs,ashwinrayaprolu1984/ringojs,oberhamsi/ringojs,Transcordia/ringojs,Transcordia/ringojs,ashwinrayaprolu1984/ringojs,ashwinrayaprolu1984/ringojs |
01ce1bde07bfe675ad2cfd1e32f5cbd76dd53922 | imports/api/messages.js | imports/api/messages.js | import { Mongo } from 'meteor/mongo';
import { ValidatedMethod } from 'meteor/mdg:validated-method';
import { SimpleSchema } from 'meteor/aldeed:simple-schema';
export const Messages = new Mongo.Collection('messages');
Messages.deny({
insert() {
return true;
},
update() {
return true;
},
remove() {
return true;
}
});
export const newMessage = new ValidatedMethod({
name: 'messages.new',
validate: new SimpleSchema({
event: { type: String },
text: { type: String }
}).validator(),
run({ event, text }) {
if (!this.userId) {
throw new Meteor.Error('not-authorized');
}
return Messages.insert({
event,
user: this.userId,
time: new Date(),
text
});
}
});
export const removeMessage = new ValidatedMethod({
name: 'messages.remove',
validate: new SimpleSchema({
id: { type: String }
}).validator(),
run({ id }) {
if (!this.userId) {
throw new Meteor.Error('not-authorized');
}
Messages.remove({ '_id': id });
}
});
if (Meteor.isServer) {
// This code only runs on the server
Meteor.publish('messages', function msgsPublication() {
return Messages.find({});
});
}
| import { Mongo } from 'meteor/mongo';
import { ValidatedMethod } from 'meteor/mdg:validated-method';
import { SimpleSchema } from 'meteor/aldeed:simple-schema';
export const Messages = new Mongo.Collection('messages');
Messages.deny({
insert() {
return true;
},
update() {
return true;
},
remove() {
return true;
}
});
export const newMessage = new ValidatedMethod({
name: 'messages.new',
validate: new SimpleSchema({
event: { type: String },
text: { type: String }
}).validator(),
run({ event, text }) {
if (!this.userId) {
throw new Meteor.Error('not-authorized');
}
return Messages.insert({
event,
user: Meteor.user().username,
time: new Date(),
text
});
}
});
export const removeMessage = new ValidatedMethod({
name: 'messages.remove',
validate: new SimpleSchema({
id: { type: String }
}).validator(),
run({ id }) {
if (!this.userId) {
throw new Meteor.Error('not-authorized');
}
Messages.remove({ '_id': id });
}
});
if (Meteor.isServer) {
// This code only runs on the server
Meteor.publish('messages', function msgsPublication() {
return Messages.find({});
});
}
| Save comment with username instead of user id | Save comment with username instead of user id
| JavaScript | mit | f-martinez11/ActiveU,f-martinez11/ActiveU |
3cfc6e9d2234ec8b60c748888a88f2fe675ec872 | tests/unit/components/dashboard-widget-test.js | tests/unit/components/dashboard-widget-test.js | import { test , moduleForComponent } from 'appkit/tests/helpers/module-for';
import DashboardWidgetComponent from 'appkit/components/dashboard-widget';
moduleForComponent('dashboard-widget', 'Unit - Dashboard widget component', {
subject: function() {
var bayeuxStub = { subscribe: Ember.K };
var subscribeStub = sinon.stub(bayeuxStub, 'subscribe', function() {
var subscribedStub = { then: Ember.K };
sinon.stub(subscribedStub, 'then');
return subscribedStub;
});
var obj = DashboardWidgetComponent.create({
bayeux: bayeuxStub,
channel: '/awesome-metrics'
});
return obj;
}
});
test('it exists', function() {
ok(this.subject() instanceof DashboardWidgetComponent);
});
test('subscribes to its channel', function() {
ok(this.subject().get('bayeux').subscribe.calledOnce);
});
| import { test , moduleForComponent } from 'appkit/tests/helpers/module-for';
import DashboardWidgetComponent from 'appkit/components/dashboard-widget';
moduleForComponent('dashboard-widget', 'Unit - Dashboard widget component', {
subject: function() {
// Mock Faye/bayeux subscribe process; avoid network calls.
var bayeuxStub = { subscribe: Ember.K };
var subscribeStub = sinon.stub(bayeuxStub, 'subscribe', function() {
var subscribedStub = { then: Ember.K };
sinon.stub(subscribedStub, 'then');
return subscribedStub;
});
var obj = DashboardWidgetComponent.create({
bayeux: bayeuxStub,
channel: 'awesome-metrics'
});
return obj;
}
});
test('it exists', function() {
ok(this.subject() instanceof DashboardWidgetComponent);
});
test('it subscribes using #bayeux', function() {
ok(this.subject().get('bayeux').subscribe.calledOnce);
});
test('it subscribes to #channel', function() {
ok(this.subject().get('bayeux').subscribe.calledWith("/awesome-metrics"));
});
| Improve Faye/Bayeux coverage in widget specs. | Improve Faye/Bayeux coverage in widget specs.
| JavaScript | mit | substantial/substantial-dash-client |
9acb51cda733751729fbe33c29c666c40cbdae35 | src/Header/index.js | src/Header/index.js | import React from 'react';
import NavMenu from './NavMenu';
export default class Header extends React.Component {
constructor(props) {
super(props);
}
render() {
let navMenu;
if (this.props.config.headerMenuLinks.length > 0) {
navMenu = <NavMenu links={this.props.config.headerMenuLinks} />
}
return (
<header className="masthead" style={{backgroundColor: '#4C5664'}}>
<div className="container">
<a href={this.props.config.rootUrl} className="masthead-logo">{this.props.config.name}</a>
{navMenu}
</div>
</header>
);
}
}
| import React from 'react';
import NavMenu from './NavMenu';
export default class Header extends React.Component {
constructor(props) {
super(props);
}
render() {
let navMenu;
if (this.props.config.headerMenuLinks.length > 0) {
navMenu = <NavMenu links={this.props.config.headerMenuLinks} />
}
return (
<header className="masthead" style={{backgroundColor: this.props.config.headerColor}}>
<div className="container">
<a href={this.props.config.rootUrl} className="masthead-logo">{this.props.config.name}</a>
{navMenu}
</div>
</header>
);
}
}
| Add header background color based on config | Add header background color based on config
| JavaScript | apache-2.0 | naltaki/naltaki-front,naltaki/naltaki-front |
7441c6d4f8648391f556de91382a066bf6971da4 | src/MasterPlugin.js | src/MasterPlugin.js | import Plugin from "./Plugin";
export default class MasterPlugin extends Plugin {
static get plugin() {
return {
name: "MasterPlugin",
description: "",
help: "This plugin has access to PluginManager and will perform all the 'meta'/'super' actions.",
type: Plugin.Type.SPECIAL,
visibility: Plugin.Visibility.HIDDEN,
needs: {
database: true,
utils: true
}
};
}
constructor(listener, pluginManager) {
super(listener);
this.pluginManager = pluginManager;
}
onCommand({message, command, args}, reply) {
if (command !== "help") return;
const data = this.pluginManager.plugins
.map(pl => pl.plugin)
.filter(pl => pl.visibility !== Plugin.Visibility.HIDDEN);
if (args.length === 0) {
reply({
type: "text",
text: data
.map(pl => `*${pl.name}*: ${pl.description}`)
.join("\n"),
options: {
parse_mode: "markdown",
disable_web_page_preview: true
}
});
} else {
const pluginName = args[0].toLowerCase();
const plugin = data
.filter(pl => pl.name.toLowerCase() === pluginName)[0];
reply({
type: "text",
text: `*${plugin.name}* - ${plugin.description}\n\n${plugin.help}`,
options: {
parse_mode: "markdown",
disable_web_page_preview: true
}
});
}
}
} | import Plugin from "./Plugin";
export default class MasterPlugin extends Plugin {
static get plugin() {
return {
name: "MasterPlugin",
description: "",
help: "This plugin has access to PluginManager and will perform all the 'meta'/'super' actions.",
type: Plugin.Type.SPECIAL,
visibility: Plugin.Visibility.HIDDEN,
needs: {
database: true,
utils: true
}
};
}
constructor(listener, pluginManager) {
super(listener);
this.pluginManager = pluginManager;
}
onCommand({message, command, args}, reply) {
if (command !== "help") return;
const data = this.pluginManager.plugins
.map(pl => pl.plugin)
.filter(pl => pl.visibility !== Plugin.Visibility.HIDDEN);
if (args.length === 0) {
reply({
type: "text",
text: data
.map(pl => `*${pl.name}*: ${pl.description}`)
.join("\n"),
options: {
parse_mode: "markdown",
disable_web_page_preview: true
}
});
} else {
const pluginName = args[0].toLowerCase();
const plugin = data
.filter(pl => pl.name.toLowerCase() === pluginName)[0];
if (plugin) {
reply({
type: "text",
text: `*${plugin.name}* - ${plugin.description}\n\n${plugin.help}`,
options: {
parse_mode: "markdown",
disable_web_page_preview: true
}
});
}
}
}
} | Add null check on help generation | Add null check on help generation
| JavaScript | mit | crisbal/Telegram-Bot-Node,crisbal/Node-Telegram-Bot,crisbal/Node-Telegram-Bot,crisbal/Telegram-Bot-Node |
fecd31dd46b4f790f9c0cfe28eff3909fd0945b5 | lib/ee.js | lib/ee.js | var slice = [].slice;
module.exports = {
on: function on(ev, handler) {
var events = this._events,
eventsArray = events[ev];
if (!eventsArray) {
eventsArray = events[ev] = [];
}
eventsArray.push(handler);
},
removeListener: function removeListener(ev, handler) {
var array = this._events[ev];
array && array.splice(array.indexOf(handler), 1);
},
emit: function emit(ev) {
var args = slice.call(arguments, 1),
array = this._events[ev];
array && array.forEach(invokeHandler, this);
function invokeHandler(handler) {
handler.apply(this, args);
}
},
once: function once(ev, handler) {
this.on(ev, proxy);
function proxy() {
handler.apply(this, arguments);
this.removeListener(ev, handler);
}
},
constructor: function constructor() {
this._events = {};
return this;
}
}; | var slice = [].slice;
module.exports = {
on: function on(ev, handler) {
var events = this._events,
eventsArray = events[ev];
if (!eventsArray) {
eventsArray = events[ev] = [];
}
eventsArray.push(handler);
},
removeListener: function removeListener(ev, handler) {
var array = this._events[ev];
array && array.splice(array.indexOf(handler), 1);
},
emit: function emit(ev) {
var args = slice.call(arguments, 1),
array = this._events[ev];
for (var i = 0, len = array.length; i < len; i++) {
array[i].apply(this, args);
}
},
once: function once(ev, handler) {
this.on(ev, proxy);
function proxy() {
handler.apply(this, arguments);
this.removeListener(ev, handler);
}
},
constructor: function constructor() {
this._events = {};
return this;
}
}; | Use `for` instead of `forEach` as it minifies better. | Use `for` instead of `forEach` as it minifies better. | JavaScript | mit | Raynos/eventemitter-light |
36335b37034025d76f8c758f9617292d9889fb73 | Gruntfile.js | Gruntfile.js | module.exports = function(grunt) {
"use strict";
// Display the execution time of grunt tasks
require("time-grunt")(grunt);
// Load all grunt-tasks in 'Build/Grunt-Options'.
var gruntOptionsObj = require("load-grunt-configs")(grunt, {
"config" : {
src: "Build/Grunt-Options/*.js"
}
});
grunt.initConfig(gruntOptionsObj);
// Load all grunt-plugins that are specified in the 'package.json' file.
require('jit-grunt')(grunt);
/**
* Default grunt task.
* Compiles all .scss/.sass files with ':dev' options and
* validates all js-files inside Resources/Private/Javascripts with JSHint.
*/
grunt.registerTask("default", ["compass:dev", "jshint"]);
/**
* Travis CI task
* Test all specified grunt tasks.
*/
grunt.registerTask("travis", ["init", "replace:init", "jshint", "deploy", "undeploy"]);
/**
* Load custom tasks
* Load all Grunt-Tasks inside the 'Build/Grunt-Tasks' dir.
*/
grunt.loadTasks("Build/Grunt-Tasks");
};
| module.exports = function(grunt) {
"use strict";
// Display the execution time of grunt tasks
require("time-grunt")(grunt);
// Load all grunt-tasks in 'Build/Grunt-Options'.
var gruntOptionsObj = require("load-grunt-configs")(grunt, {
"config" : {
src: "Build/Grunt-Options/*.js"
}
});
grunt.initConfig(gruntOptionsObj);
// Load all grunt-plugins that are specified in the 'package.json' file.
require('jit-grunt')(grunt, {
replace: 'grunt-text-replace'
});
/**
* Default grunt task.
* Compiles all .scss/.sass files with ':dev' options and
* validates all js-files inside Resources/Private/Javascripts with JSHint.
*/
grunt.registerTask("default", ["compass:dev", "jshint"]);
/**
* Travis CI task
* Test all specified grunt tasks.
*/
grunt.registerTask("travis", ["init", "replace:init", "jshint", "deploy", "undeploy"]);
/**
* Load custom tasks
* Load all Grunt-Tasks inside the 'Build/Grunt-Tasks' dir.
*/
grunt.loadTasks("Build/Grunt-Tasks");
};
| Fix the jit-grunt mapping for the replace task | [BUGFIX] Fix the jit-grunt mapping for the replace task
| JavaScript | mit | t3b/t3b_template,t3b/t3b_template,t3b/t3b_template,t3b/t3b_template,t3b/t3b_template |
ce22c210ed48656ab3dae5b2cff8cd2e8fa662c5 | js/game.js | js/game.js | var Game = function(boardString){
var board = '';
this.board = '';
if (arguments.length === 1) {
this.board = this.toArray(boardString);
} else {
function random() {
return Math.floor(Math.random() * 10 + 6);
};
var firstTwo = random(), secondTwo = random();
for ( var i = 0; i < 16; i++ ) {
if (i === firstTwo || i === secondTwo) {
board += '2';
} else {
board += '0';
};
};
this.board = this.toArray(board);
}
};
Game.prototype = {
toString: function() {
for( var i = 0; i < 16; i += 4){
this.array = this.board.slice(0 + i, 4 + i)
console.log(this.array)
}
},
toArray: function(chars) {
var boardArray = [];
for( var i = 0; i < 16; i += 4) {
var subarray = chars.slice(0 + i, 4 + i);
boardArray.push(subarray.split(''));
}
return boardArray;
}
};
| var Game = function(boardString){
var board = '';
this.board = '';
if (arguments.length === 1) {
this.board = this.toArray(boardString);
} else {
function random() {
return Math.floor(Math.random() * 10 + 6);
};
var firstTwo = random(), secondTwo = random();
for ( var i = 0; i < 16; i++ ) {
if (i === firstTwo || i === secondTwo) {
board += '2';
} else {
board += '0';
};
};
this.board = this.toArray(board);
}
};
Game.prototype = {
toString: function() {
this.board.forEach(function(row) {
console.log(row.join(''));
});
},
toArray: function(chars) {
var boardArray = [];
for( var i = 0; i < 16; i += 4) {
var subarray = chars.slice(0 + i, 4 + i);
boardArray.push(subarray.split(''));
}
return boardArray;
}
};
| Modify toString method for board array format | Modify toString method for board array format
| JavaScript | mit | suprfrye/galaxy-256,suprfrye/galaxy-256 |
cadc230be233de7ac0f0a809b2b0a078950b1416 | components/Footer.js | components/Footer.js | import React from 'react';
import Link from '../components/Link';
import { StyleSheet, css } from 'glamor/aphrodite';
export default () => {
return (
<footer className={css(styles.footer)}>
<div className={css(styles.container)}>
<p className={css(styles.text)}>
Missing a library?{' '}
<Link
isStyled
href="https://github.com/react-community/native-directory#how-to-add-a-library">
Add it to the directory
</Link>. Want to learn more about React Native? Check out the{' '}
<Link
isStyled
href="https://facebook.github.io/react-native/docs/getting-started.html">
offical docs
</Link>, and{' '}
<Link isStyled href="https://expo.io">
Expo
</Link>.
</p>
</div>
</footer>
);
};
let styles = StyleSheet.create({
footer: {
borderTop: '1px solid #ECECEC',
width: '100%',
},
container: {
width: '100%',
maxWidth: '1319px',
padding: '24px 24px 24px 24px',
margin: '0 auto 0 auto',
},
});
| import React from 'react';
import Link from '../components/Link';
import { StyleSheet, css } from 'glamor/aphrodite';
export default () => {
return (
<footer className={css(styles.footer)}>
<div className={css(styles.container)}>
<p className={css(styles.text)}>
Missing a library?{' '}
<Link
isStyled
href="https://github.com/react-community/native-directory#how-do-i-add-a-library">
Add it to the directory
</Link>. Want to learn more about React Native? Check out the{' '}
<Link
isStyled
href="https://facebook.github.io/react-native/docs/getting-started.html">
offical docs
</Link>, and{' '}
<Link isStyled href="https://expo.io">
Expo
</Link>.
</p>
</div>
</footer>
);
};
let styles = StyleSheet.create({
footer: {
borderTop: '1px solid #ECECEC',
width: '100%',
},
container: {
width: '100%',
maxWidth: '1319px',
padding: '24px 24px 24px 24px',
margin: '0 auto 0 auto',
},
});
| Fix anchor of the "Add it to the directory" link | Fix anchor of the "Add it to the directory" link | JavaScript | mit | react-community/native-directory |
d6cff2ae3baf9de7f8156545fda5bb67361c36c2 | components/Header.js | components/Header.js | import Head from 'next/head';
export default () =>
<header>
<Head>
<style>{`
body {
font-family: "Helvetica Neue", Arial, sans-serif;
}
`}</style>
</Head>
</header>;
| import Head from 'next/head';
export default () =>
<header>
<Head>
<style global jsx>{`
body {
font-family: "Helvetica Neue", Arial, sans-serif;
}
`}</style>
</Head>
</header>;
| Fix flash of unstyled text | Fix flash of unstyled text | JavaScript | mit | pmdarrow/react-todo |
09c78c2316fdb2a1cb72b7bf5694404d4125927d | src/components/providers/cdg/Prefs/Prefs.js | src/components/providers/cdg/Prefs/Prefs.js | import React from 'react'
export default class Prefs extends React.Component {
static propTypes = {
prefs: React.PropTypes.object.isRequired,
setPrefs: React.PropTypes.func.isRequired,
providerRefresh: React.PropTypes.func.isRequired,
}
toggleEnabled = this.toggleEnabled.bind(this)
handleRefresh = this.handleRefresh.bind(this)
toggleEnabled(e) {
e.preventDefault()
let prefs = Object.assign({}, this.props.prefs)
prefs.enabled = !prefs.enabled
this.props.setPrefs('provider.cdg', prefs)
}
handleRefresh() {
this.props.providerRefresh('cdg')
}
render() {
const { prefs } = this.props
let paths = prefs.paths || []
paths = paths.map(path => (
<p key={path}>{path}</p>
))
return (
<div>
<label>
<input type='checkbox' checked={prefs.enabled} onClick={this.toggleEnabled}/>
<strong> CD+Graphics</strong>
</label>
<button onClick={this.handleRefresh}>Refresh</button>
{paths}
</div>
)
}
}
| import React from 'react'
export default class Prefs extends React.Component {
static propTypes = {
prefs: React.PropTypes.object.isRequired,
setPrefs: React.PropTypes.func.isRequired,
providerRefresh: React.PropTypes.func.isRequired,
}
toggleEnabled = this.toggleEnabled.bind(this)
handleRefresh = this.handleRefresh.bind(this)
toggleEnabled(e) {
e.preventDefault()
let prefs = Object.assign({}, this.props.prefs)
prefs.enabled = !prefs.enabled
this.props.setPrefs('provider.cdg', prefs)
}
handleRefresh() {
this.props.providerRefresh('cdg')
}
render() {
const { prefs } = this.props
if (!prefs) return null
const enabled = prefs.enabled === true
let paths = prefs.paths || []
paths = paths.map(path => (
<p key={path}>{path}</p>
))
return (
<div>
<label>
<input type='checkbox' checked={enabled} onClick={this.toggleEnabled}/>
<strong> CD+Graphics</strong>
</label>
<button onClick={this.handleRefresh}>Refresh</button>
{paths}
</div>
)
}
}
| Fix rendering before prefs loaded | Fix rendering before prefs loaded
| JavaScript | isc | bhj/karaoke-forever,bhj/karaoke-forever |
e8c621a87d93590901e128ab8e2fb8b649b63270 | modules/blueprint.js | modules/blueprint.js | var BlueprintClient = require('xively-blueprint-client-js');
var client = new BlueprintClient({
authorization: process.env.BLUEPRINT_AUTHORIZATION
});
module.exports = client;
| var BlueprintClient = require('xively-blueprint-client-js');
var client = new BlueprintClient({
authorization: process.env.BLUEPRINT_AUTHORIZATION
});
console.log('Client initialized with authorization >', process.env.BLUEPRINT_AUTHORIZATION);
module.exports = client;
| Add logging with Blueprint authorization token | Add logging with Blueprint authorization token
| JavaScript | mit | Altoros/refill-them-api |
61766f5cd277420d68299c78c43bec051a23be4d | api/run-server.js | api/run-server.js | var server = require('./server');
var port = process.env.port || 3000;
server.listen(port, function() {
console.log('Listening on port ' + port);
});
| var server = require('./server');
var port = process.env.PORT || 3000;
server.listen(port, function() {
console.log('Listening on port ' + port);
});
| Use correct port env variable | Use correct port env variable
| JavaScript | mit | jeffcharles/number-switcher-3000,jeffcharles/number-switcher-3000,jeffcharles/number-switcher-3000 |
eaf2461432f490fee0e8812889c90bd88eb7a0fe | realtime/index.js | realtime/index.js | const io = require('socket.io'),
winston = require('winston');
winston.remove(winston.transports.Console);
winston.add(winston.transports.Console, {'timestamp': true});
const PORT = 3031;
winston.info('Rupture real-time service starting');
winston.info('Listening on port ' + PORT);
var socket = io.listen(PORT);
socket.on('connection', function(client) {
winston.info('New connection from client ' + client.id);
client.on('get-work', function() {
winston.info('get-work from client ' + client.id);
client.emit('do-work', {
url: 'https://facebook.com/?breach-test',
amount: 1000,
timeout: 0
});
});
client.on('disconnect', function() {
winston.info('Client ' + client.id + ' disconnected');
});
});
| const io = require('socket.io'),
winston = require('winston');
winston.remove(winston.transports.Console);
winston.add(winston.transports.Console, {'timestamp': true});
const PORT = 3031;
winston.info('Rupture real-time service starting');
winston.info('Listening on port ' + PORT);
var socket = io.listen(PORT);
socket.on('connection', function(client) {
winston.info('New connection from client ' + client.id);
client.on('get-work', function() {
winston.info('get-work from client ' + client.id);
client.emit('do-work', {
url: 'https://facebook.com/?breach-test',
amount: 1000,
timeout: 0
});
});
client.on('work-completed', function({work, success, host}) {
winston.info('Client indicates work completed: ', work, success, host);
});
client.on('disconnect', function() {
winston.info('Client ' + client.id + ' disconnected');
});
});
| Add logging for server-side work completed event | Add logging for server-side work completed event
| JavaScript | mit | dimkarakostas/rupture,dimriou/rupture,dimriou/rupture,esarafianou/rupture,dionyziz/rupture,esarafianou/rupture,esarafianou/rupture,dimkarakostas/rupture,dimkarakostas/rupture,esarafianou/rupture,dionyziz/rupture,dionyziz/rupture,dimriou/rupture,dimriou/rupture,dimriou/rupture,dionyziz/rupture,dimkarakostas/rupture,dimkarakostas/rupture,dionyziz/rupture |
e7bcd073726ab546c41883e68648aadbe7cdeed2 | assets/js/main.js | assets/js/main.js | (function(document){
function setStyle(style, param) {
var range, sel;
if (window.getSelection) {
sel = window.getSelection();
if (sel.getRangeAt) {
range = sel.getRangeAt(0);
}
document.designMode = "on";
if (range) {
sel.removeAllRanges();
sel.addRange(range);
}
document.execCommand(style, false, param);
document.designMode = "off";
}
}
Mousetrap.bind('mod+b', function(e) {
e.preventDefault();
setStyle("bold");
});
Mousetrap.bind('mod+i', function(e) {
e.preventDefault();
setStyle("italic");
});
Mousetrap.bind('mod+u', function(e) {
e.preventDefault();
setStyle("underline");
});
function addImage(e) {
e.stopPropagation();
e.preventDefault();
var file = e.dataTransfer.files[0],
reader = new FileReader();
reader.onload = function (event) {
var newImage = document.createElement('span');
newImage.innerHTML = "<img src=" + event.target.result + " >";
e.target.appendChild(newImage);
};
reader.readAsDataURL(file);
}
var pad = document.getElementById('pad');
pad.addEventListener('drop', addImage, false);
})(document);
| (function(document){
function setStyle(style, param) {
var range, sel;
if (window.getSelection) {
sel = window.getSelection();
if (sel.getRangeAt) {
range = sel.getRangeAt(0);
}
document.designMode = "on";
if (range) {
sel.removeAllRanges();
sel.addRange(range);
}
document.execCommand(style, false, param);
document.designMode = "off";
}
}
Mousetrap.bind('mod+b', function(e) {
e.preventDefault();
setStyle("bold");
});
Mousetrap.bind('mod+i', function(e) {
e.preventDefault();
setStyle("italic");
});
Mousetrap.bind('mod+u', function(e) {
e.preventDefault();
setStyle("underline");
});
function addImage(e) {
e.stopPropagation();
e.preventDefault();
x = e.clientX;
y = e.clientY;
var file = e.dataTransfer.files[0],
reader = new FileReader();
reader.onload = function (event) {
var dataURI = event.target.result;
var img = document.createElement("img");
img.src = dataURI;
if (document.caretPositionFromPoint) {
var pos = document.caretPositionFromPoint(x, y);
range = document.createRange();
range.setStart(pos.offsetNode, pos.offset);
range.collapse();
range.insertNode(img);
}else if (document.caretRangeFromPoint) {
range = document.caretRangeFromPoint(x, y);
range.insertNode(img);
}
};
reader.readAsDataURL(file);
}
var pad = document.getElementById('pad');
pad.addEventListener('drop', addImage, false);
})(document);
| Add image the right way | Add image the right way
| JavaScript | mit | guilhermecomum/minimal-editor |
b491985b4a59f368633a225905f582933fa47f0e | packages/babel-compiler/package.js | packages/babel-compiler/package.js | Package.describe({
name: "babel-compiler",
summary: "Parser/transpiler for ECMAScript 2015+ syntax",
// Tracks the npm version below. Use wrap numbers to increment
// without incrementing the npm version. Hmm-- Apparently this
// isn't possible because you can't publish a non-recommended
// release with package versions that don't have a pre-release
// identifier at the end (eg, -dev)
version: '6.19.0-beta.14'
});
Npm.depends({
'meteor-babel': '0.19.1'
});
Package.onUse(function (api) {
api.use('ecmascript-runtime');
api.addFiles([
'babel.js',
'babel-compiler.js'
], 'server');
api.export('Babel', 'server');
api.export('BabelCompiler', 'server');
});
| Package.describe({
name: "babel-compiler",
summary: "Parser/transpiler for ECMAScript 2015+ syntax",
// Tracks the npm version below. Use wrap numbers to increment
// without incrementing the npm version. Hmm-- Apparently this
// isn't possible because you can't publish a non-recommended
// release with package versions that don't have a pre-release
// identifier at the end (eg, -dev)
version: '6.19.0-beta.14'
});
Npm.depends({
'meteor-babel': '0.19.1'
});
Package.onUse(function (api) {
api.use('ecmascript-runtime', 'server');
api.addFiles([
'babel.js',
'babel-compiler.js'
], 'server');
api.export('Babel', 'server');
api.export('BabelCompiler', 'server');
});
| Make babel-runtime use ecmascript-runtime on server only. | Make babel-runtime use ecmascript-runtime on server only.
| JavaScript | mit | Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor,Hansoft/meteor |
1b4be05beb4d717c13796e404e019ee6d4a543ce | app/javascript/sugar/posts/embeds.js | app/javascript/sugar/posts/embeds.js | import $ from "jquery";
import Sugar from "../../sugar";
/**
* Handlers for scripted embed (social) quirks
*/
$(Sugar).bind("ready", function(){
// Initialize twitter embeds when new posts load or previewed
$(Sugar).bind("postsloaded", function(event, posts) {
if (posts.length && window.twttr && window.twttr.widgets) {
window.twttr.widgets.load(posts[0].parentNode);
}
});
var scrollHeightCache = document.documentElement.scrollHeight;
var scrollYCache = window.scrollY;
const resizeObserver = new ResizeObserver(function (entries) {
entries.forEach(function () {
if (scrollYCache !== window.scrollY) {
// Chrome updates the scroll position, but not the scroll!
window.scrollTo(window.scrollX, window.scrollY);
} else if (document.documentElement.scrollHeight !== scrollHeightCache) {
var scrollYBy = document.documentElement.scrollHeight - scrollHeightCache;
window.scrollBy(0, scrollYBy);
}
scrollYCache = window.scrollY;
scrollHeightCache = document.documentElement.scrollHeight;
});
});
resizeObserver.observe(document.querySelector(".posts"));
});
| import $ from "jquery";
import Sugar from "../../sugar";
/**
* Handlers for scripted embed (social) quirks
*/
$(Sugar).bind("ready", function(){
const postsContainer = document.querySelector(".posts");
// Initialize twitter embeds when new posts load or previewed
$(Sugar).bind("postsloaded", function(event, posts) {
if (posts.length && window.twttr && window.twttr.widgets) {
window.twttr.widgets.load(posts[0].parentNode);
}
});
if (postsContainer) {
let scrollHeightCache = document.documentElement.scrollHeight;
let scrollYCache = window.scrollY;
const resizeObserver = new ResizeObserver(function (entries) {
entries.forEach(function () {
if (scrollYCache !== window.scrollY) {
// Chrome updates the scroll position, but not the scroll!
window.scrollTo(window.scrollX, window.scrollY);
} else if (document.documentElement.scrollHeight !== scrollHeightCache) {
const scrollYBy = document.documentElement.scrollHeight - scrollHeightCache;
window.scrollBy(0, scrollYBy);
}
scrollYCache = window.scrollY;
scrollHeightCache = document.documentElement.scrollHeight;
});
});
resizeObserver.observe(postsContainer);
}
});
| Check that posts exist before applying the resizeObserver | Check that posts exist before applying the resizeObserver
| JavaScript | mit | elektronaut/sugar,elektronaut/sugar,elektronaut/sugar,elektronaut/sugar |
f8d22f8ded7ea448a643f248c346d46e85a929ea | js/query-cache.js | js/query-cache.js | define([], function () {
var caches = {};
function Cache(method) {
this.method = method;
this._store = {};
}
/** xml -> Promise<Result> **/
Cache.prototype.submit = function submit (query) {
var xml = query.toXML();
var current = this._store[xml];
if (current) {
return current;
} else {
return this._store[xml] = query[this.method]();
}
};
return {getCache: getCache};
function getCache (method) {
return caches[method] || (caches[method] = new Cache(method));
}
});
| define([], function () {
var caches = {};
function Cache(method, service) {
this.method = method;
this._store = {};
this.service = service;
}
/** xml -> Promise<Result> **/
Cache.prototype.submit = function submit (query) {
var key, current;
if (this.method === 'findById') {
key = query.type + '@' + query.id;
} else {
key = query.toXML();
}
var current = this._store[key];
if (current) {
return current;
} else if (this.method === 'findById') {
return this._store[key] = this.service.findById(query.type, query.id);
} else {
return this._store[key] = query[this.method]();
}
};
return {getCache: getCache};
function getCache (method, service) {
var key = method;
if (service != null) {
key += service.root;
}
return caches[key] || (caches[key] = new Cache(method, service));
}
});
| Allow cache methods that are run from the service. | Allow cache methods that are run from the service.
| JavaScript | apache-2.0 | yochannah/show-list-tool,alexkalderimis/show-list-tool,yochannah/show-list-tool,intermine-tools/show-list-tool,intermine-tools/show-list-tool,intermine-tools/show-list-tool,yochannah/show-list-tool |
7d8217e5404375885c14539d5a3cdd6799755154 | packages/youtube/package.js | packages/youtube/package.js | Package.describe({
name: 'pntbr:youtube',
version: '0.0.1',
summary: 'Manage Youtube\'s videos',
git: 'https://github.com/goacademie/fanhui',
documentation: 'README.md'
})
Package.onUse(function(api) {
api.versionsFrom('1.2.1')
api.use(['ecmascript', 'mongo'])
api.use(['iron:router', 'templating', 'session'], 'client')
api.addFiles('collection.js')
api.addFiles(['server/model.js'], 'server')
api.addFiles([
'client/youtube.html',
'client/style.css',
'client/router.js',
'client/list-vdos.html',
'client/list-vdos.js',
'client/insert-vdo.html',
'client/insert-vdo.js'
], 'client')
api.export(['notifBadYoutubeId'], 'client')
api.export('Vdos', 'server')
api.export([
'Vdos',
'youtubeIdCheckLength',
'queryValueByFieldName',
'checkTitle',
'categoryByTitle',
'dateByTitle',
'rankByTitle'], 'client')
})
Package.onTest(function(api) {
api.use(['ecmascript', 'tinytest', 'pntbr:youtube'])
api.use(['iron:router@1.0.0', 'templating'], 'client')
api.addFiles('tests-stubs.js')
api.addFiles('tests-youtube.js')
})
| Package.describe({
name: 'pntbr:youtube',
version: '0.0.1',
summary: 'Manage Youtube\'s videos',
git: 'https://github.com/goacademie/fanhui',
documentation: 'README.md'
})
Package.onUse(function(api) {
api.versionsFrom('1.2.1')
api.use(['ecmascript', 'mongo'])
api.use(['iron:router', 'templating', 'session'], 'client')
api.addFiles('collection.js')
api.addFiles(['server/model.js'], 'server')
api.addFiles([
'client/youtube.html',
'client/style.css',
'client/router.js',
'client/list-vdos.html',
'client/list-vdos.js',
'client/insert-vdo.html',
'client/insert-vdo.js'
], 'client')
api.export(['notifBadYoutubeId'], 'client')
api.export('Vdos', 'server')
api.export([
'youtubeIdCheckLength',
'queryValueByFieldName',
'checkTitle',
'categoryByTitle',
'dateByTitle',
'rankByTitle'], 'client')
})
Package.onTest(function(api) {
api.use(['ecmascript', 'tinytest', 'pntbr:youtube'])
api.use(['iron:router@1.0.0', 'templating'], 'client')
api.addFiles('tests-stubs.js')
api.addFiles('tests-youtube.js')
})
| Disable Vdos collection on client | Disable Vdos collection on client
| JavaScript | mit | goacademie/fanhui,goacademie/fanhui |
1b4db6e15bf268d9e46e36d6538b31469afba482 | feature-detects/unicode.js | feature-detects/unicode.js | /*!
{
"name": "Unicode characters",
"property": "unicode",
"tags": ["encoding"],
"warnings": [
"positive Unicode support doesn't mean you can use it inside <title>, this seems more related to OS & Language packs"
]
}
!*/
/* DOC
Detects if unicode characters are supported in the current document.
*/
define(['Modernizr', 'createElement', 'testStyles', 'isSVG'], function(Modernizr, createElement, testStyles, isSVG) {
/**
* Unicode special character support
*
* Detection is made by testing missing glyph box rendering against star character
* If widths are the same, this "probably" means the browser didn't support the star character and rendered a glyph box instead
* Just need to ensure the font characters have different widths
*/
Modernizr.addTest('unicode', function() {
var bool;
var missingGlyph = createElement('span');
var star = createElement('span');
testStyles('#modernizr{font-family:Arial,sans;font-size:300em;}', function(node) {
missingGlyph.innerHTML = isSVG ? '\u5987' : 'ᝣ';
star.innerHTML = isSVG ? '\u2606' : '☆';
node.appendChild(missingGlyph);
node.appendChild(star);
bool = 'offsetWidth' in missingGlyph && missingGlyph.offsetWidth !== star.offsetWidth;
});
return bool;
});
});
| /*!
{
"name": "Unicode characters",
"property": "unicode",
"tags": ["encoding"],
"warnings": [
"positive Unicode support doesn't mean you can use it inside <title>, this seems more related to OS & Language packs"
]
}
!*/
/* DOC
Detects if unicode characters are supported in the current document.
*/
define(['Modernizr', 'createElement', 'testStyles', 'isSVG'], function(Modernizr, createElement, testStyles, isSVG) {
/**
* Unicode special character support
*
* Detection is made by testing missing glyph box rendering against star character
* If widths are the same, this "probably" means the browser didn't support the star character and rendered a glyph box instead
* Just need to ensure the font characters have different widths
*/
Modernizr.addTest('unicode', function() {
var bool;
var missingGlyph = createElement('span');
var star = createElement('span');
testStyles('#modernizr{font-family:Arial,sans;font-size:300em;}', function(node) {
missingGlyph.innerHTML = isSVG ? '\u5987' : 'ᝣ';
star.innerHTML = isSVG ? '\u2606' : '☆';
node.appendChild(missingGlyph);
node.appendChild(star);
bool = 'offsetWidth' in missingGlyph && missingGlyph.offsetWidth !== star.offsetWidth;
});
return bool;
});
});
| Add semicolons to avoid generating typos | Add semicolons to avoid generating typos
| JavaScript | mit | Modernizr/Modernizr,Modernizr/Modernizr |
e4802320d96c78afb3b69b18b69cb71f605c9977 | config/staging.js | config/staging.js | module.exports = {
app_host_port: 'streetmix-staging.herokuapp.com',
restapi_baseuri: "http://streetmix-api-staging.herokuapp.com",
facebook_app_id: '175861739245183'
}
| module.exports = {
app_host_port: 'streetmix-staging.herokuapp.com',
restapi_baseuri: 'http://streetmix-api-staging.herokuapp.com',
facebook_app_id: '175861739245183'
}
| Revert "Tryign double quotes to prevent HTML entity encoding." | Revert "Tryign double quotes to prevent HTML entity encoding."
This reverts commit 656c393aaa66e558179ad94f08812bd3c931b690.
| JavaScript | bsd-3-clause | codeforamerica/streetmix,magul/streetmix,codeforamerica/streetmix,codeforamerica/streetmix,macGRID-SRN/streetmix,magul/streetmix,kodujdlapolski/streetmix,magul/streetmix,CodeForBrazil/streetmix,CodeForBrazil/streetmix,kodujdlapolski/streetmix,kodujdlapolski/streetmix,macGRID-SRN/streetmix,macGRID-SRN/streetmix,CodeForBrazil/streetmix |
9a97f6929af78c0bfffeca2f96a9c47f7fa1e943 | plugins/no-caching/index.js | plugins/no-caching/index.js | var robohydra = require('robohydra'),
RoboHydraHead = robohydra.heads.RoboHydraHead;
function getBodyParts(config) {
"use strict";
var noCachingPath = config.nocachingpath || '/.*';
return {heads: [new RoboHydraHead({
path: noCachingPath,
handler: function(req, res, next) {
// Tweak client cache-related headers so ensure no
// caching, then let the request be dispatched normally
delete req.headers['if-modified-since'];
req.headers['cache-control'] = 'no-cache';
next(req, res);
}
})]};
}
exports.getBodyParts = getBodyParts;
| var robohydra = require('robohydra'),
RoboHydraHead = robohydra.heads.RoboHydraHead;
function getBodyParts(config) {
"use strict";
var noCachingPath = config.nocachingpath || '/.*';
return {heads: [new RoboHydraHead({
path: noCachingPath,
handler: function(req, res, next) {
// Tweak client cache-related headers so ensure no
// caching, then let the request be dispatched normally
delete req.headers['if-modified-since'];
delete req.headers['if-none-match'];
req.headers['cache-control'] = 'no-cache';
next(req, res);
}
})]};
}
exports.getBodyParts = getBodyParts;
| Delete the if-none-match header in the no-caching plugin | Delete the if-none-match header in the no-caching plugin
| JavaScript | apache-2.0 | mlev/robohydra,robohydra/robohydra,robohydra/robohydra,mlev/robohydra,mlev/robohydra |
deadb3b799e40640be486ec5c6f7f39f54eae162 | config/web.js | config/web.js | module.exports = {
public_host_name: 'http://watchmen.letsnode.com/', // required for OAuth dance
auth: {
GOOGLE_CLIENT_ID: process.env.WATCHMEN_GOOGLE_CLIENT_ID || '<Create credentials from Google Dev Console>',
GOOGLE_CLIENT_SECRET: process.env.WATCHMEN_GOOGLE_CLIENT_SECRET || '<Create credentials from Google Dev Console>'
},
ga_analytics_ID: process.env.WATCHMEN_GOOGLE_ANALYTICS_ID
};
| module.exports = {
public_host_name: process.env.WATCHMEN_BASE_URL || 'http://watchmen.letsnode.com/', // required for OAuth dance
auth: {
GOOGLE_CLIENT_ID: process.env.WATCHMEN_GOOGLE_CLIENT_ID || '<Create credentials from Google Dev Console>',
GOOGLE_CLIENT_SECRET: process.env.WATCHMEN_GOOGLE_CLIENT_SECRET || '<Create credentials from Google Dev Console>'
},
ga_analytics_ID: process.env.WATCHMEN_GOOGLE_ANALYTICS_ID
};
| Add WATCHMEN_BASE_URL env var to configure base url | Add WATCHMEN_BASE_URL env var to configure base url
| JavaScript | mit | corinis/watchmen,labianchin/WatchMen,plyo/watchmen,corinis/watchmen,NotyIm/WatchMen,iloire/WatchMen,Cellington1/Status,NotyIm/WatchMen,labianchin/WatchMen,plyo/watchmen,labianchin/WatchMen,NotyIm/WatchMen,plyo/watchmen,ravi/watchmen,ravi/watchmen,Cellington1/Status,iloire/WatchMen,Cellington1/Status,corinis/watchmen,iloire/WatchMen,ravi/watchmen |
084fd3d7bc7c227c313d2f23bce1413af02f935a | lib/background.js | lib/background.js | var path = require('path');
var nightwatch = require('nightwatch');
var originalArgv = JSON.parse(process.argv[2]);
nightwatch.cli(function(argv) {
for (var key in originalArgv) {
if (key === 'env' && argv['parallel-mode'] === true) {
continue;
}
argv[key] = originalArgv[key];
}
if (argv.test) {
argv.test = path.resolve(argv.test);
}
nightwatch.runner(argv, function(success) {
if (!success) {
process.exit(1);
} else {
process.exit(0);
}
});
});
| var path = require('path');
var nightwatch = require('nightwatch');
var originalArgv = JSON.parse(process.argv[2]);
nightwatch.cli(function(argv) {
for (var key in originalArgv) {
if (key === 'env' && originalArgv[key].indexOf(',') > -1 && argv['parallel-mode'] === true) {
continue;
}
argv[key] = originalArgv[key];
}
if (argv.test) {
argv.test = path.resolve(argv.test);
}
nightwatch.runner(argv, function(success) {
if (!success) {
process.exit(1);
} else {
process.exit(0);
}
});
});
| Fix correct check for env argument passed | Fix correct check for env argument passed
| JavaScript | mit | tatsuyafw/gulp-nightwatch,StoneCypher/gulp-nightwatch |
2fbe38df3bba8886de9295ef637b65ea8ac664af | lib/i18n/index.js | lib/i18n/index.js | /**
* i18n plugin
* register handlebars handler which looks up translations in a dictionary
*/
var path = require("path");
var fs = require("fs");
var handlebars = require("handlebars");
module.exports = function makePlugin() {
return function (opts) {
var data = {
"en": {}
};
//load translation data
if (opts.locales) {
try {
opts.locales.forEach( function (loc) {
content = fs.readFileSync(path.join(__dirname + "../../../", loc.file));
data[loc.locale] = JSON.parse(content);
});
} catch (e) {
console.error(e);
}
}
handlebars.registerHelper("i18n", function (msg) {
if (msg && this.file.locale && data[this.file.locale] && data[this.file.locale][msg]) {
return data[this.file.locale][msg];
}
return msg;
});
return function(files, metalsmith, done){
for (filename in files) {
// add locale metadata to files
var locale = filename.split("/")[0];
files[filename]['locale'] = locale;
}
done();
};
};
};
| /**
* i18n plugin
* register handlebars handler which looks up translations in a dictionary
*/
var path = require("path");
var fs = require("fs");
var handlebars = require("handlebars");
module.exports = function makePlugin() {
return function (opts) {
var data = {
"en": {}
};
//load translation data
if (opts.locales) {
try {
opts.locales.forEach( function (loc) {
try {
content = fs.readFileSync(path.join(__dirname + "../../../", loc.file));
data[loc.locale] = JSON.parse(content);
} catch (e) {
console.error("Failed to load: " + e.path);
}
});
} catch (e) {
console.error(e);
}
}
handlebars.registerHelper("i18n", function (msg) {
if (msg && this.file.locale && data[this.file.locale] && data[this.file.locale][msg]) {
return data[this.file.locale][msg];
}
return msg;
});
return function(files, metalsmith, done){
for (filename in files) {
// add locale metadata to files
var locale = filename.split("/")[0];
files[filename]['locale'] = locale;
}
done();
};
};
};
| Handle missing title localisation file. | Handle missing title localisation file.
| JavaScript | mit | playcanvas/developer.playcanvas.com,playcanvas/developer.playcanvas.com |
6721766466e5cf2231fcc81fa9cdee2972835a93 | lib/jsonReader.js | lib/jsonReader.js | var fs = require('fs');
var JSONStream = require('JSONStream');
var jsonReader = {};
jsonReader.read = function (fileName, callback) {
return fs.readFile(fileName, function(err, data) {
if (err) throw err;
return callback(data);
});
};
jsonReader.readStartStationStream = function (fileName, callback) {
return fs.createReadStream(fileName)
.pipe(JSONStream.parse('trips.*.start_station_id'));
};
module.exports = jsonReader; | var fs = require('fs')
var jsonReader = {}
jsonReader.read = function (fileName, callback) {
return fs.readFile(fileName, function (err, data) {
if (err) {
throw err
}
return callback(data)
})
}
jsonReader.readStream = function (fileName) {
return fs.createReadStream(fileName)
}
module.exports = jsonReader
| Clean up and make a separate method for return a readStream | Clean up and make a separate method for return a readStream
| JavaScript | mit | superhansa/bikesluts,superhansa/bikesluts |
5162a6d35a605c13d32dadf8a821e569248db98e | Gruntfile.js | Gruntfile.js | require('js-yaml');
module.exports = function (grunt) {
grunt.loadNpmTasks('grunt-contrib-jst');
grunt.loadNpmTasks('grunt-mocha-test');
grunt.loadNpmTasks('grunt-karma');
grunt.initConfig({
paths: require('js_paths.yml'),
mochaTest: {
jsbox_apps: {
src: ['<%= paths.tests.jsbox_apps.spec %>'],
}
},
jst: {
options: {
processName: function(filename) {
// process the template names the arb Django Pipelines way
return filename
.replace('go/base/static/templates/', '')
.replace(/\..+$/, '')
.split('/')
.join('_');
}
},
templates: {
files: {
"<%= paths.client.templates.dest %>": [
"<%= paths.client.templates.src %>"
]
}
},
},
karma: {
dev: {
singleRun: true,
reporters: ['dots'],
configFile: 'karma.conf.js'
}
}
});
grunt.registerTask('test:jsbox_apps', [
'mochaTest:jsbox_apps'
]);
grunt.registerTask('test:client', [
'jst:templates',
'karma:dev'
]);
grunt.registerTask('test', [
'test:jsbox_apps',
'test:client'
]);
grunt.registerTask('default', [
'test'
]);
};
| require('js-yaml');
var path = require('path');
module.exports = function (grunt) {
grunt.loadNpmTasks('grunt-contrib-jst');
grunt.loadNpmTasks('grunt-mocha-test');
grunt.loadNpmTasks('grunt-karma');
grunt.initConfig({
paths: require('js_paths.yml'),
mochaTest: {
jsbox_apps: {
src: ['<%= paths.tests.jsbox_apps.spec %>'],
}
},
jst: {
options: {
processName: function(filename) {
var dir = path.dirname(filename);
dir = path.relative('go/base/static/templates', dir);
var parts = dir.split('/');
parts.push(path.basename(filename, '.jst'));
// process the template names the arb Django Pipelines way
return parts.join('_');
}
},
templates: {
files: {
"<%= paths.client.templates.dest %>": [
"<%= paths.client.templates.src %>"
]
}
},
},
karma: {
dev: {
singleRun: true,
reporters: ['dots'],
configFile: 'karma.conf.js'
}
}
});
grunt.registerTask('test:jsbox_apps', [
'mochaTest:jsbox_apps'
]);
grunt.registerTask('test:client', [
'jst:templates',
'karma:dev'
]);
grunt.registerTask('test', [
'test:jsbox_apps',
'test:client'
]);
grunt.registerTask('default', [
'test'
]);
};
| Make use of node path utils when processing the jst names for jst grunt task | Make use of node path utils when processing the jst names for jst grunt task
| JavaScript | bsd-3-clause | praekelt/vumi-go,praekelt/vumi-go,praekelt/vumi-go,praekelt/vumi-go |
1170229827ef0e2e4dc78bd65bf71ab6ce7875fc | lib/node-linux.js | lib/node-linux.js | /**
* @class nodelinux
* This is a standalone module, originally designed for internal use in [NGN](http://github.com/thinkfirst/NGN).
* However; it is capable of providing the same features for Node.JS scripts
* independently of NGN.
*
* ### Getting node-linux
*
* `npm install node-linux`
*
* ### Using node-linux
*
* `var nm = require('node-linux');`
*
* @singleton
* @author Corey Butler
*/
if (require('os').platform().indexOf('linux') < 0){
throw 'node-linux is only supported on Linux.';
}
// Add daemon management capabilities
module.exports.Service = require('./daemon'); | /**
* @class nodelinux
* This is a standalone module, originally designed for internal use in [NGN](http://github.com/thinkfirst/NGN).
* However; it is capable of providing the same features for Node.JS scripts
* independently of NGN.
*
* ### Getting node-linux
*
* `npm install node-linux`
*
* ### Using node-linux
*
* `var nm = require('node-linux');`
*
* @singleton
* @author Corey Butler
*/
// Add daemon management capabilities
module.exports.Service = require('./daemon');
| Remove exception on requiring module | Remove exception on requiring module | JavaScript | mit | zonetti/node-linux,zonetti/node-linux |
43f48c6fbe4d43d7f288d6169c612e8b6402e3b3 | Gruntfile.js | Gruntfile.js | module.exports = function(grunt) {
grunt.initConfig({
nodewebkit: {
options: {
platforms: ['osx'],
buildDir: './build',
macIcns: './app/icon/logo.icns'
},
src: ['./app/**/*']
},
browserSync: {
bsFiles: {
src : 'app/css/*.css'
},
options: {
server: {
baseDir: "./app"
}
}
},
shell: {
runApp: {
command: '/Applications/node-webkit.app/Contents/MacOS/node-webkit ./app'
}
}
});
require('load-grunt-tasks')(grunt);
grunt.registerTask('build', ['nodewebkit']);
grunt.registerTask('server', ['browserSync']);
grunt.registerTask('run', ['shell:runApp']);
}
| module.exports = function(grunt) {
grunt.initConfig({
nodewebkit: {
options: {
platforms: ['osx'],
buildDir: './build',
macIcns: './app/icon/logo.icns'
},
src: ['./app/**/*']
},
browserSync: {
bsFiles: {
src : 'app/css/*.css'
},
options: {
server: {
baseDir: "./app"
}
}
},
shell: {
runApp: {
command: '/Applications/node-webkit.app/Contents/MacOS/node-webkit ./app --remote-debugging-port=9222'
}
}
});
require('load-grunt-tasks')(grunt);
grunt.registerTask('build', ['nodewebkit']);
grunt.registerTask('server', ['browserSync']);
grunt.registerTask('run', ['shell:runApp']);
}
| Enable remote debugging when running app. | Enable remote debugging when running app. | JavaScript | mit | ParinVachhani/chrome-devtools-app,ahmadassaf/Chrome-devtools-app,ParinVachhani/chrome-devtools-app,ahmadassaf/Chrome-devtools-app,ahmadassaf/Chrome-devtools-app,auchenberg/chrome-devtools-app,modulexcite/chrome-devtools-app,modulexcite/chrome-devtools-app,cjpearson/chrome-devtools-app,ahmadassaf/Chrome-devtools-app,modulexcite/chrome-devtools-app,modulexcite/chrome-devtools-app,monaca/chrome-devtools-app,ParinVachhani/chrome-devtools-app,auchenberg/chrome-devtools-app,monaca/chrome-devtools-app,ahmadassaf/Chrome-devtools-app,cjpearson/chrome-devtools-app,ParinVachhani/chrome-devtools-app,monaca/chrome-devtools-app,ParinVachhani/chrome-devtools-app,cjpearson/chrome-devtools-app,monaca/chrome-devtools-app,auchenberg/chrome-devtools-app,monaca/chrome-devtools-app,modulexcite/chrome-devtools-app,auchenberg/chrome-devtools-app,auchenberg/chrome-devtools-app |
f27626a82f7c2228182fca3b3d84171cf49b0ecb | Gruntfile.js | Gruntfile.js | require('js-yaml');
module.exports = function (grunt) {
grunt.loadNpmTasks('grunt-mocha-test');
grunt.initConfig({
paths: require('paths.yml'),
mochaTest: {
jsbox_apps: {
src: ['<%= paths.jsbox_apps.tests %>'],
}
}
});
grunt.registerTask('test', [
'mochaTest'
]);
grunt.registerTask('default', [
'test'
]);
};
| require('js-yaml');
module.exports = function (grunt) {
grunt.loadNpmTasks('grunt-mocha-test');
grunt.initConfig({
paths: require('paths.yml'),
mochaTest: {
jsbox_apps: {
src: ['<%= paths.jsbox_apps.tests %>'],
}
}
});
grunt.registerTask('test:jsbox_apps', [
'mochaTest:jsbox_apps'
]);
grunt.registerTask('test', [
'mochaTest'
]);
grunt.registerTask('default', [
'test'
]);
};
| Add a grunt task for only the jsbox_app js tests | Add a grunt task for only the jsbox_app js tests
| JavaScript | bsd-3-clause | praekelt/vumi-go,praekelt/vumi-go,praekelt/vumi-go,praekelt/vumi-go |
20c080c8f356f257d9c57dc761dd904280fabd4e | js/application.js | js/application.js | // load social sharing scripts if the page includes a Twitter "share" button
var _jsLoader = _jsLoader || {};
// callback pattern
_jsLoader.initTwitter = (function() {
if (typeof (twttr) != 'undefined') {
twttr.widgets.load();
} else {
_jsLoader.getScript('http://platform.twitter.com/widgets.js');
}
});
_jsLoader.initFacebook = (function() {
if (typeof (FB) != 'undefined') {
FB.init({ status: true, cookie: true, xfbml: true });
} else {
_jsLoader.getScript("http://connect.facebook.net/en_US/all.js#xfbml=1", function () {
FB.init({ status: true, cookie: true, xfbml: true });
});
}
});
_jsLoader.initGooglePlusOne = (function() {
if (typeof (gapi) != 'undefined') {
$(".g-plusone").each(function () {
gapi.plusone.render($(this).get(0));
});
} else {
_jsLoader.getScript('https://apis.google.com/js/plusone.js');
}
});
_jsLoader.loadSocial = (function() {
_jsLoader.initTwitter();
_jsLoader.initFacebook();
_jsLoader.initGooglePlusOne();
});
| // load social sharing scripts if the page includes a Twitter "share" button
var _jsLoader = _jsLoader || {};
// callback pattern
_jsLoader.initTwitter = (function() {
if (typeof (twttr) != 'undefined') {
twttr.widgets.load();
} else {
_jsLoader.getScript('http://platform.twitter.com/widgets.js', function() {
setTimeout(function() {
_jsLoader.initTwitter();
}, _jsLoader.timeout);
});
}
});
_jsLoader.initFacebook = (function() {
if (typeof (FB) != 'undefined') {
FB.init({ status: true, cookie: true, xfbml: true });
} else {
_jsLoader.getScript("http://connect.facebook.net/en_US/all.js#xfbml=1", function () {
setTimeout(function() {
_jsLoader.initFacebook();
}, _jsLoader.timeout);
});
}
});
_jsLoader.initGooglePlusOne = (function() {
if (typeof (gapi) != 'undefined') {
$(".g-plusone").each(function () {
gapi.plusone.render($(this).get(0));
});
} else {
_jsLoader.getScript('https://apis.google.com/js/plusone.js', function() {
setTimeout(function() {
_jsLoader.initGooglePlusOne();
}, _jsLoader.timeout);
});
}
});
_jsLoader.loadSocial = (function() {
_jsLoader.initTwitter();
_jsLoader.initFacebook();
_jsLoader.initGooglePlusOne();
});
| Add timeouts to social app loading | Add timeouts to social app loading
| JavaScript | mit | bf4/bf4.github.com,bf4/bf4.github.com,bf4/bf4.github.com,bf4/bf4.github.com |
e2bc229164dfcb37f3111950e536e3452bab646f | data/bootstrap.js | data/bootstrap.js | /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
const { utils: Cu } = Components;
const rootURI = __SCRIPT_URI_SPEC__.replace("bootstrap.js", "");
const COMMONJS_URI = "resource://gre/modules/commonjs";
const { require } = Cu.import(COMMONJS_URI + "/toolkit/require.js", {});
const { Bootstrap } = require(COMMONJS_URI + "/sdk/addon/bootstrap.js");
const { startup, shutdown, install, uninstall } = new Bootstrap(rootURI);
| /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
const { utils: Cu } = Components;
const rootURI = __SCRIPT_URI_SPEC__.replace("bootstrap.js", "");
const COMMONJS_URI = "resource://gre/modules/commonjs";
const { require } = Cu.import(COMMONJS_URI + "/toolkit/require.js", {});
const { Bootstrap } = require(COMMONJS_URI + "/sdk/addon/bootstrap.js");
var { startup, shutdown, install, uninstall } = new Bootstrap(rootURI);
| Fix fallout from global lexical scope changes. | Fix fallout from global lexical scope changes.
| JavaScript | mpl-2.0 | mozilla-jetpack/jpm-core,mozilla/jpm-core |
67fc5a6d4365cc87ef7a07766594cae9431f1086 | lib/app/js/directives/shadowDom.js | lib/app/js/directives/shadowDom.js | 'use strict';
angular.module('sgApp')
.directive('shadowDom', function(Styleguide, $templateCache) {
var USER_STYLES_TEMPLATE = 'userStyles.html';
return {
restrict: 'E',
transclude: true,
link: function(scope, element, attrs, controller, transclude) {
if (typeof element[0].createShadowRoot === 'function' && !Styleguide.config.data.disableEncapsulation) {
var root = angular.element(element[0].createShadowRoot());
root.append($templateCache.get(USER_STYLES_TEMPLATE));
transclude(function(clone) {
root.append(clone);
});
} else {
transclude(function(clone) {
element.append(clone);
});
}
}
};
});
| 'use strict';
angular.module('sgApp')
.directive('shadowDom', function(Styleguide, $templateCache) {
var USER_STYLES_TEMPLATE = 'userStyles.html';
return {
restrict: 'E',
transclude: true,
link: function(scope, element, attrs, controller, transclude) {
scope.$watch(function() {
return Styleguide.config;
}, function() {
if (typeof element[0].createShadowRoot === 'function' && (Styleguide.config && Styleguide.config.data && !Styleguide.config.data.disableEncapsulation)) {
angular.element(element[0]).empty();
var root = angular.element(element[0].createShadowRoot());
root.append($templateCache.get(USER_STYLES_TEMPLATE));
transclude(function(clone) {
root.append(clone);
});
} else {
transclude(function(clone) {
var root = angular.element(element[0]);
root.empty();
root.append(clone);
});
}
}, true);
}
};
});
| Fix fullscreen mode when using disableEncapsulation option | Fix fullscreen mode when using disableEncapsulation option
| JavaScript | mit | hence-io/sc5-styleguide,junaidrsd/sc5-styleguide,kraftner/sc5-styleguide,patriziosotgiu/sc5-styleguide,lewiscowper/sc5-styleguide,varya/sc5-styleguide,kraftner/sc5-styleguide,hence-io/sc5-styleguide,jkarttunen/sc5-styleguide,lewiscowper/sc5-styleguide,ifeelgoods/sc5-styleguide,jkarttunen/sc5-styleguide,SC5/sc5-styleguide,soulfresh/sc5-styleguide,SC5/sc5-styleguide,hannu/sc5-styleguide,varya/sc5-styleguide,ifeelgoods/sc5-styleguide,junaidrsd/sc5-styleguide,patriziosotgiu/sc5-styleguide,hannu/sc5-styleguide,soulfresh/sc5-styleguide |
8566a1dedb86a6941ef32822a424dbae327e646d | src/streams/hot-collection-to-collection.js | src/streams/hot-collection-to-collection.js | define(['streamhub-sdk/collection'], function (Collection) {
'use strict';
var HotCollectionToCollection = function () {};
/**
* Transform an Object from StreamHub's Hot Collection endpoint into a
* streamhub-sdk/collection model
* @param hotCollection {object}
*/
HotCollectionToCollection.transform = function (hotCollection) {
var collection = new Collection({
network: networkFromHotCollection(hotCollection),
siteId: hotCollection.siteId,
articleId: hotCollection.articleId,
id: hotCollection.id,
environment: environmentFromHotCollection(hotCollection)
});
collection.heatIndex = hotCollection.heat;
collection.title = hotCollection.title;
return collection;
};
var NETWORK_IN_INITURL = /([^.\/]+\.fyre\.co|livefyre\.com)\/\d+\//;
function networkFromHotCollection(hotCollection) {
var initUrl = hotCollection.initUrl;
var match = initUrl.match(NETWORK_IN_INITURL);
if ( ! match) {
return;
}
return match[1];
}
var ENVIRONMENT_IN_INITURL = /\/bs3\/([^\/]+)\/[^\/]+\/\d+\//;
function environmentFromHotCollection(hotCollection) {
var initUrl = hotCollection.initUrl;
var match = initUrl.match(ENVIRONMENT_IN_INITURL);
if ( ! match) {
return;
}
return match[1];
}
return HotCollectionToCollection;
}); | define(['streamhub-sdk/collection'], function (Collection) {
'use strict';
var HotCollectionToCollection = function () {};
/**
* Transform an Object from StreamHub's Hot Collection endpoint into a
* streamhub-sdk/collection model
* @param hotCollection {object}
*/
HotCollectionToCollection.transform = function (hotCollection) {
var collection = new Collection({
network: networkFromHotCollection(hotCollection),
siteId: hotCollection.siteId,
articleId: hotCollection.articleId,
id: hotCollection.id,
environment: environmentFromHotCollection(hotCollection)
});
collection.heatIndex = hotCollection.heat;
collection.title = hotCollection.title;
collection.url = hotCollection.url;
return collection;
};
var NETWORK_IN_INITURL = /([^.\/]+\.fyre\.co|livefyre\.com)\/\d+\//;
function networkFromHotCollection(hotCollection) {
var initUrl = hotCollection.initUrl;
var match = initUrl.match(NETWORK_IN_INITURL);
if ( ! match) {
return;
}
return match[1];
}
var ENVIRONMENT_IN_INITURL = /\/bs3\/([^\/]+)\/[^\/]+\/\d+\//;
function environmentFromHotCollection(hotCollection) {
var initUrl = hotCollection.initUrl;
var match = initUrl.match(ENVIRONMENT_IN_INITURL);
if ( ! match) {
return;
}
return match[1];
}
return HotCollectionToCollection;
});
| Include url attribute in created Collection | Include url attribute in created Collection
| JavaScript | mit | gobengo/streamhub-hot-collections |
3f8a720bce6ea792be37fbf7a52ba7ea62d89c9f | lib/connection.js | lib/connection.js | var mongo = require('mongoskin');
var job = require('./job');
var Queue = require('./queue');
var Worker = require('./worker');
module.exports = Connection;
function Connection(uri, options) {
this.db = mongo.db(uri, options);
}
Connection.prototype.worker = function (queues, options) {
var self = this;
var queues = queues.map(function (queue) {
if (typeof queue === 'string') {
queue = self.queue(queue);
}
return queue;
});
return new Worker(queues, options);
};
Connection.prototype.queue = function (name, options) {
return new Queue(this, name, options);
};
Connection.prototype.close = function () {
this.db.close();
}; | var mongo = require('mongoskin');
var job = require('./job');
var Queue = require('./queue');
var Worker = require('./worker');
module.exports = Connection;
function Connection(uri, options) {
this.db = mongo.db(uri, options);
}
Connection.prototype.worker = function (queues, options) {
var self = this;
var queues = queues.map(function (queue) {
if (typeof queue === 'string') {
queue = self.queue(queue, options);
}
return queue;
});
return new Worker(queues, options);
};
Connection.prototype.queue = function (name, options) {
return new Queue(this, name, options);
};
Connection.prototype.close = function () {
this.db.close();
};
| Create worker queue with options | Create worker queue with options | JavaScript | mit | dioscouri/nodejs-monq |
403e11554bdd11ec3e521d4de244f22bdae437d0 | src/components/Layout/HeaderNav.js | src/components/Layout/HeaderNav.js | import React from 'react'
import PropTypes from 'prop-types'
import { Menu, Icon, Popover } from 'antd'
import { Link } from 'dva/router'
import uri from 'utils/uri'
import { l } from 'utils/localization'
import styles from './Header.less'
import { classnames } from 'utils'
function createMenu(items, handleClick, mode = 'horizontal') {
let current = uri.current().split('/')[1]
return (
<Menu onClick={handleClick} selectedKeys={[current]} mode={mode}>
{items.map(item => (<Menu.Item key={item.name}><Link to={item.path}><Icon type={item.icon || 'appstore-o'} /><span>{l(item.name)}</span></Link></Menu.Item>))}
</Menu>
)
}
const HeaderNav = React.createClass({
getInitialState() {
return {
current: uri.current().split('/')[1],
}
},
handleClick(e) {
this.setState({
current: e.key,
})
},
render() {
return (<div>
<div className={styles.headerNavItems}>
{createMenu(this.props.items, this.handleClick)}
</div>
<Popover content={createMenu(this.props.items, this.handleClick, 'inline')} trigger="click" overlayClassName={styles.headerNavMenus}>
<div className={classnames(styles.headerNavDropdown, this.props.barClassName)}>
<Icon type="bars" />
</div>
</Popover>
</div>
)
},
})
export default HeaderNav
| import React from 'react'
import PropTypes from 'prop-types'
import { Menu, Icon, Popover } from 'antd'
import { Link } from 'dva/router'
import uri from 'utils/uri'
import { l } from 'utils/localization'
import styles from './Header.less'
import { classnames } from 'utils'
function createMenu(items, handleClick, mode = 'horizontal') {
let current = uri.current().split('/')[1]
return (
<Menu onClick={handleClick} selectedKeys={[current]} mode={mode}>
{items.map(item => (<Menu.Item key={item.path.split('/')[1]}><Link to={item.path}><Icon type={item.icon || 'appstore-o'} /><span>{l(item.name)}</span></Link></Menu.Item>))}
</Menu>
)
}
const HeaderNav = React.createClass({
getInitialState() {
return {
current: uri.current().split('/')[1],
}
},
handleClick(e) {
this.setState({
current: e.key,
})
},
render() {
return (<div>
<div className={styles.headerNavItems}>
{createMenu(this.props.items, this.handleClick)}
</div>
<Popover content={createMenu(this.props.items, this.handleClick, 'inline')} trigger="click" overlayClassName={styles.headerNavMenus}>
<div className={classnames(styles.headerNavDropdown, this.props.barClassName)}>
<Icon type="bars" />
</div>
</Popover>
</div>
)
},
})
export default HeaderNav
| Fix header nav selected key issue | Fix header nav selected key issue
| JavaScript | mit | steem/qwp-antd,steem/qwp-antd |
9b491e8b0792917404e6a8af09b1f6bd367274d1 | src/components/SubTabView/index.js | src/components/SubTabView/index.js | import React, {Component} from 'react'
import {StyleSheet, View} from 'react-native'
import TabButton from './TabButton'
export default class extends Component {
state = {activeTab: 0}
render = () => (
<View style={{flex: 1}}>
{this.props.tabs.length < 2 ? null :
<View style={Styles.tabWrapper}>
{
this.props.tabs.map(({title}, key) => (
<TabButton
key={key}
index={key}
text={title}
activeTab={this.state.activeTab}
changeTab={this.changeTab}
/>
))
}
</View>
}
{this.renderTab()}
</View>
)
renderTab = () => (
this.props.tabs.map((tab, key) => {
if (key == this.state.activeTab) {
const ContentView = tab.content
return <ContentView key={key}/>
}
})
)
changeTab = (key) => this.setState({activeTab: key})
}
const Styles = StyleSheet.create({
tabWrapper: {
flexDirection: 'row',
alignSelf: 'stretch',
alignContent: 'stretch',
justifyContent: 'space-between',
height: 40
}
}) | import React, {Component} from 'react'
import {StyleSheet, View} from 'react-native'
import TabButton from './TabButton'
export default class extends Component {
state = {activeTab: 0}
render = () => (
<View style={{flex: 1}}>
{this.props.tabs.length < 2 ? null :
<View style={Styles.tabWrapper}>
{
this.props.tabs.sort(this.compareSortOrder).map(({title}, key) => (
<TabButton
key={key}
index={key}
text={title}
activeTab={this.state.activeTab}
changeTab={this.changeTab}
/>
))
}
</View>
}
{this.renderTab()}
</View>
)
renderTab = () => (
this.props.tabs.map((tab, key) => {
if (key == this.state.activeTab) {
const ContentView = tab.content
return <ContentView key={key}/>
}
})
)
changeTab = (key) => this.setState({activeTab: key})
compareSortOrder = (element1, element2) => element1.sortOrder - element2.sortOrder
}
const Styles = StyleSheet.create({
tabWrapper: {
flexDirection: 'row',
alignSelf: 'stretch',
alignContent: 'stretch',
justifyContent: 'space-between',
height: 40
}
}) | Implement sort ordering for SubTabView | Implement sort ordering for SubTabView
| JavaScript | mit | Digitova/reactova-framework |
7aeca984f56841396a3d26120decc7b1b161f92a | scripts/_build-base-html.js | scripts/_build-base-html.js | const fs = require(`fs`);
const glob = require(`glob`);
const path = require(`path`);
const buildHtml = require(`./_build-html.js`);
const pages = glob.sync(path.join(process.cwd(), `pages`, `**`, `*.hbs`));
module.exports = (data) => {
pages.forEach((page) => {
const baseTemplate = fs.readFileSync(page, `utf8`);
const outputFile = path.join(process.cwd(), `dist`, `${path.parse(page).name}.html`);
buildHtml(baseTemplate, data, outputFile);
});
};
| const fs = require(`fs`);
const glob = require(`glob`);
const path = require(`path`);
const buildHtml = require(`./_build-html.js`);
const pages = glob.sync(path.join(process.cwd(), `pages`, `**`, `*.hbs`));
module.exports = (data) => {
pages.forEach((page) => {
const baseTemplate = fs.readFileSync(page, `utf8`);
const pathName = path.parse(page).name;
const subPath = path
.parse(page.replace(path.join(process.cwd(), `pages`, path.sep), ``))
.dir.split(path.sep);
const outputPath = [process.cwd(), `dist`, ...subPath];
if (pathName !== `index`) {
outputPath.push(pathName);
}
const outputFile = path.join(...outputPath, `index.html`);
buildHtml(baseTemplate, data, outputFile);
});
};
| Add support for nested pages | Add support for nested pages
| JavaScript | mit | avalanchesass/avalanche-website,avalanchesass/avalanche-website |
78aa6e0fb40c58376105c801c1204b194bc926de | publishing/printview/main.js | publishing/printview/main.js | // convert current notebook to html by calling "ipython nbconvert" and open static html file in new tab
define([
'base/js/namespace',
'jquery',
], function(IPython, $) {
"use strict";
if (IPython.version[0] < 3) {
console.log("This extension requires IPython 3.x")
return
}
/**
* Call nbconvert using the current notebook server profile
*
*/
var nbconvertPrintView = function () {
var kernel = IPython.notebook.kernel;
var name = IPython.notebook.notebook_name;
var command = 'ip=get_ipython(); import os; os.system(\"ipython nbconvert --profile=%s --to html '
+ name + '\" % ip.profile)';
function callback(out_type, out_data) {
var url = name.split('.ipynb')[0] + '.html';
var win=window.open(url, '_blank');
win.focus();
}
kernel.execute(command, { shell: { reply : callback } });
$('#doPrintView').blur()
};
IPython.toolbar.add_buttons_group([
{
id : 'doPrintView',
label : 'Create static print view',
icon : 'fa-print',
callback : nbconvertPrintView
}
])
})
| // convert current notebook to html by calling "ipython nbconvert" and open static html file in new tab
define([
'base/js/namespace',
'jquery',
], function(IPython, $) {
"use strict";
if (IPython.version[0] < 3) {
console.log("This extension requires at least IPython 3.x")
return
}
/**
* Call nbconvert using the current notebook server profile
*
*/
var nbconvertPrintView = function () {
var name = IPython.notebook.notebook_name;
var command = 'ip=get_ipython(); import os; os.system(\"jupyter nbconvert --profile=%s --to html '
+ name + '\" % ip.profile)';
callbacks = {
iopub : {
output : function() {
var url = name.split('.ipynb')[0] + '.html';
var win=window.open(url, '_blank');
win.focus();
}
}
};
IPython.notebook.kernel.execute(command, callbacks);
//$('#doPrintView').blur();
};
var load_ipython_extension = function () {
IPython.toolbar.add_buttons_group([
{
id : 'doPrintView',
label : 'Create static print view',
icon : 'fa-print',
callback : nbconvertPrintView
}
])
}
return {
load_ipython_extension : load_ipython_extension
}
})
| Make printview work with jupyter | Make printview work with jupyter
| JavaScript | bsd-3-clause | Konubinix/IPython-notebook-extensions,Konubinix/IPython-notebook-extensions,Konubinix/IPython-notebook-extensions |
071ebfc41f71078432ad061488cb0b2175ab5668 | src/index.js | src/index.js | require('./env');
module.exports = function(config) {
config = Object.assign({}, config, {
BUGS_TOKEN: process.env.BUGSNAG_TOKEN,
LOGS_TOKEN: process.env.LOGENTRIES_TOKEN
});
require('./bugsnag')(config.BUGS_TOKEN);
require('./winston')(config.LOGS_TOKEN);
};
| require('./env');
module.exports = function(config) {
config = Object.assign({
BUGS_TOKEN: process.env.BUGSNAG_TOKEN,
LOGS_TOKEN: process.env.LOGENTRIES_TOKEN
}, config);
require('./bugsnag')(config.BUGS_TOKEN);
require('./winston')(config.LOGS_TOKEN);
};
| Fix priority order in default config usage (env is not priority) | Fix priority order in default config usage (env is not priority)
| JavaScript | mit | dial-once/node-microservice-boot |
1519fa8c1a2d92b5ab2f515f920bea3a691eca4f | src/index.js | src/index.js | import './css/app';
console.log('Initiated');
import {postMessage, getMessage} from './js/worker';
document.addEventListener('DOMContentLoaded', init);
let workerBlob;
require(['raw!../builds/worker'], (val) => {
workerBlob = new Blob([val], {type: 'text/javascript'});
console.log(workerBlob);
});
function init() {
document.querySelector('.btn').addEventListener('click', (ev) => {
ev.preventDefault();
console.log('Clicked');
if(!workerBlob) {
return;
}
const workerURL = URL.createObjectURL(workerBlob);
const worker = new Worker(workerURL);
URL.revokeObjectURL(workerURL);
worker.addEventListener('message', (msgEv) => {
const data = getMessage(msgEv);
console.log('Long Running Process result:', data);
});
postMessage(worker, 'GO');
}, false);
document.addEventListener('click', () => console.log('Doc clicked'));
}
| Create app entry main file | Create app entry main file
| JavaScript | mit | abhisekp/WebWorker-demo,abhisekp/WebWorker-demo |
|
bc7f78fa11cfd51a4bcf28a3d1bc5aa384772224 | api/index.js | api/index.js | const { Router } = require('express')
const authRoutes = require('./authentication')
const usersRoutes = require('./users')
const authMiddleware = require('./../middlewares/authentication')
const api = (app) => {
let api = Router()
api.use(authMiddleware)
api.get('/', (req, res) => {
res.status(200).send({ 'user': req.currentUser })
})
authRoutes(api)
usersRoutes(api)
return api
}
module.exports = api
| const { Router } = require('express')
const authRoutes = require('./authentication')
const usersRoutes = require('./users')
const customerRoutes = require('./customers')
const authMiddleware = require('./../middlewares/authentication')
const api = (app) => {
let api = Router()
api.use(authMiddleware)
api.get('/', (req, res) => {
res.status(200).send({ 'status': 'OK' })
})
authRoutes(api)
usersRoutes(api)
customerRoutes(api)
return api
}
module.exports = api
| Remove current user data from response and user customer routes | Remove current user data from response and user customer routes
| JavaScript | mit | lucasrcdias/customer-mgmt |
04035fb612629d88a73b04cdca02efc20833e819 | cypress/integration/top-bar.spec.js | cypress/integration/top-bar.spec.js | context("Sage top bar UI", () => {
beforeEach(() => {
cy.visit("/")
})
context("new node icon", () => {
it("lets you drag a node onto canvas", () => {
cy.getSageIframe().find('.proto-node')
.trigger('mousedown', { which: 1 })
cy.getSageIframe().find('.ui-droppable')
.trigger('mousemove')
.trigger('mouseup', { force: true })
cy.getSageIframe().find(".ui-droppable").contains(".elm.ui-draggable", "Untitled")
})
})
context("new image icon", () => {
it("lets you drag a node onto canvas", () => {
cy.getSageIframe().find('.palette-add-image').click()
cy.getSageIframe().contains(".modal-dialog-title", "Add new image")
})
})
})
| context("Sage top bar UI", () => {
beforeEach(() => {
cy.visit("/")
})
context("new node icon", () => {
it("lets you drag a node onto canvas", () => {
cy.getSageIframe().find('.proto-node')
.trigger('mousedown', { which: 1 })
cy.getSageIframe().find('.ui-droppable')
.trigger('mousemove')
.trigger('mouseup', { force: true })
cy.getSageIframe().find(".ui-droppable").contains(".elm.ui-draggable", "Untitled")
})
})
context("new image icon", () => {
it("lets you drag a node onto canvas", () => {
cy.getSageIframe().find('.palette-add-image').click()
cy.getSageIframe().contains(".modal-dialog-title", "Add new image")
})
})
context("About menu", () => {
it("opens a menu displaying 'About' and 'Help'", () => {
cy.getSageIframe().find('.icon-codap-help').click()
cy.getSageIframe().contains(".menuItem", "About")
cy.getSageIframe().contains(".menuItem", "Help")
})
it ("Will display a splash screen when we click on about", () => {
cy.getSageIframe().find('.icon-codap-help').click()
cy.getSageIframe().contains(".menuItem", "About").click()
cy.getSageIframe().contains("#splash-dialog", "Concord Consortium")
});
})
})
| Add Cypress test for About menu | Add Cypress test for About menu
| JavaScript | mit | concord-consortium/building-models,concord-consortium/building-models,concord-consortium/building-models,concord-consortium/building-models,concord-consortium/building-models |
012db48868f1770b85925e52dce7628883f6867a | demo/src/index.js | demo/src/index.js | import 'normalize.css';
import React from 'react';
import { render } from 'react-dom';
import ButtonDemo from './components/ButtonDemo';
import './index.css';
render(
<main>
<ButtonDemo />
</main>,
document.getElementById('root')
);
| import 'normalize.css';
import React from 'react';
import { render } from 'react-dom';
import ButtonDemo from './ButtonDemo';
import './index.css';
render(
<main>
<ButtonDemo />
</main>,
document.getElementById('root')
);
| Fix access path of the button component | fix(demo): Fix access path of the button component
| JavaScript | mit | kripod/material-components-react,kripod/material-components-react |
d23efb0cd3380ea5a6b3384f4f2fa5ff72466f0b | playground/index.js | playground/index.js | 'use strict';
import React, { Component } from 'react';
import Pic from '../lib/index.js';
export default class Playground extends Component {
render() {
return (
<html>
<head>
<meta charSet='UTF-8' />
<title>react-pic</title>
</head>
<body>
<div id="root">
<Pic
alt='winky face'
images={[
{
width: 40,
url: 'http://placehold.it/40?text=😉'
},
{
width: 200,
url: 'http://placehold.it/200?text=😉'
},
{
width: 400,
url: 'http://placehold.it/400?text=😉'
},
{
width: 600,
url: 'http://placehold.it/600?text=😉'
},
{
width: 800,
url: 'http://placehold.it/800?text=😉'
}
]} />
</div>
<script src='//localhost:8080/build/react-pic.js' />
</body>
</html>
);
}
}
| 'use strict';
import React, { Component } from 'react';
import Pic from '../lib/index.js';
export default class Playground extends Component {
constructor(props) {
super(props);
this.state = {
show: true
};
this.clickHandler = this.clickHandler.bind(this);
}
clickHandler() {
this.setState({show:!this.state.show});
}
render() {
return (
<html>
<head>
<meta charSet='UTF-8' />
<title>react-pic</title>
</head>
<body>
<div id="root" style={{height:1500}}>
<button onClick={this.clickHandler}>
Toggle
</button>
{
this.state.show &&
<Pic
alt='winky face'
images={[
{
width: 40,
url: 'http://placehold.it/40?text=😉'
},
{
width: 200,
url: 'http://placehold.it/200?text=😉'
},
{
width: 400,
url: 'http://placehold.it/400?text=😉'
},
{
width: 600,
url: 'http://placehold.it/600?text=😉'
},
{
width: 800,
url: 'http://placehold.it/800?text=😉'
}
]} />
}
</div>
<script src='//localhost:8080/build/react-pic.js' />
</body>
</html>
);
}
}
| Add button that toggles `<Pic>` to make it easier to develop for unmount | Add button that toggles `<Pic>` to make it easier to develop for unmount
| JavaScript | mit | benox3/react-pic |
dd80f254f407429aeaf5ca5c4fb414363836c267 | src/karma.conf.js | src/karma.conf.js | // Karma configuration file, see link for more information
// https://karma-runner.github.io/1.0/config/configuration-file.html
module.exports = function (config) {
config.set({
basePath: '',
frameworks: ['jasmine', '@angular-devkit/build-angular'],
plugins: [
require('karma-jasmine'),
require('karma-chrome-launcher'),
require('karma-jasmine-html-reporter'),
require('karma-coverage-istanbul-reporter'),
require('@angular-devkit/build-angular/plugins/karma')
],
client: {
clearContext: false // leave Jasmine Spec Runner output visible in browser
},
coverageIstanbulReporter: {
dir: require('path').join(__dirname, '../coverage'),
reports: ['html', 'lcovonly'],
fixWebpackSourcePaths: true
},
reporters: ['progress', 'kjhtml'],
port: 9876,
colors: true,
logLevel: config.LOG_INFO,
autoWatch: true,
browsers: ['Chrome'],
singleRun: false
});
}; | // Karma configuration file, see link for more information
// https://karma-runner.github.io/1.0/config/configuration-file.html
module.exports = function (config) {
config.set({
basePath: '',
frameworks: ['jasmine', '@angular-devkit/build-angular'],
plugins: [
require('karma-jasmine'),
require('karma-chrome-launcher'),
require('karma-jasmine-html-reporter'),
require('karma-coverage-istanbul-reporter'),
require('@angular-devkit/build-angular/plugins/karma')
],
client: {
clearContext: false // leave Jasmine Spec Runner output visible in browser
},
coverageIstanbulReporter: {
dir: require('path').join(__dirname, '../coverage'),
reports: ['html', 'lcovonly'],
fixWebpackSourcePaths: true
},
reporters: ['progress', 'kjhtml'],
port: 9876,
colors: true,
logLevel: config.LOG_INFO,
autoWatch: true,
browsers: ['Chrome'],
customLaunchers: {
ChromeHeadlessNoSandbox: {
base: 'ChromeHeadless',
flags: ['--no-sandbox']
}
},
singleRun: false
});
};
| Add custom launcher for karma | Add custom launcher for karma
| JavaScript | mit | dzonatan/angular2-linky,dzonatan/angular2-linky |
f0b03d64e8e43781fe3fe97f6f6de4f4a1da1705 | jobs/search-items.js | jobs/search-items.js | const WMASGSpider = require('../wmasg-spider');
class SearchItems {
constructor(concurrency = 5) {
this.title = 'search items';
this.concurrency = concurrency;
}
process(job, done) {
const spider = new WMASGSpider();
spider.on('error', error => done(error));
spider.on('end', () => done());
spider.on('item', item => console.log(item));
spider.start();
}
}
module.exports = SearchItems;
| const WMASGSpider = require('../wmasg-spider');
class SearchItems {
constructor(concurrency = 5) {
this.title = 'search items';
this.concurrency = concurrency;
}
match(item, expression) {
return item.title.toLowerCase().match(expression) || item.description.toLowerCase().match(expression);
}
process(job, done) {
const spider = new WMASGSpider();
const {keywords, price} = job.data;
const expression = new RegExp(`(${keywords.join('|')})`, 'g');
const items = [];
spider.on('error', error => done(error));
spider.on('end', () => done(null, items));
spider.on('item', item => {
if ((!price || item.price <= price) && this.match(item, expression)) {
items.push(item);
}
});
spider.start();
}
}
module.exports = SearchItems;
| Implement filtering items by keywords and price and passing result back | Implement filtering items by keywords and price and passing result back
| JavaScript | mit | adrianrutkowski/wmasg-crawler |
f24a110d489a35705477ec1332fb9a148a26b609 | api/models/user.js | api/models/user.js | 'use strict'
let mongoose = require('mongoose')
mongoose.Promise = global.Promise
let Schema = mongoose.Schema
let UserSchema = new Schema({
email: String,
password: String,
CMDRs: {
default: [],
type: [{
type: Schema.Types.ObjectId,
ref: 'Rat'
}]
},
nicknames: {
default: [],
type: [{
type: String
}]
},
drilled: {
default: {
dispatch: false,
rescue: false
},
type: {
dispatch: {
type: Boolean
},
rescue: {
type: Boolean
}
}
},
resetToken: String,
resetTokenExpire: Date
})
let autopopulate = function (next) {
this.populate('CMDRs')
next()
}
UserSchema.pre('find', autopopulate)
UserSchema.pre('findOne', autopopulate)
UserSchema.methods.toJSON = function () {
let obj = this.toObject()
delete obj.hash
delete obj.salt
delete obj.resetToken
delete obj.resetTokenExpire
return obj
}
UserSchema.plugin(require('passport-local-mongoose'), {
usernameField: 'email'
})
module.exports = mongoose.model('User', UserSchema)
| 'use strict'
let mongoose = require('mongoose')
mongoose.Promise = global.Promise
let Schema = mongoose.Schema
let UserSchema = new Schema({
email: String,
password: String,
CMDRs: {
default: [],
type: [{
type: Schema.Types.ObjectId,
ref: 'Rat'
}]
},
nicknames: {
default: [],
type: [{
type: String
}]
},
drilled: {
default: {
dispatch: false,
rescue: false
},
type: {
dispatch: {
type: Boolean
},
rescue: {
type: Boolean
}
}
},
group: {
default: 'normal',
enum: [
'normal',
'overseer',
'moderator',
'admin'
],
type: String
},
resetToken: String,
resetTokenExpire: Date
})
let autopopulate = function (next) {
this.populate('CMDRs')
next()
}
UserSchema.pre('find', autopopulate)
UserSchema.pre('findOne', autopopulate)
UserSchema.methods.toJSON = function () {
let obj = this.toObject()
delete obj.hash
delete obj.salt
delete obj.resetToken
delete obj.resetTokenExpire
return obj
}
UserSchema.plugin(require('passport-local-mongoose'), {
usernameField: 'email'
})
module.exports = mongoose.model('User', UserSchema)
| Add permission group field to User object. | Add permission group field to User object.
#25
| JavaScript | bsd-3-clause | FuelRats/api.fuelrats.com,FuelRats/api.fuelrats.com,FuelRats/api.fuelrats.com |
30716f7acac0bf738d32b9c69aca84b59872a821 | src/components/posts_new.js | src/components/posts_new.js | import React from 'react';
import { Field, reduxForm } from 'redux-form';
class PostsNew extends React.Component {
renderField(field) {
return (
<div className='form-group'>
<label>{field.label}</label>
<input
className='form-control'
type='text'
{...field.input}
/>
</div>
);
}
render() {
return (
<form className='posts-new'>
<Field
label='Title'
name='title'
component={this.renderField}
/>
<Field
label='Categories'
name='categories'
component={this.renderField}
/>
<Field
label='Post Content'
name='content'
component={this.renderField}
/>
</form>
);
}
}
export default reduxForm({
form: 'PostsNewForm'
})(PostsNew);
| import React from 'react';
import { Field, reduxForm } from 'redux-form';
class PostsNew extends React.Component {
renderField(field) {
return (
<div className='form-group'>
<label>{field.label}</label>
<input
className='form-control'
type='text'
{...field.input}
/>
</div>
);
}
render() {
return (
<form className='posts-new'>
<Field
label='Title'
name='title'
component={this.renderField}
/>
<Field
label='Categories'
name='categories'
component={this.renderField}
/>
<Field
label='Post Content'
name='content'
component={this.renderField}
/>
</form>
);
}
}
function validate(values) {
const errors = {};
if (!values.title) {
errors.title = "Enter a title";
}
if (!values.categories) {
errors.categories = "Enter categories";
}
if (!values.content values.content.length < 10) {
errors.content = "Enter content";
}
return errors;
}
export default reduxForm({
validate: validate,
form: 'PostsNewForm'
})(PostsNew);
| Add initial validations (using redux forms) | Add initial validations (using redux forms)
| JavaScript | mit | monsteronfire/redux-learning-blog,monsteronfire/redux-learning-blog |
d52129c5d915e260d4d86914326606f305ad4ed0 | experiments/modern/src/maki-interpreter/interpreter.js | experiments/modern/src/maki-interpreter/interpreter.js | const parse = require("./parser");
const { getClass } = require("./objects");
const interpret = require("./virtualMachine");
function main({ runtime, data, system, log }) {
const program = parse(data);
// Set the System global
program.variables[0].setValue(system);
// Replace class hashes with actual JavaScript classes from the runtime
program.classes = program.classes.map(hash => {
const resolved = runtime[hash];
if (resolved == null && log) {
const klass = getClass(hash);
console.warn(
`Class missing from runtime: ${hash} expected ${klass.name}`
);
}
return resolved;
});
// Bind toplevel handlers.
program.bindings.forEach(binding => {
const handler = () => {
return interpret(binding.commandOffset, program, { log });
};
// For now we only know how to handle System handlers.
if (binding.variableOffset === 0) {
const obj = program.variables[binding.variableOffset].getValue();
const method = program.methods[binding.methodOffset];
obj[method.name](handler);
} else {
console.warn(
"Not Implemented: Not binding to non-system events",
binding
);
}
});
system._start();
}
module.exports = main;
| const parse = require("./parser");
const { getClass, getFormattedId } = require("./objects");
const interpret = require("./virtualMachine");
function main({ runtime, data, system, log }) {
const program = parse(data);
// Set the System global
program.variables[0].setValue(system);
// Replace class hashes with actual JavaScript classes from the runtime
program.classes = program.classes.map(hash => {
const resolved = runtime[hash];
if (resolved == null && log) {
const klass = getClass(hash);
console.warn(
`Class missing from runtime: ${hash}`,
klass == null
? `(formatted ID: ${getFormattedId(hash)})`
: `expected ${klass.name}`
);
}
return resolved;
});
// Bind toplevel handlers.
program.bindings.forEach(binding => {
const handler = () => {
return interpret(binding.commandOffset, program, { log });
};
// For now we only know how to handle System handlers.
if (binding.variableOffset === 0) {
const obj = program.variables[binding.variableOffset].getValue();
const method = program.methods[binding.methodOffset];
obj[method.name](handler);
} else {
console.warn(
"Not Implemented: Not binding to non-system events",
binding
);
}
});
system._start();
}
module.exports = main;
| Improve error message for missing classes | Improve error message for missing classes
| JavaScript | mit | captbaritone/winamp2-js,captbaritone/winamp2-js,captbaritone/winamp2-js |
20589a3fbfb61328a93a71eda4a90f07d6d0aa23 | mac/resources/open_ATXT.js | mac/resources/open_ATXT.js | define(['mac/roman'], function(macRoman) {
'use strict';
function open(item) {
return item.getBytes().then(function(bytes) {
item.setDataObject(new TextView(bytes.buffer, bytes.byteOffset, bytes.byteLength));
});
};
function TextView(buffer, byteOffset, byteLength) {
this.dataView = new DataView(buffer, byteOffset, byteLength);
};
TextView.prototype = {
toJSON: function() {
return {
top: this.top,
left: this.left,
bottom: this.bottom,
right: this.right,
fontType: this.fontType,
fontSize: this.fontSize,
text: this.text,
};
},
get top() {
return this.dataView.getInt16(0, false);
},
get left() {
return this.dataView.getInt16(2, false);
},
get bottom() {
return this.dataView.getInt16(4, false);
},
get right() {
return this.dataView.getInt16(6, false);
},
get fontType() {
return this.dataView.getUint16(8, false);
},
get fontSize() {
return this.dataView.getUint16(10, false);
},
get text() {
return macRoman(this.bytes, 12);
},
};
return open;
});
| define(['mac/roman'], function(macRoman) {
'use strict';
function open(item) {
return item.getBytes().then(function(bytes) {
item.setDataObject(new TextView(bytes.buffer, bytes.byteOffset, bytes.byteLength));
});
};
function TextView(buffer, byteOffset, byteLength) {
this.dataView = new DataView(buffer, byteOffset, byteLength);
this.bytes = new Uint8Array(buffer, byteOffset, byteLength);
};
TextView.prototype = {
toJSON: function() {
return {
top: this.top,
left: this.left,
bottom: this.bottom,
right: this.right,
fontType: this.fontType,
fontSize: this.fontSize,
text: this.text,
};
},
get top() {
return this.dataView.getInt16(0, false);
},
get left() {
return this.dataView.getInt16(2, false);
},
get bottom() {
return this.dataView.getInt16(4, false);
},
get right() {
return this.dataView.getInt16(6, false);
},
get fontType() {
return this.dataView.getUint16(8, false);
},
get fontSize() {
return this.dataView.getUint16(10, false);
},
get text() {
return macRoman(this.bytes, 12);
},
};
return open;
});
| Put in missing bytes field | Put in missing bytes field | JavaScript | mit | radishengine/drowsy,radishengine/drowsy |
6143f9ef9701b92ec38aa12f4be2b1c94e4394cd | app/models/user.js | app/models/user.js | var Bcrypt = require('bcryptjs')
var Mongoose = require('../../database').Mongoose
var ObjectId = Mongoose.Schema.Types.ObjectId;
var userSchema = new Mongoose.Schema({
username: {
type : String,
required: true
},
password: {
type : String,
required: true
},
email: {
type : String,
required: true
},
token: {
type : String,
default: '_'
},
registrationDate: {
type : Date,
default: Date.now
},
channels: [Mongoose.Schema.Types.Mixed]
})
userSchema.pre('save', function (next) {
var user = this
if (this.isModified('password') || this.isNew) {
Bcrypt.genSalt(10, function (error, salt) {
if (error) {
return next(error)
}
Bcrypt.hash(user.password, salt, function (error, hash) {
if (error) {
return next(error)
}
user.password = hash
next()
})
})
}
else {
return next()
}
})
userSchema.methods.comparePassword = function (pwd, callback) {
Bcrypt.compare(pwd, this.password, function (error, isMatch) {
if (error) {
return callback(error)
}
callback(null, isMatch)
})
}
exports.User = Mongoose.model('User', userSchema)
| var Bcrypt = require('bcryptjs')
var Mongoose = require('../../database').Mongoose
var ObjectId = Mongoose.Schema.Types.ObjectId;
var userSchema = new Mongoose.Schema({
username: {
type : String,
required: true
},
password: {
type : String,
required: true
},
email: {
type : String,
required: true
},
token: {
type : String,
default: '_'
},
registrationDate: {
type : Date,
default: Date.now
},
channels: [{
type: ObjectId,
ref: 'Channel'
}]
})
userSchema.pre('save', function (next) {
var user = this
if (this.isModified('password') || this.isNew) {
Bcrypt.genSalt(10, function (error, salt) {
if (error) {
return next(error)
}
Bcrypt.hash(user.password, salt, function (error, hash) {
if (error) {
return next(error)
}
user.password = hash
next()
})
})
}
else {
return next()
}
})
userSchema.methods.comparePassword = function (pwd, callback) {
Bcrypt.compare(pwd, this.password, function (error, isMatch) {
if (error) {
return callback(error)
}
callback(null, isMatch)
})
}
exports.User = Mongoose.model('User', userSchema)
| Change mixed type to array json | Change mixed type to array json
| JavaScript | mit | fitraditya/Obrel |
f345e428c9d7766ee5945f1d1d2cbb6e64c24ce4 | assets/js/index.js | assets/js/index.js | new Vue({
el: '#app',
delimiters: ['[[', ']]'],
data: {
search: '',
activeNote: window.location.href.split('#')[1]
},
methods: {
seeNote: function (note) {
this.activeNote = note
}
},
updated: function () {
var ulElem
for (var refName in this.$refs) {
ulElem = this.$refs[refName]
if (ulElem.getElementsByTagName('a').length === 0) {
ulElem.style.display = 'none'
ulElem.previousElementSibling.style.display = 'none'
} else {
ulElem.style.display = ''
ulElem.previousElementSibling.style.display = ''
}
}
},
mounted: function () {
window.addEventListener('keydown', function(e) {
// Autofocus only on backspace and letters
if (e.keyCode !== 8 && (e.keyCode < 65 || e.keyCode > 90)) {
return;
}
if (document.activeElement.id !== 'search') {
document.getElementById('search').focus()
}
})
}
})
| new Vue({
el: '#app',
delimiters: ['[[', ']]'],
data: {
search: '',
activeNote: window.location.href.split('#')[1]
},
methods: {
seeNote: function (note) {
this.activeNote = note
}
},
updated: function () {
var ulElem
for (var refName in this.$refs) {
ulElem = this.$refs[refName]
if (ulElem.getElementsByTagName('a').length === 0) {
ulElem.style.display = 'none'
ulElem.previousElementSibling.style.display = 'none'
} else {
ulElem.style.display = ''
ulElem.previousElementSibling.style.display = ''
}
}
},
mounted: function () {
window.addEventListener('keydown', function(e) {
var ctrl = e.ctrlKey
var backspace = e.keyCode === 8
var slash = e.keyCode === 191
var letter = e.keyCode >= 65 && e.keyCode <= 90
if (!ctrl && (backspace || slash || letter)) {
document.getElementById('search').focus()
}
})
}
})
| Improve automatic focus to the search input | Improve automatic focus to the search input
| JavaScript | mit | Yutsuten/Yutsuten.github.io,Yutsuten/Yutsuten.github.io,Yutsuten/Yutsuten.github.io |
561c08e0ccf70290b5c6c098b4a4b77fd5756b51 | Resources/Plugins/.debug/browser.js | Resources/Plugins/.debug/browser.js | enabled(){
this.isDebugging = false;
this.onKeyDown = (e) => {
// ==========================
// F4 key - toggle debug mode
// ==========================
if (e.keyCode === 115){
this.isDebugging = !this.isDebugging;
$(".app-title").first().css("background-color", this.isDebugging ? "#5A6B75" : "#292F33");
}
// Debug mode handling
else if (this.isDebugging){
e.preventDefault();
// ===================================
// N key - simulate popup notification
// S key - simulate sound notification
// ===================================
if (e.keyCode === 78 || e.keyCode === 83){
var col = TD.controller.columnManager.getAllOrdered()[0];
var prevPopup = col.model.getHasNotification();
var prevSound = col.model.getHasSound();
col.model.setHasNotification(e.keyCode === 78);
col.model.setHasSound(e.keyCode === 83);
$.publish("/notifications/new",[{
column: col,
items: [
col.updateArray[Math.floor(Math.random()*col.updateArray.length)]
]
}]);
setTimeout(function(){
col.model.setHasNotification(prevPopup);
col.model.setHasSound(prevSound);
}, 1);
}
}
};
}
ready(){
$(document).on("keydown", this.onKeyDown);
}
disabled(){
$(document).off("keydown", this.onKeyDown);
}
| enabled(){
this.isDebugging = false;
this.onKeyDown = (e) => {
// ==========================
// F4 key - toggle debug mode
// ==========================
if (e.keyCode === 115){
this.isDebugging = !this.isDebugging;
$(".nav-user-info").first().css("background-color", this.isDebugging ? "#5A6B75" : "#292F33");
}
// Debug mode handling
else if (this.isDebugging){
e.preventDefault();
// ===================================
// N key - simulate popup notification
// S key - simulate sound notification
// ===================================
if (e.keyCode === 78 || e.keyCode === 83){
var col = TD.controller.columnManager.getAllOrdered()[0];
var prevPopup = col.model.getHasNotification();
var prevSound = col.model.getHasSound();
col.model.setHasNotification(e.keyCode === 78);
col.model.setHasSound(e.keyCode === 83);
$.publish("/notifications/new",[{
column: col,
items: [
col.updateArray[Math.floor(Math.random()*col.updateArray.length)]
]
}]);
setTimeout(function(){
col.model.setHasNotification(prevPopup);
col.model.setHasSound(prevSound);
}, 1);
}
}
};
}
ready(){
$(document).on("keydown", this.onKeyDown);
}
disabled(){
$(document).off("keydown", this.onKeyDown);
}
| Fix debug plugin after hiding app title | Fix debug plugin after hiding app title
| JavaScript | mit | chylex/TweetDuck,chylex/TweetDuck,chylex/TweetDuck,chylex/TweetDuck |
7249234061e8791ccbee5d0e3b8578d8595e43f8 | tests/unit/classes/ModuleLoader.js | tests/unit/classes/ModuleLoader.js | var utils = require('utils')
, env = utils.bootstrapEnv()
, moduleLdr = env.moduleLoader
, injector = require('injector')
, ncp = require('ncp')
, path = require('path')
, async = require('async');
describe('ModuleLoader', function() {
before(function(done) {
var source = path.resolve(__dirname, '..', 'test-module')
, dest = path.resolve(__dirname, '..', '..', '..', 'modules', 'test-module');
// Copy the test-module into the modules folder
ncp(source, dest, done);
});
it('should load modules', function(done) {
this.timeout(20000);
moduleLdr.on('modulesLoaded', function() {
async.parallel(
[
function ormDb(callback) {
if (moduleLdr.moduleIsEnabled('clever-orm') === true) {
injector
.getInstance('sequelize')
.sync({ force: true })
.then(function() {
callback(null);
})
.catch(callback);
} else {
callback(null);
}
},
function odmDb(callback) {
callback(null);
}
],
function(err) {
if (err !== undefined && err !== null) {
console.dir(err);
return done(err);
}
done();
}
);
});
moduleLdr.loadModules();
});
it('should initialize all module routes', function(done) {
moduleLdr.on('routesInitialized', function() {
done();
});
moduleLdr.initializeRoutes();
});
});
| var utils = require('utils')
, env = utils.bootstrapEnv()
, moduleLdr = env.moduleLoader
, injector = require('injector')
, ncp = require('ncp')
, path = require('path')
, async = require('async');
describe('ModuleLoader', function() {
it('should load modules', function(done) {
this.timeout(20000);
moduleLdr.on('modulesLoaded', function() {
async.parallel(
[
function ormDb(callback) {
if (moduleLdr.moduleIsEnabled('clever-orm') === true) {
injector
.getInstance('sequelize')
.sync({ force: true })
.then(function() {
callback(null);
})
.catch(callback);
} else {
callback(null);
}
},
function odmDb(callback) {
callback(null);
}
],
function(err) {
if (err !== undefined && err !== null) {
console.dir(err);
return done(err);
}
done();
}
);
});
moduleLdr.loadModules();
});
it('should initialize all module routes', function(done) {
moduleLdr.on('routesInitialized', function() {
done();
});
moduleLdr.initializeRoutes();
});
});
| Remove old code for copying test-module | chore(cleanup): Remove old code for copying test-module | JavaScript | mit | CleverStack/node-seed |
021c5e27be8e909bd7a56fc794e9a9d6c15cef9a | utilities/execution-environment.js | utilities/execution-environment.js | /* Copyright (c) 2015-present, salesforce.com, inc. All rights reserved */
/* Licensed under BSD 3-Clause - see LICENSE.txt or git.io/sfdc-license */
const canUseDOM = !!(
typeof window !== 'undefined' &&
window.document &&
window.document.createElement
);
const ExecutionEnvironment = {
canUseDOM,
canUseWorkers: typeof Worker !== 'undefined',
canUseEventListeners:
canUseDOM && !!(window.addEventListener || window.attachEvent),
canUseViewport: canUseDOM && !!window.screen,
};
export default ExecutionEnvironment;
| /* Copyright (c) 2015-present, salesforce.com, inc. All rights reserved */
/* Licensed under BSD 3-Clause - see LICENSE.txt or git.io/sfdc-license */
const canUseDOM = !!(
typeof window !== 'undefined' &&
window.document &&
window.document.createElement
);
const canUseWorkers = typeof Worker !== 'undefined';
const canUseEventListeners = canUseDOM && !!(window.addEventListener || window.attachEvent);
const canUseViewport = canUseDOM && !!window.screen;
export {
canUseDOM,
canUseWorkers,
canUseEventListeners,
canUseViewport,
};
| Change exports for Execution Environment | Change exports for Execution Environment
This reverts the export which is resulting in canUseDOM’s value equaling undefined.
| JavaScript | bsd-3-clause | salesforce/design-system-react,salesforce/design-system-react,salesforce/design-system-react |
2d3838b5391f65fd7abc4975eb0eb153f54386db | lib/sort_versions.js | lib/sort_versions.js | 'use strict';
var Semvish = require('semvish');
module.exports = function(arr) {
if(!arr) {
return;
}
return arr.slice().sort(Semvish.compare).reverse();
};
| 'use strict';
var Semvish = require('semvish');
module.exports = function(arr) {
if(!arr) {
return;
}
return arr.slice().sort(Semvish.rcompare);
};
| Use rcomp instead of .reverse() in sort | Use rcomp instead of .reverse() in sort
| JavaScript | mit | MartinKolarik/api-sync,jsdelivr/api-sync,MartinKolarik/api-sync,jsdelivr/api-sync |
4d04ef3b914405a29f42a07e8652967146fbefe6 | static/js/main.js | static/js/main.js | require.config({
paths: {
jquery: "/static/js/libs/jquery-min",
underscore: "/static/js/libs/underscore-min",
backbone: "/static/js/libs/backbone-min",
mustache: "/static/js/libs/mustache",
},
shim: {
jquery: {
exports: "$"
},
underscore: {
exports: "_"
},
backbone: {
deps: ["underscore", "jquery"],
exports: "Backbone"
}
}
});
require(["jquery", "underscore","backbone", "mustache"],
function ($, _, Backbone, Mustache) {
$(function () {
// the search bar
var SearchBar = Backbone.Model.extend({
initialize: function () {
this.bind("change:position", function () {
// TODO: change CSS class
console.log("position changed!");
});
},
defaults: {
position: "center" // the current location of the search bar/box
}
});
var SearchBarView = Backbone.View.extend({
id: "search-bar",
className: "search-bar-position-center"
});
// a suggestion below the search bar
var AutocompleteSuggestion = Backbone.Model.extend({
defaults: {
originator: null,
text: ""
}
});
var AutocompleteSuggestionCollection = Backbone.Collection.extend({
model: AutocompleteSuggestion
});
// ** END **
});
});
| require.config({
paths: {
jquery: "/static/js/libs/jquery-min",
underscore: "/static/js/libs/underscore-min",
backbone: "/static/js/libs/backbone-min",
mustache: "/static/js/libs/mustache",
},
shim: {
jquery: {
exports: "$"
},
underscore: {
exports: "_"
},
backbone: {
deps: ["underscore", "jquery"],
exports: "Backbone"
}
},
// add dummy params to break caching
urlArgs: "__nocache__=" + (new Date()).getTime()
});
require(["jquery", "underscore","backbone", "mustache"],
function ($, _, Backbone, Mustache) {
$(function () {
// the search bar
var SearchBar = Backbone.Model.extend({
initialize: function () {
this.bind("change:position", function () {
// TODO: change CSS class
console.log("position changed!");
});
},
defaults: {
position: "center" // the current location of the search bar/box
}
});
var SearchBarView = Backbone.View.extend({
id: "search-bar",
className: "search-bar-position-center"
});
// a suggestion below the search bar
var AutocompleteSuggestion = Backbone.Model.extend({
defaults: {
originator: null,
text: ""
}
});
var AutocompleteSuggestionCollection = Backbone.Collection.extend({
model: AutocompleteSuggestion
});
// ** END **
});
});
| Add dummy param to break caching | Add dummy param to break caching
| JavaScript | mit | jasontbradshaw/multivid,jasontbradshaw/multivid |
de03d876a5ddd7e82627441219d446e9f0d64275 | server/controllers/students.js | server/controllers/students.js | //var Teachers = require('../models/teachers');
//var TeacherClasses = require('../models/Teacher_classes');
//var Classes = require('../models/classes');
//var ClassLessons = require('../models/class_lessons');
// var Lessons = require('../models/lessons');
//var RequestedResponses = require('../models/requested_responses');
module.exports = {
readyStage : function(io, req, res, next) {
//var studentInformation = req.body.studentData
var pollResponse = {
responseId: 1,
type: 'thumbs',
datetime: new Date(),
lessonId: 13,
};
io.on('connection', function(student){
student.emit('studentStandby', studentInformation);
student.on('teacherConnect', function() {
student.emit('teacherConnect');
});
student.on('newPoll', function(data) {
student.emit(data);
});
setTimeout(function(){
io.sockets.emit('responseFromStudent', pollResponse);
}, 5000);
});
res.status(200).send('Hello from the other side');
}
}; | //var Teachers = require('../models/teachers');
//var TeacherClasses = require('../models/Teacher_classes');
//var Classes = require('../models/classes');
//var ClassLessons = require('../models/class_lessons');
// var Lessons = require('../models/lessons');
//var RequestedResponses = require('../models/requested_responses');
module.exports = {
readyStage : function(io, req, res, next) {
//var studentInformation = req.body.studentData
var pollResponse = {
responseId: 1,
type: 'thumbs',
datetime: new Date(),
lessonId: 13,
};
io.on('connection', function(student){
student.emit('studentStandby', studentInformation);
student.on('newPoll', function(data) {
student.emit(data);
});
setTimeout(function(){
io.sockets.emit('responseFromStudent', pollResponse);
}, 5000);
});
res.status(200).send('Hello from the student side');
}
}; | Remove teacherConnect socket event for frontend handling | Remove teacherConnect socket event for frontend handling
| JavaScript | mit | shanemcgraw/thumbroll,Jakeyrob/thumbroll,absurdSquid/thumbroll,absurdSquid/thumbroll,Jakeyrob/thumbroll,Jakeyrob/thumbroll,shanemcgraw/thumbroll,shanemcgraw/thumbroll |
6d5ba4db94939c5f29451df363c9f6afd9740779 | src/assets/dosamigos-ckeditor.widget.js | src/assets/dosamigos-ckeditor.widget.js | /**
* @copyright Copyright (c) 2012-2015 2amigOS! Consulting Group LLC
* @link http://2amigos.us
* @license http://www.opensource.org/licenses/bsd-license.php New BSD License
*/
if (typeof dosamigos == "undefined" || !dosamigos) {
var dosamigos = {};
}
dosamigos.ckEditorWidget = (function ($) {
var pub = {
registerOnChangeHandler: function (id) {
CKEDITOR && CKEDITOR.instances[id] && CKEDITOR.instances[id].on('change', function () {
CKEDITOR.instances[id].updateElement();
$('#' + id).trigger('change');
return false;
});
},
registerCsrfImageUploadHandler: function () {
yii & $(document).off('click', '.cke_dialog_tabs a:eq(2)').on('click', '.cke_dialog_tabs a:eq(2)', function () {
var $form = $('.cke_dialog_ui_input_file iframe').contents().find('form');
var csrfName = yii.getCsrfParam();
if (!$form.find('input[name=' + csrfName + ']').length) {
var csrfTokenInput = $('<input/>').attr({
'type': 'hidden',
'name': csrfName
}).val(yii.getCsrfToken());
$form.append(csrfTokenInput);
}
});
}
};
return pub;
})(jQuery);
| /**
* @copyright Copyright (c) 2012-2015 2amigOS! Consulting Group LLC
* @link http://2amigos.us
* @license http://www.opensource.org/licenses/bsd-license.php New BSD License
*/
if (typeof dosamigos == "undefined" || !dosamigos) {
var dosamigos = {};
}
dosamigos.ckEditorWidget = (function ($) {
var pub = {
registerOnChangeHandler: function (id) {
CKEDITOR && CKEDITOR.instances[id] && CKEDITOR.instances[id].on('change', function () {
CKEDITOR.instances[id].updateElement();
$('#' + id).trigger('change');
return false;
});
},
registerCsrfImageUploadHandler: function () {
yii & $(document).off('click', '.cke_dialog_tabs a:eq(1), .cke_dialog_tabs a:eq(2)').on('click', '.cke_dialog_tabs a:eq(1), .cke_dialog_tabs a:eq(2)', function () {
var $form = $('.cke_dialog_ui_input_file iframe').contents().find('form');
var csrfName = yii.getCsrfParam();
if (!$form.find('input[name=' + csrfName + ']').length) {
var csrfTokenInput = $('<input/>').attr({
'type': 'hidden',
'name': csrfName
}).val(yii.getCsrfToken());
$form.append(csrfTokenInput);
}
});
}
};
return pub;
})(jQuery);
| Fix bug with csrf token | Fix bug with csrf token
| JavaScript | bsd-3-clause | yangtoude/yii2-ckeditor-widget,richardfan1126/yii2-ckeditor-widget,alexdin/yii2-ckeditor-widget,richardfan1126/yii2-ckeditor-widget,richardfan1126/yii2-ckeditor-widget,yangtoude/yii2-ckeditor-widget,alexdin/yii2-ckeditor-widget,yangtoude/yii2-ckeditor-widget |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.