commit
stringlengths
40
40
old_file
stringlengths
4
150
new_file
stringlengths
4
150
old_contents
stringlengths
0
3.26k
new_contents
stringlengths
1
4.43k
subject
stringlengths
15
501
message
stringlengths
15
4.06k
lang
stringclasses
4 values
license
stringclasses
13 values
repos
stringlengths
5
91.5k
diff
stringlengths
0
4.35k
b74e5d8d697f113d43f6c0793dc669168220632c
lib/axiom_pnacl/executables.js
lib/axiom_pnacl/executables.js
// Copyright (c) 2014 The Chromium OS Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import AxiomError from 'axiom/core/error'; import environment from 'axiom_shell/environment'; import VimCommand from 'axiom_pnacl/vim'; // @note ExecuteContext from 'axiom/bindings/fs/execute_context' export var executables = function(sourceUrl) { return { 'vim()': function() { var vimCommand = new VimCommand(sourceUrl); return vimCommand.run.bind(vimCommand); }() }; }; export default executables;
// Copyright (c) 2014 The Chromium OS Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import AxiomError from 'axiom/core/error'; import environment from 'axiom_shell/environment'; import VimCommand from 'axiom_pnacl/vim'; // @note ExecuteContext from 'axiom/bindings/fs/execute_context' export var executables = function(sourceUrl) { return { 'vim(@)': function() { var vimCommand = new VimCommand(sourceUrl); return vimCommand.run.bind(vimCommand); }() }; }; export default executables;
Allow 'vim' command to accept an array of arguments.
Allow 'vim' command to accept an array of arguments.
JavaScript
apache-2.0
rpaquay/axiom,chromium/axiom,umop/axiom_old_private,ussuri/axiom,mcanthony/axiom
--- +++ @@ -12,7 +12,7 @@ export var executables = function(sourceUrl) { return { - 'vim()': function() { + 'vim(@)': function() { var vimCommand = new VimCommand(sourceUrl); return vimCommand.run.bind(vimCommand); }()
7c5ddc02666adb0bd8f011e908fb1d0e11a01244
util.js
util.js
function quote(s) { return "\"" + s.replace(/([\\\"])/, "\\$1") + "\""; } function maybe_quote(s) { if (/[\\\"]/.test(s)) return quote(s); else return s; } function repr(x, max_depth) { if (max_depth == undefined) max_depth = 1; if (x === null) { return "null"; } if (typeof x == "object") { if ("hashCode" in x) // Guess that it's a Java object. return String(x); if (max_depth <= 0) return "{...}"; var elems = []; for (var k in x) elems.push(maybe_quote(k) + ": " + repr(x[k], max_depth - 1)); return "{ " + elems.join(", ") + " }"; } else if (typeof x == "string") { return quote(x); } else { return String(x); } }
function quote(s) { return "\"" + s.replace(/([\\\"])/, "\\$1") + "\""; } function maybe_quote(s) { if (/[\\\"]/.test(s)) return quote(s); else return s; } function repr(x, max_depth) { if (max_depth == undefined) max_depth = 1; if (x === null) { return "null"; } else if (x instanceof java.lang.Iterable) { var elems = []; var i = x.iterator(); while (i.hasNext()) elems.push(repr(i.next())); return x["class"] + ":[ " + elems.join(", ") + " ]"; } else if (typeof x == "object") { if ("hashCode" in x) // Guess that it's a Java object. return String(x); if (max_depth <= 0) return "{...}"; var elems = []; for (var k in x) elems.push(maybe_quote(k) + ": " + repr(x[k], max_depth - 1)); return "{ " + elems.join(", ") + " }"; } else if (typeof x == "string") { return quote(x); } else { return String(x); } }
Allow repr to show java.lang.Iterables.
Allow repr to show java.lang.Iterables.
JavaScript
mit
arlolra/flashproxy,infinity0/flashproxy,infinity0/flashproxy,arlolra/flashproxy,infinity0/flashproxy,arlolra/flashproxy,arlolra/flashproxy,glamrock/flashproxy,glamrock/flashproxy,glamrock/flashproxy,infinity0/flashproxy,arlolra/flashproxy,arlolra/flashproxy,infinity0/flashproxy,glamrock/flashproxy,arlolra/flashproxy,glamrock/flashproxy,infinity0/flashproxy,glamrock/flashproxy
--- +++ @@ -15,7 +15,13 @@ if (x === null) { return "null"; - } if (typeof x == "object") { + } else if (x instanceof java.lang.Iterable) { + var elems = []; + var i = x.iterator(); + while (i.hasNext()) + elems.push(repr(i.next())); + return x["class"] + ":[ " + elems.join(", ") + " ]"; + } else if (typeof x == "object") { if ("hashCode" in x) // Guess that it's a Java object. return String(x);
a7fb7e9a16e45bbc29603be46d082910c06b30b7
app.js
app.js
function Actor(other) { other = other || {}; this.name = other.name || ""; this.init = other.init || 0; this.hp = other.hp || 0; }; var sort = function(left, right) { return left.init==right.init ? 0 : (left.init > right.init ? -1 : 1); }; function Encounter() { this.actors = []; }; var ViewModel = function() { self = this; self.formActor = ko.observable(new Actor()); self.actors = ko.observableArray([]); self.addActor = function() { self.actors.push(new Actor(self.formActor())); self.formActor(new Actor()); }; self.sortActors = function() { self.actors.sort(sort); }; self.endTurn = function() { self.actors.remove(this); self.actors.push(this); }; }; ko.applyBindings(new ViewModel());
function Actor(other) { other = other || {}; this.name = other.name || ""; this.init = other.init || 0; this.hp = other.hp || 1; }; var sort = function(left, right) { return left.init==right.init ? 0 : (left.init > right.init ? -1 : 1); }; function Encounter() { this.actors = []; }; var ViewModel = function() { self = this; self.formActor = ko.observable(new Actor()); self.actors = ko.observableArray([]); self.addActor = function() { self.actors.push(new Actor(self.formActor())); self.formActor(new Actor()); }; self.sortActors = function() { self.actors.sort(sort); }; self.endTurn = function() { self.actors.remove(this); self.actors.push(this); }; }; ko.applyBindings(new ViewModel());
Change default health to 1.
Change default health to 1.
JavaScript
mit
madigan/ncounter,madigan/ncounter
--- +++ @@ -2,7 +2,7 @@ other = other || {}; this.name = other.name || ""; this.init = other.init || 0; - this.hp = other.hp || 0; + this.hp = other.hp || 1; }; var sort = function(left, right) { return left.init==right.init ? 0 : (left.init > right.init ? -1 : 1);
c15fc1bae4bd27839a0d78e220d02eb94bd4bdae
test/helpers/supportsWorker.js
test/helpers/supportsWorker.js
module.exports = function supportsWorker() { try { // eslint-disable-next-line node/no-unsupported-features/node-builtins return require("worker_threads") !== undefined; } catch (e) { return false; } };
const nodeVersion = process.versions.node.split(".").map(Number); module.exports = function supportsWorker() { // Verify that in the current node version new Worker() accepts URL as the first parameter: // https://nodejs.org/api/worker_threads.html#worker_threads_new_worker_filename_options if (nodeVersion[0] >= 14) { return true; } else if (nodeVersion[0] === 13 && nodeVersion[1] >= 12) { return true; } else if (nodeVersion[0] === 12 && nodeVersion[1] >= 17) { return true; } return false; };
Fix new Worker() compatibility check in unit tests for older node versions
Fix new Worker() compatibility check in unit tests for older node versions
JavaScript
mit
SimenB/webpack,webpack/webpack,webpack/webpack,webpack/webpack,webpack/webpack,SimenB/webpack,SimenB/webpack,SimenB/webpack
--- +++ @@ -1,8 +1,14 @@ +const nodeVersion = process.versions.node.split(".").map(Number); + module.exports = function supportsWorker() { - try { - // eslint-disable-next-line node/no-unsupported-features/node-builtins - return require("worker_threads") !== undefined; - } catch (e) { - return false; + // Verify that in the current node version new Worker() accepts URL as the first parameter: + // https://nodejs.org/api/worker_threads.html#worker_threads_new_worker_filename_options + if (nodeVersion[0] >= 14) { + return true; + } else if (nodeVersion[0] === 13 && nodeVersion[1] >= 12) { + return true; + } else if (nodeVersion[0] === 12 && nodeVersion[1] >= 17) { + return true; } + return false; };
d78824b2be952e65117258d3ec701304425fe304
frontend/src/containers/TeamPage/TeamPage.js
frontend/src/containers/TeamPage/TeamPage.js
import React, { Component } from 'react' import Helmet from 'react-helmet' import { NavBar } from '../../components' const styles = { iframe: { width: '100%', } } class TeamPage extends Component { componentDidMount() { var iframe = this.refs.iframe iframe.addEventListener('load', () => { var iframeScrollHeight = iframe.contentWindow.document.body.scrollHeight + 'px' iframe.height = iframeScrollHeight }) } render() { return( <div> <Helmet title="Team" /> <NavBar /> <iframe ref="iframe" style={styles.iframe} src="/staticPage/team"/> </div> ) } } export default TeamPage
import React, { Component } from 'react' import Helmet from 'react-helmet' import { NavBar } from '../../components' const styles = { iframe: { width: '100%', } } class TeamPage extends Component { componentDidMount() { var iframe = this.refs.iframe iframe.addEventListener('load', () => { var iframeScrollHeight = iframe.contentWindow.document.body.scrollHeight + 'px' iframe.height = iframeScrollHeight }) } render() { return( <div> <Helmet title="Team" /> <NavBar /> <iframe ref="iframe" style={styles.iframe} src="/staticPage/team/index.html" /> </div> ) } } export default TeamPage
Fix issue where team page is not found
Fix issue where team page is not found
JavaScript
mit
hackclub/api,hackclub/api,hackclub/api
--- +++ @@ -26,7 +26,7 @@ <Helmet title="Team" /> <NavBar /> - <iframe ref="iframe" style={styles.iframe} src="/staticPage/team"/> + <iframe ref="iframe" style={styles.iframe} src="/staticPage/team/index.html" /> </div> ) }
6c19c79f596ae6872c7b5b2fe2b31ff4f5c8cb51
test/mjsunit/asm/math-clz32.js
test/mjsunit/asm/math-clz32.js
// Copyright 2015 the V8 project authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // Flags: --allow-natives-syntax var stdlib = { Math: Math }; var f = (function Module(stdlib) { "use asm"; var clz32 = stdlib.Math.clz32; function f(a) { a = a >>> 0; return clz32(a)|0; } return f; })(stdlib); assertEquals(32, f(0)); assertEquals(32, f(NaN)); assertEquals(32, f(undefined)); for (var i = 0; i < 32; ++i) { assertEquals(i, f((-1) >>> i)); } for (var i = -2147483648; i < 2147483648; i += 3999773) { assertEquals(%MathClz32(i), f(i)); assertEquals(%_MathClz32(i), f(i)); }
// Copyright 2015 the V8 project authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. // Flags: --allow-natives-syntax var stdlib = { Math: Math }; var f = (function Module(stdlib) { "use asm"; var clz32 = stdlib.Math.clz32; function f(a) { a = a >>> 0; return clz32(a)|0; } return f; })(stdlib); assertEquals(32, f(0)); assertEquals(32, f(NaN)); assertEquals(32, f(undefined)); for (var i = 0; i < 32; ++i) { assertEquals(i, f((-1) >>> i)); } for (var i = -2147483648; i < 2147483648; i += 3999773) { assertEquals(%MathClz32(i), f(i)); assertEquals(%MathClz32(i), %_MathClz32(i >>> 0)); }
Fix test of %_MathClz32 intrinsic.
[turbofan] Fix test of %_MathClz32 intrinsic. This test will fail once we optimize top-level code, because the aforementioned intrinsic doesn't perform a NumberToUint32 conversion. R=titzer@chromium.org TEST=mjsunit/asm/math-clz32 Review URL: https://codereview.chromium.org/1041173002 Cr-Commit-Position: 972c6d2dc6dd5efdad1377c0d224e03eb8f276f7@{#27524}
JavaScript
mit
UniversalFuture/moosh,UniversalFuture/moosh,UniversalFuture/moosh,UniversalFuture/moosh
--- +++ @@ -27,5 +27,5 @@ } for (var i = -2147483648; i < 2147483648; i += 3999773) { assertEquals(%MathClz32(i), f(i)); - assertEquals(%_MathClz32(i), f(i)); + assertEquals(%MathClz32(i), %_MathClz32(i >>> 0)); }
2747aa2c950deb95a99ef937c23c8d7db17d5f86
src/main/resources/com/semperos/screwdriver/js/extension/process-rjs.js
src/main/resources/com/semperos/screwdriver/js/extension/process-rjs.js
//Create a runner that will run a separate build for each item //in the configs array. Thanks to @jwhitley for this cleverness for (var i = 0; i < __Screwdriver.rjs.moduleConfigs.length; i++) { requirejs.optimize(__Screwdriver.rjs.moduleConfigs[i], function(x) { print("Screwdriver RequireJS Optimizer (r.js)"); print(x); print("Screwdriver RequireJS optimization complete for file: " + __Screwdriver.rjs.moduleConfigs[i].out) print("===============================>SCREWDRIVER<====================================="); }) }
//Create a runner that will run a separate build for each item //in the configs array. Thanks to @jwhitley for this cleverness print("Starting RequireJS (r.js) Optimizer..."); for (var i = 0; i < __Screwdriver.rjs.moduleConfigs.length; i++) { requirejs.optimize(__Screwdriver.rjs.moduleConfigs[i], function(x) { print("Screwdriver RequireJS Optimizer (r.js)"); print(x); print("Screwdriver RequireJS optimization complete for file: " + __Screwdriver.rjs.moduleConfigs[i].out) print("===============================>SCREWDRIVER<====================================="); }) }
Make it clearer when the r.js optimizer starts
Make it clearer when the r.js optimizer starts
JavaScript
apache-2.0
semperos/screwdriver,semperos/screwdriver
--- +++ @@ -1,5 +1,6 @@ //Create a runner that will run a separate build for each item //in the configs array. Thanks to @jwhitley for this cleverness +print("Starting RequireJS (r.js) Optimizer..."); for (var i = 0; i < __Screwdriver.rjs.moduleConfigs.length; i++) { requirejs.optimize(__Screwdriver.rjs.moduleConfigs[i], function(x) { print("Screwdriver RequireJS Optimizer (r.js)");
9678e952e50cef724dfae8871ceda7b3dc056a4f
src/services/fetchOverallStats.js
src/services/fetchOverallStats.js
import fetch from 'node-fetch'; import { API_URL, HTTP_HEADERS } from '../constants'; const headers = HTTP_HEADERS; const formatStats = (data, battletag, competitive) => { const stats = data['overall_stats']; const gameMode = competitive ? 'Competitive' : 'Quick Play'; return `*${battletag}*'s Overall Stats (${gameMode}): - Level: ${stats['level'] || 0} - Games: ${stats['games'] || 0} - Wins: ${stats['wins'] || 0} - Losses: ${stats['losses'] || 0} - Win Rate: ${stats['win_rate'] || 0}%`; } export const fetchOverallStats = (battletag, competitive) => { const gameMode = competitive ? 'competitive' : 'general'; const url = `${API_URL}/${battletag}/stats/${gameMode}`; return fetch(url, { headers }) .then(response => response.json()) .then(json => formatStats(json, battletag, competitive)) .catch(error => { return `Sorry, I cannot find the user ${battletag}`; }); }
import fetch from 'node-fetch'; import { API_URL, HTTP_HEADERS } from '../constants'; const headers = HTTP_HEADERS; const formatStats = (data, battletag, competitive) => { const stats = data['overall_stats']; const gameMode = competitive ? 'Competitive' : 'Quick Play'; let level = stats['level']; if (typeof stats['prestige'] === 'number') { level += (stats['prestige'] * 100); } const winRate = ((stats['wins'] / stats['games']) * 100).toFixed(2); return `*${battletag}*'s Overall Stats (${gameMode}): - Level: ${level || 0} - Games: ${stats['games'] || 0} - Wins: ${stats['wins'] || 0} - Losses: ${stats['losses'] || 0} - Win Rate: ${winRate || 0}% - Rating: ${stats['comprank'] || 0}`; } export const fetchOverallStats = (battletag, competitive) => { const gameMode = competitive ? 'competitive' : 'general'; const url = `${API_URL}/${battletag}/stats/${gameMode}`; return fetch(url, { headers }) .then(response => response.json()) .then(json => formatStats(json, battletag, competitive)) .catch(error => { return `Sorry, I cannot find the user ${battletag}`; }); }
Add skill rating and make win rate more precise
Add skill rating and make win rate more precise Fixes #1
JavaScript
mit
chesterhow/overwatch-telegram-bot
--- +++ @@ -6,13 +6,20 @@ const formatStats = (data, battletag, competitive) => { const stats = data['overall_stats']; const gameMode = competitive ? 'Competitive' : 'Quick Play'; + let level = stats['level']; + if (typeof stats['prestige'] === 'number') { + level += (stats['prestige'] * 100); + } + + const winRate = ((stats['wins'] / stats['games']) * 100).toFixed(2); return `*${battletag}*'s Overall Stats (${gameMode}): - - Level: ${stats['level'] || 0} + - Level: ${level || 0} - Games: ${stats['games'] || 0} - Wins: ${stats['wins'] || 0} - Losses: ${stats['losses'] || 0} - - Win Rate: ${stats['win_rate'] || 0}%`; + - Win Rate: ${winRate || 0}% + - Rating: ${stats['comprank'] || 0}`; } export const fetchOverallStats = (battletag, competitive) => {
ca37507057f8920d078f203fc56cf3070defc8c7
src/List/List.js
src/List/List.js
var React = require('react'); var classNames = require('classnames'); var ListItem = require('./ListItem'); var ListItemGroup = require('./ListItemGroup'); var List = React.createClass({ displayName: 'List', getDefaultProps: function() { return { className: '' } }, getListItems: function(list) { var that = this; var items = list.map(function(item) { if (item.items) { return ( <ListItemGroup tag={item.tag} attributes={item.attributes}> {that.getListItems(item.items)} </ListItemGroup> ); } else { return ( <ListItem tag={item.tag} attributes={item.attributes}> {item.value} </ListItem> ); } }); return items; }, render: function() { var Tag = this.props.tag || 'div'; var defaultClasses = [ 'list', 'list-unstyled' ]; var passedClasses = this.props.className.split(' '); var classes = classNames(_.union(defaultClasses, passedClasses)); return ( <Tag {...this.props} className={classes}> {this.getListItems(this.props.items)} </Tag> ); } }); module.exports = List;
var React = require('react'); var classNames = require('classnames'); var _ = require('underscore'); var ListItem = require('./ListItem'); var ListItemGroup = require('./ListItemGroup'); var List = React.createClass({ displayName: 'List', propTypes: { className: React.PropTypes.string, items: React.PropTypes.array.isRequired, tag: React.PropTypes.string }, getDefaultProps: function() { return { className: '' } }, getListItems: function(list, childIndex) { var that = this; var childIndex = childIndex || 0; var items = list.map(function(item, parentIndex) { var key = parentIndex + '.' + childIndex; childIndex++; if (item.items) { return ( <ListItemGroup key={key} tag={item.tag} attributes={item.attributes}> {that.getListItems(item.items, childIndex)} </ListItemGroup> ); } else { return ( <ListItem key={key} tag={item.tag} attributes={item.attributes}> {item.value} </ListItem> ); } }); return items; }, render: function() { var Tag = this.props.tag || 'div'; var defaultClasses = [ 'list', 'list-unstyled' ]; var passedClasses = this.props.className.split(' '); var classes = classNames(_.union(defaultClasses, passedClasses)); return ( <Tag {...this.props} className={classes}> {this.getListItems(this.props.items)} </Tag> ); } }); module.exports = List;
Add key to iterated objects
Add key to iterated objects
JavaScript
apache-2.0
mesosphere/reactjs-components,mesosphere/reactjs-components
--- +++ @@ -1,5 +1,6 @@ var React = require('react'); var classNames = require('classnames'); +var _ = require('underscore'); var ListItem = require('./ListItem'); var ListItemGroup = require('./ListItemGroup'); @@ -7,26 +8,35 @@ var List = React.createClass({ displayName: 'List', + propTypes: { + className: React.PropTypes.string, + items: React.PropTypes.array.isRequired, + tag: React.PropTypes.string + }, + getDefaultProps: function() { return { className: '' } }, - getListItems: function(list) { + getListItems: function(list, childIndex) { var that = this; + var childIndex = childIndex || 0; - var items = list.map(function(item) { + var items = list.map(function(item, parentIndex) { + var key = parentIndex + '.' + childIndex; + childIndex++; if (item.items) { return ( - <ListItemGroup tag={item.tag} attributes={item.attributes}> - {that.getListItems(item.items)} + <ListItemGroup key={key} tag={item.tag} attributes={item.attributes}> + {that.getListItems(item.items, childIndex)} </ListItemGroup> ); } else { return ( - <ListItem tag={item.tag} attributes={item.attributes}> + <ListItem key={key} tag={item.tag} attributes={item.attributes}> {item.value} </ListItem> );
2068d2d2bc6907b2bd7990a933d93d5044cf35e3
src/lib/session/index.js
src/lib/session/index.js
import routes from '../routes' import request from '../request' const create = (opts, email, password) => request.post(opts, routes.session, { email, password }) const verify = Promise.resolve(1) const destroy = Promise.resolve(1) export default { create, verify, destroy, }
import routes from '../routes' import request from '../request' const create = (opts, email, password) => request.post(opts, routes.session, { email, password }) export default { create, }
Remove unused endpoints on session route
Remove unused endpoints on session route
JavaScript
mit
pagarme/pagarme-js
--- +++ @@ -4,12 +4,7 @@ const create = (opts, email, password) => request.post(opts, routes.session, { email, password }) -const verify = Promise.resolve(1) -const destroy = Promise.resolve(1) - export default { create, - verify, - destroy, }
e02a8202e83018b10adabc986b720c552df9bcae
website/app/application/core/projects/project/files/files-controller.js
website/app/application/core/projects/project/files/files-controller.js
Application.Controllers.controller("FilesController", ["$state", FilesController]); function FilesController($state) { //console.log("FileController going to projects.project.files.all"); //$state.go('projects.project.files.all'); var ctrl = this; ctrl.showSearchResults = showSearchResults; ////////////////// function showSearchResults() { $state.go('projects.project.files.search'); } }
Application.Controllers.controller("FilesController", ["$state", FilesController]); function FilesController($state) { var ctrl = this; ctrl.showSearchResults = showSearchResults; init(); ////////////////// function showSearchResults() { $state.go('projects.project.files.search'); } function init() { if ($state.current.name == "projects.project.files") { $state.go('projects.project.files.all'); } } }
Remove console statement. Move initialization logic for controller into init() method.
Remove console statement. Move initialization logic for controller into init() method.
JavaScript
mit
materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org
--- +++ @@ -1,13 +1,19 @@ Application.Controllers.controller("FilesController", ["$state", FilesController]); function FilesController($state) { - //console.log("FileController going to projects.project.files.all"); - //$state.go('projects.project.files.all'); var ctrl = this; ctrl.showSearchResults = showSearchResults; + + init(); ////////////////// function showSearchResults() { $state.go('projects.project.files.search'); } + + function init() { + if ($state.current.name == "projects.project.files") { + $state.go('projects.project.files.all'); + } + } }
78be30be622d78ce3146ae659f1277b5ff127b57
website/app/index/sidebar-projects.js
website/app/index/sidebar-projects.js
Application.Directives.directive("sidebarProjects", sidebarProjectsDirective); function sidebarProjectsDirective() { return { restrict: "AE", replace: true, templateUrl: "index/sidebar-projects.html", controller: "sidebarProjectsDirectiveController" }; } Application.Controllers.controller("sidebarProjectsDirectiveController", ["$scope", "current", "sidebarUtil", "mcapi", "model.projects", sidebarProjectsDirectiveController]); function sidebarProjectsDirectiveController($scope, current, sidebarUtil, mcapi, Projects) { $scope.showProjects = false; $scope.setProject = function(project) { $scope.project = project; current.setProject(project); $scope.showProjects = false; $scope.project.fileCount = sidebarUtil.projectFileCount($scope.project); $scope.project.projectSize = sidebarUtil.projectSize($scope.project); }; $scope.createProject = function(){ if ($scope.model.name === "") { return; } mcapi('/projects') .success(function (data) { console.dir(data); Projects.getList(true).then(function(projects) { $scope.projects = projects; }); }).post({'name': $scope.model.name}); }; }
Application.Directives.directive("sidebarProjects", sidebarProjectsDirective); function sidebarProjectsDirective() { return { restrict: "AE", replace: true, templateUrl: "index/sidebar-projects.html", controller: "sidebarProjectsDirectiveController" }; } Application.Controllers.controller("sidebarProjectsDirectiveController", ["$scope", "current", "sidebarUtil", "mcapi", "model.projects", "$state", sidebarProjectsDirectiveController]); function sidebarProjectsDirectiveController($scope, current, sidebarUtil, mcapi, Projects, $state) { $scope.showProjects = false; $scope.setProject = function(project) { $scope.project = project; current.setProject(project); $scope.showProjects = false; $scope.project.fileCount = sidebarUtil.projectFileCount($scope.project); $scope.project.projectSize = sidebarUtil.projectSize($scope.project); $state.go("projects.project.home", {id: project.id}); }; $scope.createProject = function(){ if ($scope.model.name === "") { return; } mcapi('/projects') .success(function (data) { Projects.getList(true).then(function(projects) { $scope.projects = projects; }); }).post({'name': $scope.model.name}); }; }
Switch project view when user picks a different project.
Switch project view when user picks a different project.
JavaScript
mit
materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org,materials-commons/materialscommons.org
--- +++ @@ -11,10 +11,10 @@ Application.Controllers.controller("sidebarProjectsDirectiveController", ["$scope", "current", "sidebarUtil", - "mcapi", "model.projects", + "mcapi", "model.projects", "$state", sidebarProjectsDirectiveController]); -function sidebarProjectsDirectiveController($scope, current, sidebarUtil, mcapi, Projects) { +function sidebarProjectsDirectiveController($scope, current, sidebarUtil, mcapi, Projects, $state) { $scope.showProjects = false; $scope.setProject = function(project) { @@ -23,6 +23,7 @@ $scope.showProjects = false; $scope.project.fileCount = sidebarUtil.projectFileCount($scope.project); $scope.project.projectSize = sidebarUtil.projectSize($scope.project); + $state.go("projects.project.home", {id: project.id}); }; $scope.createProject = function(){ @@ -31,7 +32,6 @@ } mcapi('/projects') .success(function (data) { - console.dir(data); Projects.getList(true).then(function(projects) { $scope.projects = projects; });
94352ff890da1dc1a83651b316eba519d9101243
optimize/index.js
optimize/index.js
var eng = require('./node/engine'); module.exports = { minimize: function(func, options, callback) { eng.runPython('minimize', func, options, callback); }, nonNegLeastSquares: function(A, b, callback) { eng.runPython('nnls', A, b, callback); } }
var eng = require('./node/engine'); module.exports = { localMinimize: function(func, options, callback) { eng.runPython('local', func, options, callback); }, globalMinimize: function(func, options, callback) { eng.runPython('global', func, options, callback); }, nonNegLeastSquares: function(A, b, callback) { eng.runPython('nnls', A, b, callback); } }
Add localMin and globalMin to API
Add localMin and globalMin to API
JavaScript
mit
acjones617/scipy-node,acjones617/scipy-node
--- +++ @@ -1,9 +1,12 @@ var eng = require('./node/engine'); module.exports = { - minimize: function(func, options, callback) { - eng.runPython('minimize', func, options, callback); + localMinimize: function(func, options, callback) { + eng.runPython('local', func, options, callback); }, + globalMinimize: function(func, options, callback) { + eng.runPython('global', func, options, callback); + }, nonNegLeastSquares: function(A, b, callback) { eng.runPython('nnls', A, b, callback); }
fe8f4e74ed73f3c56e8747b393e0036261cc3d4d
app/scripts/components/openstack/openstack-volume/openstack-volume-snapshots.js
app/scripts/components/openstack/openstack-volume/openstack-volume-snapshots.js
const volumeSnapshots = { templateUrl: 'views/partials/filtered-list.html', controller: VolumeSnapshotsListController, controllerAs: 'ListController', bindings: { resource: '<' } }; export default volumeSnapshots; // @ngInject function VolumeSnapshotsListController( baseResourceListController, $scope, $timeout, actionUtilsService) { var controllerScope = this; var ResourceController = baseResourceListController.extend({ init: function() { this.controllerScope = controllerScope; this.listActions = null; var list_type = 'snapshots'; var fn = this._super.bind(this); var vm = this; actionUtilsService.loadNestedActions(this, controllerScope.resource, list_type).then(function(result) { vm.listActions = result; fn(); }); $scope.$on('actionApplied', function(event, name) { if (name === 'snapshot') { $timeout(function() { controllerScope.resetCache(); }); } }); }, getTableOptions: function() { var options = this._super(); options.noDataText = 'You have no snapshots yet'; options.noMatchesText = 'No snapshots found matching filter.'; return options; }, getFilter: function() { return { source_volume_uuid: controllerScope.resource.uuid, resource_type: 'OpenStackTenant.Snapshot' }; }, getTableActions: function() { return this.listActions; }, }); controllerScope.__proto__ = new ResourceController(); }
const volumeSnapshots = { templateUrl: 'views/partials/filtered-list.html', controller: VolumeSnapshotsListController, controllerAs: 'ListController', bindings: { resource: '<' } }; export default volumeSnapshots; // @ngInject function VolumeSnapshotsListController( baseResourceListController, $scope, $timeout, actionUtilsService) { var controllerScope = this; var ResourceController = baseResourceListController.extend({ init: function() { this.controllerScope = controllerScope; this.listActions = null; var list_type = 'snapshots'; var fn = this._super.bind(this); this.loading = true; actionUtilsService.loadNestedActions(this, controllerScope.resource, list_type).then(result => { this.listActions = result; fn(); }); $scope.$on('actionApplied', function(event, name) { if (name === 'snapshot') { $timeout(function() { controllerScope.resetCache(); }); } }); }, getTableOptions: function() { var options = this._super(); options.noDataText = 'You have no snapshots yet'; options.noMatchesText = 'No snapshots found matching filter.'; return options; }, getFilter: function() { return { source_volume_uuid: controllerScope.resource.uuid, resource_type: 'OpenStackTenant.Snapshot' }; }, getTableActions: function() { return this.listActions; }, }); controllerScope.__proto__ = new ResourceController(); }
Use arrow functions instead of vm variable (WAL-400)
Use arrow functions instead of vm variable (WAL-400)
JavaScript
mit
opennode/waldur-homeport,opennode/waldur-homeport,opennode/waldur-homeport,opennode/waldur-homeport
--- +++ @@ -22,10 +22,10 @@ this.listActions = null; var list_type = 'snapshots'; var fn = this._super.bind(this); - var vm = this; - actionUtilsService.loadNestedActions(this, controllerScope.resource, list_type).then(function(result) { - vm.listActions = result; + this.loading = true; + actionUtilsService.loadNestedActions(this, controllerScope.resource, list_type).then(result => { + this.listActions = result; fn(); });
a150a6caa9db55a262335df60a8048e03171a227
feature-detects/es6/promises.js
feature-detects/es6/promises.js
/*! { "name": "ES6 Promises", "property": "promises", "caniuse": "promises", "polyfills": ["es6promises"], "authors": ["Krister Kari", "Jake Archibald"], "tags": ["es6"], "notes": [{ "name": "The ES6 promises spec", "href": "https://github.com/domenic/promises-unwrapping" },{ "name": "Chromium dashboard - ES6 Promises", "href": "http://www.chromestatus.com/features/5681726336532480" },{ "name": "JavaScript Promises: There and back again - HTML5 Rocks", "href": "http://www.html5rocks.com/en/tutorials/es6/promises/" }] } !*/ /* DOC Check if browser implements ECMAScript 6 Promises per specification. */ define(['Modernizr'], function( Modernizr ) { Modernizr.addTest('promises', function() { return 'Promise' in window && // Some of these methods are missing from // Firefox/Chrome experimental implementations 'cast' in window.Promise && 'resolve' in window.Promise && 'reject' in window.Promise && 'all' in window.Promise && 'race' in window.Promise && // Older version of the spec had a resolver object // as the arg rather than a function (function() { var resolve; new window.Promise(function(r) { resolve = r; }); return typeof resolve === 'function'; }()); }); });
/*! { "name": "ES6 Promises", "property": "promises", "caniuse": "promises", "polyfills": ["es6promises"], "authors": ["Krister Kari", "Jake Archibald"], "tags": ["es6"], "notes": [{ "name": "The ES6 promises spec", "href": "https://github.com/domenic/promises-unwrapping" },{ "name": "Chromium dashboard - ES6 Promises", "href": "http://www.chromestatus.com/features/5681726336532480" },{ "name": "JavaScript Promises: There and back again - HTML5 Rocks", "href": "http://www.html5rocks.com/en/tutorials/es6/promises/" }] } !*/ /* DOC Check if browser implements ECMAScript 6 Promises per specification. */ define(['Modernizr'], function( Modernizr ) { Modernizr.addTest('promises', function() { return 'Promise' in window && // Some of these methods are missing from // Firefox/Chrome experimental implementations 'resolve' in window.Promise && 'reject' in window.Promise && 'all' in window.Promise && 'race' in window.Promise && // Older version of the spec had a resolver object // as the arg rather than a function (function() { var resolve; new window.Promise(function(r) { resolve = r; }); return typeof resolve === 'function'; }()); }); });
Remove "cast" from Promise test
Remove "cast" from Promise test Promise.resolve now behaves as Promise.cast
JavaScript
mit
Modernizr/Modernizr,Modernizr/Modernizr
--- +++ @@ -26,7 +26,6 @@ return 'Promise' in window && // Some of these methods are missing from // Firefox/Chrome experimental implementations - 'cast' in window.Promise && 'resolve' in window.Promise && 'reject' in window.Promise && 'all' in window.Promise &&
607cedc66dcee8d76c2786e1aa2b2389577bd204
src/plugins/loading-bar.js
src/plugins/loading-bar.js
import Vue from 'vue' import { isSSR } from './platform.js' import QAjaxBar from '../components/ajax-bar/QAjaxBar.js' export default { start () {}, stop () {}, increment () {}, install ({ $q, cfg }) { if (isSSR) { $q.loadingBar = this return } const bar = $q.loadingBar = new Vue({ render: h => h(QAjaxBar, { ref: 'bar', props: cfg.loadingBar }) }).$mount().$refs.bar Object.assign(this, { start: bar.start, stop: bar.stop, increment: bar.increment }) document.body.appendChild($q.loadingBar.$parent.$el) } }
import Vue from 'vue' import { isSSR } from './platform.js' import QAjaxBar from '../components/ajax-bar/QAjaxBar.js' export default { start () {}, stop () {}, increment () {}, install ({ $q, cfg }) { if (isSSR) { $q.loadingBar = this return } const bar = $q.loadingBar = new Vue({ name: 'LoadingBar', render: h => h(QAjaxBar, { ref: 'bar', props: cfg.loadingBar }) }).$mount().$refs.bar Object.assign(this, { start: bar.start, stop: bar.stop, increment: bar.increment }) document.body.appendChild($q.loadingBar.$parent.$el) } }
Add component name for LoadingBar plugin
chore: Add component name for LoadingBar plugin
JavaScript
mit
pdanpdan/quasar,quasarframework/quasar,pdanpdan/quasar,pdanpdan/quasar,rstoenescu/quasar-framework,rstoenescu/quasar-framework,fsgiudice/quasar,fsgiudice/quasar,quasarframework/quasar,pdanpdan/quasar,quasarframework/quasar,quasarframework/quasar,rstoenescu/quasar-framework,fsgiudice/quasar
--- +++ @@ -15,6 +15,7 @@ } const bar = $q.loadingBar = new Vue({ + name: 'LoadingBar', render: h => h(QAjaxBar, { ref: 'bar', props: cfg.loadingBar
9496ca53251d22fa7c43af672dbc39feeeace5fe
test/helpers/capture-candidates.js
test/helpers/capture-candidates.js
module.exports = function(pc, candidates, callback) { var timer; pc.onicecandidate = function(evt) { if (evt.candidate) { console.log(evt); candidates.push(evt.candidate); } else { // TODO: trigger callback when supported } }; timer = setInterval(function() { if (pc.iceGatheringState === 'complete') { // release the event handler reference pc.onicecandidate = null; clearInterval(timer); callback(); } }, 100); };
module.exports = function(pc, candidates, callback) { pc.onicecandidate = function(evt) { if (evt.candidate) { console.log(evt); candidates.push(evt.candidate); } else { callback(); } }; };
Remove the timer for monitoring the icegatheringstate
Remove the timer for monitoring the icegatheringstate
JavaScript
bsd-2-clause
ssaroha/node-webrtc,vshymanskyy/node-webrtc,lresc/node-webrtc,siphontv/node-webrtc,martindale/node-webrtc,martindale/node-webrtc,diffalot/node-webrtc,martindale/node-webrtc,siphontv/node-webrtc,siphontv/node-webrtc,ssaroha/node-webrtc,ssaroha/node-webrtc,siphontv/node-webrtc,guymguym/node-webrtc,martindale/node-webrtc,guymguym/node-webrtc,lresc/node-webrtc,lresc/node-webrtc,ssaroha/node-webrtc,diffalot/node-webrtc,ssaroha/node-webrtc,guymguym/node-webrtc,diffalot/node-webrtc,diffalot/node-webrtc,markandrus/node-webrtc,martindale/node-webrtc,markandrus/node-webrtc,vshymanskyy/node-webrtc,diffalot/node-webrtc,vshymanskyy/node-webrtc,markandrus/node-webrtc,markandrus/node-webrtc,lresc/node-webrtc,guymguym/node-webrtc,guymguym/node-webrtc,siphontv/node-webrtc,vshymanskyy/node-webrtc,lresc/node-webrtc,lresc/node-webrtc,vshymanskyy/node-webrtc,markandrus/node-webrtc
--- +++ @@ -1,22 +1,11 @@ module.exports = function(pc, candidates, callback) { - var timer; - pc.onicecandidate = function(evt) { if (evt.candidate) { console.log(evt); candidates.push(evt.candidate); } else { - // TODO: trigger callback when supported + callback(); } }; - - timer = setInterval(function() { - if (pc.iceGatheringState === 'complete') { - // release the event handler reference - pc.onicecandidate = null; - clearInterval(timer); - callback(); - } - }, 100); };
088a0c67588f9334eb8dbed9447055eff3fbfe30
example/controllers/football.js
example/controllers/football.js
'use strict' module.exports = (function(){ /** * Import modules */ const footballDb = require('./../db/footballDb') /** * football module API */ return { 'leagues': leagues, 'leagueTable_id': leagueTable_id } /** * football module API -- leagueTable */ function leagueTable_id(id) { // Auto parses id from query-string return footballDb .leagueTable(id) .then(league => { league.title = 'League Table' return league }) } /** * football module API -- leagues */ function leagues() { return footballDb .leagues() .then(leagues => { leagues = leaguesWithLinks(leagues) return { 'title':'Leagues', 'leagues': leagues } }) } /** * Utility auxiliary function */ function leaguesWithLinks(leagues) { return leagues.map(item => { item.leagueHref = "/football/leagueTable/" + item.id return item }) } })()
'use strict' module.exports = (function(){ /** * Import modules */ const footballDb = require('./../db/footballDb') /** * football module API */ return { 'leagues': leagues, 'leagueTable_id': leagueTable_id } /** * football module API -- leagueTable */ function leagueTable_id(id) { // Auto parses id from route parameters return footballDb .leagueTable(id) .then(league => { league.title = 'League Table' return league }) } /** * football module API -- leagues */ function leagues() { return footballDb .leagues() .then(leagues => { leagues = leaguesWithLinks(leagues) return { 'title':'Leagues', 'leagues': leagues } }) } /** * Utility auxiliary function */ function leaguesWithLinks(leagues) { return leagues.map(item => { item.leagueHref = "/football/leagueTable/" + item.id return item }) } })()
Correct comment on parsing route parameters instead of query
Correct comment on parsing route parameters instead of query
JavaScript
mit
CCISEL/connect-controller,CCISEL/connect-controller
--- +++ @@ -16,7 +16,7 @@ /** * football module API -- leagueTable */ - function leagueTable_id(id) { // Auto parses id from query-string + function leagueTable_id(id) { // Auto parses id from route parameters return footballDb .leagueTable(id) .then(league => {
5a63f87a9bf6fa7c4ce54f7c5f650b85190fd930
fetch-browser.js
fetch-browser.js
(function () { 'use strict'; function fetchPonyfill(options) { var Promise = options && options.Promise || self.Promise; var XMLHttpRequest = options && options.XMLHttpRequest || self.XMLHttpRequest; var global = self; return (function () { var self = Object.create(global, { fetch: { value: undefined, writable: true } }); // {{whatwgFetch}} return { fetch: self.fetch.bind(global), Headers: self.Headers, Request: self.Request, Response: self.Response }; }()); } if (typeof define === 'function' && define.amd) { define(function () { return fetchPonyfill; }); } else if (typeof exports === 'object') { module.exports = fetchPonyfill; } else { self.fetchPonyfill = fetchPonyfill; } }());
(function () { 'use strict'; function fetchPonyfill(options) { var Promise = options && options.Promise || self.Promise; var XMLHttpRequest = options && options.XMLHttpRequest || self.XMLHttpRequest; var global = self; return (function () { var self = Object.create(global, { fetch: { value: undefined, writable: true } }); // {{whatwgFetch}} return { fetch: self.fetch, Headers: self.Headers, Request: self.Request, Response: self.Response }; }()); } if (typeof define === 'function' && define.amd) { define(function () { return fetchPonyfill; }); } else if (typeof exports === 'object') { module.exports = fetchPonyfill; } else { self.fetchPonyfill = fetchPonyfill; } }());
Remove global binding that is now not needed anymore
Remove global binding that is now not needed anymore
JavaScript
mit
qubyte/fetch-ponyfill,qubyte/fetch-ponyfill
--- +++ @@ -17,7 +17,7 @@ // {{whatwgFetch}} return { - fetch: self.fetch.bind(global), + fetch: self.fetch, Headers: self.Headers, Request: self.Request, Response: self.Response
2cb746c292c9c68d04d9393eeccdf398573a84af
build/tests/bootstrap.js
build/tests/bootstrap.js
// Remove the PUBLIC_URL, if defined process.env.PUBLIC_URL = '' process.env.INSPIRE_API_URL = 'inspire-api-url' require('babel-register')() const { jsdom } = require('jsdom') const moduleAlias = require('module-alias') const path = require('path') moduleAlias.addAlias('common', path.join(__dirname, '../../src')) const exposedProperties = ['window', 'navigator', 'document'] global.document = jsdom('<!doctype html><html><body></body></html>') global.window = document.defaultView Object.keys(document.defaultView).forEach((property) => { if (typeof global[property] === 'undefined') { exposedProperties.push(property) global[property] = document.defaultView[property] } }) global.navigator = window.navigator = { userAgent: 'node.js', platform: 'node.js', } const chai = require('chai') const chaiEnzyme = require('chai-enzyme') global.expect = chai.expect chai.use(chaiEnzyme())
const { JSDOM } = require('jsdom') const moduleAlias = require('module-alias') const path = require('path') require('babel-register')() moduleAlias.addAlias('common', path.join(__dirname, '../../src')) // Remove the PUBLIC_URL, if defined process.env.PUBLIC_URL = '' process.env.INSPIRE_API_URL = 'inspire-api-url' const jsdom = new JSDOM('<!doctype html><html><body></body></html>') const exposedProperties = ['window', 'navigator', 'document'] global.window = jsdom.window global.document = global.window.document Object.keys(document.defaultView).forEach((property) => { if (typeof global[property] === 'undefined') { exposedProperties.push(property) global[property] = document.defaultView[property] } }) global.navigator = window.navigator = { userAgent: 'node.js', platform: 'node.js', } const chai = require('chai') const chaiEnzyme = require('chai-enzyme') global.expect = chai.expect chai.use(chaiEnzyme())
Update JSDOM usage due to API change
Update JSDOM usage due to API change
JavaScript
mit
sgmap/inspire,sgmap/inspire
--- +++ @@ -1,20 +1,22 @@ +const { JSDOM } = require('jsdom') +const moduleAlias = require('module-alias') +const path = require('path') + +require('babel-register')() + +moduleAlias.addAlias('common', path.join(__dirname, '../../src')) + // Remove the PUBLIC_URL, if defined process.env.PUBLIC_URL = '' process.env.INSPIRE_API_URL = 'inspire-api-url' -require('babel-register')() - -const { jsdom } = require('jsdom') -const moduleAlias = require('module-alias') -const path = require('path') - -moduleAlias.addAlias('common', path.join(__dirname, '../../src')) - +const jsdom = new JSDOM('<!doctype html><html><body></body></html>') const exposedProperties = ['window', 'navigator', 'document'] -global.document = jsdom('<!doctype html><html><body></body></html>') -global.window = document.defaultView +global.window = jsdom.window +global.document = global.window.document + Object.keys(document.defaultView).forEach((property) => { if (typeof global[property] === 'undefined') { exposedProperties.push(property)
c14bea03e77d0b7573ae087c879cadfc3ca9c970
firefox/prefs.js
firefox/prefs.js
user_pref("accessibility.typeaheadfind.flashBar", 0); user_pref("accessibility.typeaheadfind.prefillwithselection", true); user_pref("browser.backspace_action", 2); user_pref("browser.bookmarks.restore_default_bookmarks", false); user_pref("browser.newtab.url", "about:blank"); user_pref("browser.search.suggest.enabled", false); user_pref("browser.selfsupport.url", ""); user_pref("browser.showQuitWarning", true); user_pref("browser.startup.homepage", "about:blank"); user_pref("browser.tabs.animate", false); user_pref("browser.tabs.closeWindowWithLastTab", false); user_pref("browser.tabs.warnOnClose", false); user_pref("datareporting.healthreport.uploadEnabled", false); user_pref("network.cookie.cookieBehavior", 3); user_pref("network.cookie.lifetimePolicy", 2); user_pref("network.http.referer.spoofSource", true); user_pref("network.http.referer.trimmingPolicy", 2); user_pref("network.http.referer.XOriginPolicy", 2); user_pref("toolkit.telemetry.enabled", false);
user_pref("accessibility.typeaheadfind.flashBar", 0); user_pref("accessibility.typeaheadfind.prefillwithselection", true); user_pref("browser.backspace_action", 2); user_pref("browser.bookmarks.restore_default_bookmarks", false); user_pref("browser.newtab.url", "about:blank"); user_pref("browser.readinglist.enabled", false); user_pref("browser.search.suggest.enabled", false); user_pref("browser.selfsupport.url", ""); user_pref("browser.showQuitWarning", true); user_pref("browser.startup.homepage", "about:blank"); user_pref("browser.tabs.animate", false); user_pref("browser.tabs.closeWindowWithLastTab", false); user_pref("browser.tabs.warnOnClose", false); user_pref("datareporting.healthreport.uploadEnabled", false); user_pref("loop.enabled", false); user_pref("network.cookie.cookieBehavior", 3); user_pref("network.cookie.lifetimePolicy", 2); user_pref("network.http.referer.spoofSource", true); user_pref("network.http.referer.trimmingPolicy", 2); user_pref("network.http.referer.XOriginPolicy", 2); user_pref("readinglist.scheduler.enabled", false); user_pref("toolkit.telemetry.enabled", false);
Disable a few unused features
firefox: Disable a few unused features
JavaScript
mit
poiru/dotfiles,poiru/dotfiles,poiru/dotfiles
--- +++ @@ -3,6 +3,7 @@ user_pref("browser.backspace_action", 2); user_pref("browser.bookmarks.restore_default_bookmarks", false); user_pref("browser.newtab.url", "about:blank"); +user_pref("browser.readinglist.enabled", false); user_pref("browser.search.suggest.enabled", false); user_pref("browser.selfsupport.url", ""); user_pref("browser.showQuitWarning", true); @@ -11,9 +12,11 @@ user_pref("browser.tabs.closeWindowWithLastTab", false); user_pref("browser.tabs.warnOnClose", false); user_pref("datareporting.healthreport.uploadEnabled", false); +user_pref("loop.enabled", false); user_pref("network.cookie.cookieBehavior", 3); user_pref("network.cookie.lifetimePolicy", 2); user_pref("network.http.referer.spoofSource", true); user_pref("network.http.referer.trimmingPolicy", 2); user_pref("network.http.referer.XOriginPolicy", 2); +user_pref("readinglist.scheduler.enabled", false); user_pref("toolkit.telemetry.enabled", false);
9d43d46eac238af0ac1a038916e6ebe21383fc95
gatsby-config.js
gatsby-config.js
module.exports = { siteMetadata: { siteUrl: 'https://chocolate-free.com/', title: 'Chocolate Free', }, plugins: [ { resolve: 'gatsby-source-contentful', options: { spaceId: '0w6gaytm0wfv', accessToken: 'c9414fe612e8c31f402182354c5263f9c6b1f0c611ae5597585cb78692dc2493', }, }, { resolve: 'gatsby-plugin-google-analytics', options: { trackingId: 'UA-89281107-1', }, }, { resolve: 'gatsby-plugin-sitemap' }, { resolve: 'gatsby-plugin-manifest', options: { 'name': 'Chocolate-free', 'short_name': 'ChocoFree', 'start_url': '/', 'background_color': '#e8e8e8', 'icons': [ { 'src': '/android-chrome-192x192.png', 'sizes': '192x192', 'type': 'image/png' }, { 'src': '/android-chrome-512x512.png', 'sizes': '512x512', 'type': 'image/png' } ], 'theme_color': '#e8e8e8', 'display': 'standalone' } }, 'gatsby-plugin-offline', 'gatsby-transformer-remark', 'gatsby-plugin-sass' ], }
module.exports = { siteMetadata: { siteUrl: 'https://chocolate-free.com/', title: 'Chocolate Free', }, plugins: [ { resolve: 'gatsby-source-contentful', options: { spaceId: process.env.CHOCOLATE_FREE_CF_SPACE, accessToken: process.env.CHOCOLATE_FREE_CF_TOKEN }, }, { resolve: 'gatsby-plugin-google-analytics', options: { trackingId: 'UA-89281107-1', }, }, { resolve: 'gatsby-plugin-sitemap' }, { resolve: 'gatsby-plugin-manifest', options: { 'name': 'Chocolate-free', 'short_name': 'ChocoFree', 'start_url': '/', 'background_color': '#e8e8e8', 'icons': [ { 'src': '/android-chrome-192x192.png', 'sizes': '192x192', 'type': 'image/png' }, { 'src': '/android-chrome-512x512.png', 'sizes': '512x512', 'type': 'image/png' } ], 'theme_color': '#e8e8e8', 'display': 'standalone' } }, 'gatsby-plugin-offline', 'gatsby-transformer-remark', 'gatsby-plugin-sass' ], }
Replace api key with env vars
Replace api key with env vars
JavaScript
apache-2.0
Khaledgarbaya/chocolate-free-website,Khaledgarbaya/chocolate-free-website
--- +++ @@ -7,8 +7,8 @@ { resolve: 'gatsby-source-contentful', options: { - spaceId: '0w6gaytm0wfv', - accessToken: 'c9414fe612e8c31f402182354c5263f9c6b1f0c611ae5597585cb78692dc2493', + spaceId: process.env.CHOCOLATE_FREE_CF_SPACE, + accessToken: process.env.CHOCOLATE_FREE_CF_TOKEN }, }, {
930bcf06b7cca0993d0c13250b1ae7bd484643ba
src/js/routes.js
src/js/routes.js
'use strict'; angular.module('mission-control').config(['$stateProvider', '$urlRouterProvider', function ($stateProvider, $urlRouterProvider) { // For unmatched routes $urlRouterProvider.otherwise('/'); // Application routes $stateProvider .state('index', { url: '/', templateUrl: 'views/overview.html', controller: 'OverviewCtrl' }) .state('agenda', { url: '/agenda', templateUrl: 'views/agenda.html', controller: 'AgendaCtrl' }) .state('events', { url: '/events', templateUrl: 'views/events.html', controller: 'EventsCtrl' }) .state('members', { url: '/members', templateUrl: 'views/members.html', controller: 'MembersCtrl' }) .state('sponsors', { url: '/sponsors', templateUrl: 'views/sponsors.html', controller: 'SponsorsCtrl' }) .state('tasks', { url: '/tasks', templateUrl: 'views/tasks.html', controller: 'TasksCtrl' }); } ]);
'use strict'; angular.module('mission-control').config(['$stateProvider', '$urlRouterProvider', function ($stateProvider, $urlRouterProvider) { // For unmatched routes $urlRouterProvider.otherwise('/'); // Application routes $stateProvider .state('index', { url: '/', templateUrl: 'views/overview.html', controller: 'OverviewCtrl' }) .state('agenda', { url: '/agenda', templateUrl: 'views/agenda.html', controller: 'AgendaCtrl' }) .state('events', { url: '/events', templateUrl: 'views/events.html', controller: 'EventsCtrl' }) .state('members', { url: '/members', templateUrl: 'views/members.html', controller: 'MembersCtrl' }) .state('mentors', { url: '/mentors', templateUrl: 'views/mentors.html', controller: 'MentorsCtrl' }) .state('sponsors', { url: '/sponsors', templateUrl: 'views/sponsors.html', controller: 'SponsorsCtrl' }) .state('tasks', { url: '/tasks', templateUrl: 'views/tasks.html', controller: 'TasksCtrl' }); } ]);
Add mentors route to router
Add mentors route to router
JavaScript
mit
craigcabrey/mission-control,craigcabrey/mission-control
--- +++ @@ -27,6 +27,11 @@ templateUrl: 'views/members.html', controller: 'MembersCtrl' }) + .state('mentors', { + url: '/mentors', + templateUrl: 'views/mentors.html', + controller: 'MentorsCtrl' + }) .state('sponsors', { url: '/sponsors', templateUrl: 'views/sponsors.html',
b40447a79ed4d94ba05e379e4192556c271a1e4b
test/browser.spec.js
test/browser.spec.js
var expect = require('chai').expect; var request = require('supertest'); var http = require('http'); var cookie = require('../lib/browser'); describe('server-side cookie', function() { describe('.set', function() { it('should work', function() { cookie.set('yolo', 'swag'); expect(cookie.get('yolo')).to.equal('swag'); }); }); describe('.remove', function() { it('should work', function() { cookie.set('yolo', 'swag'); expect(cookie.get('yolo')).to.equal('swag'); cookie.remove('yolo'); expect(cookie.get('yolo')).to.be.undefined; }); }); });
var expect = require('chai').expect; var request = require('supertest'); var http = require('http'); var cookie = require('../lib/browser'); describe('server-side cookie', function() { describe('.get', function() { it('should work', function() { expect(cookie.get('swag_swag_swag_')).to.be.undefined; }); }); describe('.set', function() { it('should work', function() { cookie.set('yolo', 'swag'); expect(cookie.get('yolo')).to.equal('swag'); }); }); describe('.remove', function() { it('should work', function() { cookie.set('yolo', 'swag'); expect(cookie.get('yolo')).to.equal('swag'); cookie.remove('yolo'); expect(cookie.get('yolo')).to.be.undefined; }); }); });
Add simple test case for browser `.get`
Add simple test case for browser `.get`
JavaScript
mit
srph/cookie-machine
--- +++ @@ -4,6 +4,12 @@ var cookie = require('../lib/browser'); describe('server-side cookie', function() { + describe('.get', function() { + it('should work', function() { + expect(cookie.get('swag_swag_swag_')).to.be.undefined; + }); + }); + describe('.set', function() { it('should work', function() { cookie.set('yolo', 'swag');
09c0f85065d496bec9e869f3ec170648b99f77c9
lib/middleware/request_proxy.js
lib/middleware/request_proxy.js
// Copyright (C) 2007-2014, GoodData(R) Corporation. var httpProxy = require('http-proxy'); module.exports = function(host) { var currentHost, currentPort; var proxy = new httpProxy.RoutingProxy({ target: { https: true } }); var requestProxy = function(req, res, next) { // Because backend does not answer without set content length if (req.method === 'DELETE') { // Only set content-length to zero if not already specified req.headers['content-length'] = req.headers['content-length'] || '0'; } // White labeled resources are based on host header req.headers['host'] = currentHost + (currentPort!==443 ? ':'+currentPort : ''); // Remove Origin header so it's not evaluated as cross-domain request req.headers['origin'] = null; // Proxy received request to curret backend endpoint proxy.proxyRequest(req, res, { host: currentHost, port: currentPort, target: { // don't choke on self-signed certificates used by *.getgooddata.com rejectUnauthorized: false } }); }; requestProxy.proxy = proxy; requestProxy.setHost = function(value) { var splithost = value ? value.split(/:/) : ''; currentHost = splithost[0]; currentPort = parseInt(splithost[1] || '443', 10); }; // set the host/port combination requestProxy.setHost(host); return requestProxy; };
// Copyright (C) 2007-2014, GoodData(R) Corporation. var httpProxy = require('http-proxy'); module.exports = function(host) { var currentHost, currentPort; var proxy = new httpProxy.RoutingProxy({ target: { https: true } }); var requestProxy = function(req, res, next) { // Because backend does not answer without set content length if (req.method === 'DELETE') { // Only set content-length to zero if not already specified req.headers['content-length'] = req.headers['content-length'] || '0'; } // White labeled resources are based on host header req.headers['host'] = currentHost + (currentPort!==443 ? ':'+currentPort : ''); // Remove Origin header so it's not evaluated as cross-domain request req.headers['origin'] = null; // To prevent CSRF req.headers['referer'] = 'https://' + host; // Proxy received request to curret backend endpoint proxy.proxyRequest(req, res, { host: currentHost, port: currentPort, target: { // don't choke on self-signed certificates used by *.getgooddata.com rejectUnauthorized: false } }); }; requestProxy.proxy = proxy; requestProxy.setHost = function(value) { var splithost = value ? value.split(/:/) : ''; currentHost = splithost[0]; currentPort = parseInt(splithost[1] || '443', 10); }; // set the host/port combination requestProxy.setHost(host); return requestProxy; };
Set referer header to prevent CSRF
Set referer header to prevent CSRF
JavaScript
bsd-3-clause
gooddata/grunt-grizzly,crudo/grunt-grizzly
--- +++ @@ -23,6 +23,9 @@ // Remove Origin header so it's not evaluated as cross-domain request req.headers['origin'] = null; + // To prevent CSRF + req.headers['referer'] = 'https://' + host; + // Proxy received request to curret backend endpoint proxy.proxyRequest(req, res, { host: currentHost,
6e6ec8c967ddb486a979a267016e7eb2b5c7ff4d
eachSeries.js
eachSeries.js
import when from 'when'; let openFiles = ['a.js', 'b.js', 'c.js'], saveFile = (file) => { console.log('saveFile', file); return new Promise((resolve, reject) => { setTimeout( () => { console.log('timeout', file); resolve(file); }, 2000 ); }); }; let results = []; openFiles.reduce( (promise, file) => { return promise .then(saveFile.bind(null, file)) .then((result) => { results.push(result); return results; }); }, Promise.resolve() ) .then((...args) => { console.log('promise done', args); }) .catch((error) => { console.log('promise error', error); }); when.reduce(openFiles, (results, file) => { return saveFile(file) .then((result) => { results.push(result); return results; }); }, []) .then((...args) => { console.log('when done', args); }) .catch((error) => { console.log('when error', error); });
import when from 'when'; let openFiles = ['a.js', 'b.js', 'c.js'], saveFile = (file) => { console.log('saveFile', file); return new Promise((resolve, reject) => { setTimeout( () => { console.log('timeout', file); resolve(file); }, 2000 ); }); }; openFiles.reduce( (promise, file) => promise.then((results) => { return saveFile(file) .then((result) => { results.push(result); return results; }); }), Promise.resolve([]) ) .then((...args) => { console.log('promise done', args); }) .catch((error) => { console.log('promise error', error); }); when.reduce(openFiles, (results, file) => { return saveFile(file) .then((result) => { results.push(result); return results; }); }, []) .then((...args) => { console.log('when done', args); }) .catch((error) => { console.log('when error', error); });
Update each series results to be embedded in the reduce
Update each series results to be embedded in the reduce
JavaScript
mit
jgornick/asyncp
--- +++ @@ -15,17 +15,15 @@ }); }; -let results = []; openFiles.reduce( - (promise, file) => { - return promise - .then(saveFile.bind(null, file)) + (promise, file) => promise.then((results) => { + return saveFile(file) .then((result) => { results.push(result); return results; }); - }, - Promise.resolve() + }), + Promise.resolve([]) ) .then((...args) => { console.log('promise done', args);
f7d374595d08b3421f0da67932f5fcbb7a092e8d
src/lib/watch.js
src/lib/watch.js
"use strict"; var db = require("./firebase"); // Ensure the updated timestamp is always accurate-ish module.exports = function(ref) { ref.on("child_changed", function(snap) { var key = snap.key(), auth; // Avoid looping forever if(key === "updated_at" || key === "updated_by") { return; } auth = db.getAuth(); // Clean up any old updated timestamps floating around ref.child("updated").remove(); ref.child("updated_at").set(db.TIMESTAMP); ref.child("updated_by").set(auth.uid); }); };
"use strict"; var db = require("./firebase"); // Ensure the updated timestamp is always accurate-ish module.exports = function(ref) { ref.on("child_changed", function(snap) { var key = snap.key(), auth; // Avoid looping forever if(key === "updated_at" || key === "updated_by") { return; } auth = db.getAuth(); // Clean up any old updated timestamps floating around ref.child("updated").remove(); ref.update({ updated_at : db.TIMESTAMP, updated_by : auth.uid }); }); };
Convert two .set() calls into one .update()
Convert two .set() calls into one .update()
JavaScript
mit
tivac/crucible,Ryan-McMillan/crucible,kevinkace/crucible,tivac/anthracite,kevinkace/crucible,tivac/anthracite,tivac/crucible,Ryan-McMillan/crucible
--- +++ @@ -18,7 +18,9 @@ // Clean up any old updated timestamps floating around ref.child("updated").remove(); - ref.child("updated_at").set(db.TIMESTAMP); - ref.child("updated_by").set(auth.uid); + ref.update({ + updated_at : db.TIMESTAMP, + updated_by : auth.uid + }); }); };
3b0ea4f643c065a14b8bd79d27111e69d3698b2b
erisevents.js
erisevents.js
const eris = justcord.eris; const config = justcord.config; const chat = justcord.chat; eris.on("ready", () => { console.log("Justcord ready!"); // TODO: Add logging utility functions eris.createMessage(config.eris.id, "Server connected to the guild successfully!") }); eris.on("messageCreate", (message) => { if (message.channel.id == config.eris.id && message.member.id != eris.user.id) { chat.broadcast(`${message.member.nick}: ${message.content}`); console.log(`Discord: ${message.member.nick}: ${message.content}`); } });
const eris = justcord.eris; const config = justcord.config; const chat = justcord.chat; eris.on("ready", () => { console.log("Justcord ready!"); // TODO: Add logging utility functions eris.createMessage(config.eris.id, "Server connected to the guild successfully!") }); eris.on("messageCreate", (message) => { if (message.channel.id == config.eris.id && message.member.id != eris.user.id) { let name = message.member.nick; if (!name) name = message.member.user.username; chat.broadcast(`${name}: ${message.content}`); console.log(`Discord: ${name}: ${message.content}`); } });
Use username if nickname is null
Use username if nickname is null
JavaScript
mit
md678685/justcord-3
--- +++ @@ -9,7 +9,9 @@ eris.on("messageCreate", (message) => { if (message.channel.id == config.eris.id && message.member.id != eris.user.id) { - chat.broadcast(`${message.member.nick}: ${message.content}`); - console.log(`Discord: ${message.member.nick}: ${message.content}`); + let name = message.member.nick; + if (!name) name = message.member.user.username; + chat.broadcast(`${name}: ${message.content}`); + console.log(`Discord: ${name}: ${message.content}`); } });
560f6420d7681201cb404eb39e80f3000102e53c
lib/_memoize-watcher.js
lib/_memoize-watcher.js
'use strict'; var noop = require('es5-ext/function/noop') , assign = require('es5-ext/object/assign') , memoize = require('memoizee') , ee = require('event-emitter') , deferred = require('deferred') , isPromise = deferred.isPromise; module.exports = function (fn/*, options*/) { var factory, memoized; if (fn.memoized) return fn; memoized = memoize(fn, assign(Object(arguments[1]), { refCounter: true })); factory = function () { var watcher, emitter, pipe, args, def; args = arguments; watcher = memoized.apply(this, arguments); if (isPromise(watcher)) { def = deferred(); emitter = def.promise; def.resolve(watcher); } else { emitter = ee(); } pipe = ee.pipe(watcher, emitter); emitter.close = function () { emitter.close = noop; pipe.close(); if (memoized.clearRef.apply(this, args)) watcher.close(); }; return emitter; }; factory.clear = memoized.clear; factory.memoized = true; return factory; };
'use strict'; var noop = require('es5-ext/function/noop') , assign = require('es5-ext/object/assign') , memoize = require('memoizee') , ee = require('event-emitter') , eePipe = require('event-emitter/lib/pipe') , deferred = require('deferred') , isPromise = deferred.isPromise; module.exports = function (fn/*, options*/) { var factory, memoized; if (fn.memoized) return fn; memoized = memoize(fn, assign(Object(arguments[1]), { refCounter: true })); factory = function () { var watcher, emitter, pipe, args, def; args = arguments; watcher = memoized.apply(this, arguments); if (isPromise(watcher)) { def = deferred(); emitter = def.promise; def.resolve(watcher); } else { emitter = ee(); } pipe = eePipe(watcher, emitter); emitter.close = function () { emitter.close = noop; pipe.close(); if (memoized.clearRef.apply(this, args)) watcher.close(); }; return emitter; }; factory.clear = memoized.clear; factory.memoized = true; return factory; };
Update up to changes in event-emitter package
Update up to changes in event-emitter package
JavaScript
isc
medikoo/fs2
--- +++ @@ -4,6 +4,7 @@ , assign = require('es5-ext/object/assign') , memoize = require('memoizee') , ee = require('event-emitter') + , eePipe = require('event-emitter/lib/pipe') , deferred = require('deferred') , isPromise = deferred.isPromise; @@ -23,7 +24,7 @@ } else { emitter = ee(); } - pipe = ee.pipe(watcher, emitter); + pipe = eePipe(watcher, emitter); emitter.close = function () { emitter.close = noop; pipe.close();
79c32b103f5cbd76b5f9d287c89372704cfbc35e
bin/setup.js
bin/setup.js
#!/usr/bin/env node // Must symlink the generator from xtc's modules up to the project's modules. // Else Yeoman won't find it. var path = require('path') fs = require('fs') ; // process.cwd() == __dirname if ('install' === process.env.npm_lifecycle_event) { try { fs.symlinkSync(path.join(process.cwd(), '/node_modules/generator-xtc'), path.join(process.cwd(), '../generator-xtc'), 'dir'); console.log('symlink: generator-xtc into node_modules\n') } catch (e) { if (e.code === 'EEXIST') { console.info('symlink: generator-xtc already already exists node_modules\n'); } else { throw e; } } } // And of course we remove it again before xtc is uninstalled else if ('uninstall' === process.env.npm_lifecycle_event) { try { fs.unlinkSync(path.join(process.cwd(), '../generator-xtc'), 'dir'); console.log('symlink: removed generator-xtc from node_modules\n') } catch (e) { if (e.code !== 'ENOENT') { console.info('symlink: Unable to remove generator-xtc from node_modules\n'); } throw e; } }
#!/usr/bin/env node // Must symlink the generator from xtc's modules up to the project's modules. // Else Yeoman won't find it. var path = require('path') fs = require('fs') ; // process.cwd() == __dirname if ('install' === process.env.npm_lifecycle_event) { try { fs.symlinkSync(path.join(process.cwd(), '/node_modules/generator-xtc'), path.join(process.cwd(), '../generator-xtc'), 'dir'); console.log('symlink: generator-xtc into node_modules\n') } catch (e) { if (e.code === 'EEXIST') { console.info('symlink: generator-xtc already exists in node_modules\n'); } else { throw e; } } } // And of course we remove it again before xtc is uninstalled else if ('uninstall' === process.env.npm_lifecycle_event) { try { fs.unlinkSync(path.join(process.cwd(), '../generator-xtc'), 'dir'); console.log('symlink: removed generator-xtc from node_modules\n') } catch (e) { if (e.code !== 'ENOENT') { console.info('symlink: Unable to remove generator-xtc from node_modules\n'); } throw e; } }
Fix typo in error message
Fix typo in error message
JavaScript
mit
MarcDiethelm/xtc
--- +++ @@ -16,7 +16,7 @@ console.log('symlink: generator-xtc into node_modules\n') } catch (e) { if (e.code === 'EEXIST') { - console.info('symlink: generator-xtc already already exists node_modules\n'); + console.info('symlink: generator-xtc already exists in node_modules\n'); } else { throw e;
24bd88bb2965515ac7f9ffecde850e7f63ce23a5
app/scripts/app/routes/items.js
app/scripts/app/routes/items.js
var ItemsRoute = Em.Route.extend({ model: function (params) { return this.api.fetchAll('items', 'groups', params.group_id); }, setupController: function (controller, model) { // allow sub-routes to access the GroupId since it seems the dynamic segment is not available otherwise controller.set('GroupId', model.get('firstObject.GroupId')); this._super(controller, model); }, renderTemplate: function () { this.render('items', { into: 'application', outlet: 'items', }); }, actions: { refresh: function () { this.refresh(); return true; } } }); export default ItemsRoute;
var ItemsRoute = Em.Route.extend({ model: function (params) { this.set('currentGroupId', parseInt(params.group_id, 10)); return this.api.fetchAll('items', 'groups', params.group_id); }, setupController: function (controller, model) { // allow sub-routes to access the GroupId since it seems the dynamic segment is not available otherwise controller.set('GroupId', this.get('currentGroupId')); this._super(controller, model); }, renderTemplate: function () { this.render('items', { into: 'application', outlet: 'items', }); }, actions: { refresh: function () { this.refresh(); return true; } } }); export default ItemsRoute;
Fix setting GroupId on ItemsController when its model is empty
Fix setting GroupId on ItemsController when its model is empty
JavaScript
mit
darvelo/wishlist,darvelo/wishlist
--- +++ @@ -1,11 +1,12 @@ var ItemsRoute = Em.Route.extend({ model: function (params) { + this.set('currentGroupId', parseInt(params.group_id, 10)); return this.api.fetchAll('items', 'groups', params.group_id); }, setupController: function (controller, model) { // allow sub-routes to access the GroupId since it seems the dynamic segment is not available otherwise - controller.set('GroupId', model.get('firstObject.GroupId')); + controller.set('GroupId', this.get('currentGroupId')); this._super(controller, model); },
51e2104a004ca63fb1e7f5262e61441b558bd288
packages/react-native-version-check-expo/src/ExpoVersionInfo.js
packages/react-native-version-check-expo/src/ExpoVersionInfo.js
let RNVersionCheck; if (process.env.RNVC_ENV === 'test') { RNVersionCheck = { country: 'ko', packageName: 'com.reactnative.versioncheck', currentBuildNumber: 1, currentVersion: '0.0.1', }; } else { const { Platform } = require('react-native'); const { Constants, Util } = require('expo'); const { manifest = {} } = Constants; const { version = null, android: { versionCode = null, package: androidPackageName = null } = {}, ios: { bundleIdentifier = null, buildNumber = null } = {}, } = manifest; RNVersionCheck = { currentVersion: version, country: Util.getCurrentDeviceCountryAsync(), currentBuildNumber: Platform.select({ android: versionCode, ios: buildNumber, }), packageName: Platform.select({ android: androidPackageName, ios: bundleIdentifier, }), }; } const COUNTRY = RNVersionCheck.country; const PACKAGE_NAME = RNVersionCheck.packageName; const CURRENT_BUILD_NUMBER = RNVersionCheck.currentBuildNumber; const CURRENT_VERSION = RNVersionCheck.currentVersion; export default { getCountry: () => Promise.resolve(COUNTRY), getPackageName: () => PACKAGE_NAME, getCurrentBuildNumber: () => CURRENT_BUILD_NUMBER, getCurrentVersion: () => CURRENT_VERSION, };
let RNVersionCheck; if (process.env.RNVC_ENV === 'test') { RNVersionCheck = { country: 'ko', packageName: 'com.reactnative.versioncheck', currentBuildNumber: 1, currentVersion: '0.0.1', }; } else { const { Platform } = require('react-native'); const { Constants, Localization, Util } = require('expo'); const { manifest = {} } = Constants; const { version = null, android: { versionCode = null, package: androidPackageName = null } = {}, ios: { bundleIdentifier = null, buildNumber = null } = {}, } = manifest; RNVersionCheck = { currentVersion: version, country: `${Constants.expoVersion < 26 ? Util.getCurrentDeviceCountryAsync : Localization.getCurrentDeviceCountryAsync()}`, currentBuildNumber: Platform.select({ android: versionCode, ios: buildNumber, }), packageName: Platform.select({ android: androidPackageName, ios: bundleIdentifier, }), }; } const COUNTRY = RNVersionCheck.country; const PACKAGE_NAME = RNVersionCheck.packageName; const CURRENT_BUILD_NUMBER = RNVersionCheck.currentBuildNumber; const CURRENT_VERSION = RNVersionCheck.currentVersion; export default { getCountry: () => Promise.resolve(COUNTRY), getPackageName: () => PACKAGE_NAME, getCurrentBuildNumber: () => CURRENT_BUILD_NUMBER, getCurrentVersion: () => CURRENT_VERSION, };
Use `Localization.getCurrentDeviceCountryAsync` if its version of expo is over 26 since it's deprecated.
Use `Localization.getCurrentDeviceCountryAsync` if its version of expo is over 26 since it's deprecated. ref:https://github.com/expo/expo-docs/tree/master/versions/v26.0.0/sdk
JavaScript
mit
kimxogus/react-native-version-check,kimxogus/react-native-version-check,kimxogus/react-native-version-check
--- +++ @@ -8,7 +8,7 @@ }; } else { const { Platform } = require('react-native'); - const { Constants, Util } = require('expo'); + const { Constants, Localization, Util } = require('expo'); const { manifest = {} } = Constants; const { @@ -19,7 +19,7 @@ RNVersionCheck = { currentVersion: version, - country: Util.getCurrentDeviceCountryAsync(), + country: `${Constants.expoVersion < 26 ? Util.getCurrentDeviceCountryAsync : Localization.getCurrentDeviceCountryAsync()}`, currentBuildNumber: Platform.select({ android: versionCode, ios: buildNumber,
c1b67784c26c4c2658446dddbed92ef44b8bd84a
web/src/js/app/views/ViewportView.js
web/src/js/app/views/ViewportView.js
cinema.views.ViewportView = Backbone.View.extend({ initialize: function () { this.$el.html(cinema.app.templates.viewport()); this.camera = new cinema.models.CameraModel({ info: this.model }); this.renderView = new cinema.views.VisualizationCanvasWidget({ el: this.$('.c-app-renderer-container'), model: this.model, camera: this.camera }).render(); this.mouseInteractor = new cinema.utilities.RenderViewMouseInteractor({ renderView: this.renderView, camera: this.camera }).enableMouseWheelZoom({ maxZoomLevel: 10, zoomIncrement: 0.05, invertControl: false }).enableDragPan({ keyModifiers: cinema.keyModifiers.SHIFT }).enableDragRotation({ keyModifiers: null }); this.listenTo(this.camera, 'change', this._refreshCamera); }, updateQuery: function (query) { this.renderView.updateQuery(query); }, _refreshCamera: function () { this.renderView.showViewpoint(); }, });
cinema.views.ViewportView = Backbone.View.extend({ initialize: function (opts) { this.$el.html(cinema.app.templates.viewport()); this.camera = opts.camera || new cinema.models.CameraModel({ info: this.model }); this.renderView = new cinema.views.VisualizationCanvasWidget({ el: this.$('.c-app-renderer-container'), model: this.model, camera: this.camera }).render(); this.mouseInteractor = new cinema.utilities.RenderViewMouseInteractor({ renderView: this.renderView, camera: this.camera }).enableMouseWheelZoom({ maxZoomLevel: 10, zoomIncrement: 0.05, invertControl: false }).enableDragPan({ keyModifiers: cinema.keyModifiers.SHIFT }).enableDragRotation({ keyModifiers: null }); this.listenTo(this.camera, 'change', this._refreshCamera); }, updateQuery: function (query) { this.renderView.updateQuery(query); }, _refreshCamera: function () { this.renderView.showViewpoint(); } });
Allow viewport to be initialized with a pre-existing camera model
Allow viewport to be initialized with a pre-existing camera model
JavaScript
bsd-3-clause
Kitware/cinema,Kitware/cinema,Kitware/cinema,Kitware/cinema
--- +++ @@ -1,9 +1,9 @@ cinema.views.ViewportView = Backbone.View.extend({ - initialize: function () { + initialize: function (opts) { this.$el.html(cinema.app.templates.viewport()); - this.camera = new cinema.models.CameraModel({ + this.camera = opts.camera || new cinema.models.CameraModel({ info: this.model }); @@ -35,5 +35,5 @@ _refreshCamera: function () { this.renderView.showViewpoint(); - }, + } });
1c7c553128fcc842f394c429dfc28dbce934fb86
pegasus/sites.v3/code.org/public/js/applab-docs.js
pegasus/sites.v3/code.org/public/js/applab-docs.js
/*global CodeMirror*/ $(function() { $('pre').each(function() { var preElement = $(this); var code = dedent(preElement.text()).trim(); preElement.empty(); CodeMirror(this, { value: code, mode: 'javascript', lineNumbers: !preElement.is('.inline'), readOnly: true }); }); $("a[href^='http']").attr("target", "_blank"); }); function getIndent(str) { var matches = str.match(/^[\s\\t]*/gm); var indent = matches[0].length; for (var i = 1; i < matches.length; i++) { indent = Math.min(matches[i].length, indent); } return indent; } function dedent(str, pattern) { var indent = getIndent(str); var reg; if (indent === 0) { return str; } if (typeof pattern === 'string') { reg = new RegExp('^' + pattern, 'gm'); } else { reg = new RegExp('^[ \\t]{' + indent + '}', 'gm'); } return str.replace(reg, ''); }
/*global CodeMirror*/ $(function() { $('pre').each(function() { var preElement = $(this); var code = dedent(preElement.text()).trim(); preElement.empty(); CodeMirror(this, { value: code, mode: 'javascript', lineNumbers: !preElement.is('.inline'), readOnly: true }); }); $("a[href^='http']").attr("target", "_blank"); rewrite_urls(); }); /** * Our x-frame-options require that any page that is embedded * in an iframe include embedded as a query arg. */ function rewrite_urls() { var is_embedded = window.location.href.endsWith("embedded"); if (!is_embedded) { return; } $('a').each(function () { var a = this; var href = $(a).attr('href'); if (href.startsWith("/applab/docs")) { var new_href = href; if (href.indexOf("?") > -1) { new_href += "&embedded"; } else { new_href += "?embedded"; } $(a).attr('href', new_href); } }); } function getIndent(str) { var matches = str.match(/^[\s\\t]*/gm); var indent = matches[0].length; for (var i = 1; i < matches.length; i++) { indent = Math.min(matches[i].length, indent); } return indent; } function dedent(str, pattern) { var indent = getIndent(str); var reg; if (indent === 0) { return str; } if (typeof pattern === 'string') { reg = new RegExp('^' + pattern, 'gm'); } else { reg = new RegExp('^[ \\t]{' + indent + '}', 'gm'); } return str.replace(reg, ''); }
Rewrite documentation urls to forward on the embedded flag
Rewrite documentation urls to forward on the embedded flag
JavaScript
apache-2.0
rvarshney/code-dot-org,pickettd/code-dot-org,rvarshney/code-dot-org,dillia23/code-dot-org,pickettd/code-dot-org,rvarshney/code-dot-org,dillia23/code-dot-org,pickettd/code-dot-org,pickettd/code-dot-org,dillia23/code-dot-org,pickettd/code-dot-org,rvarshney/code-dot-org,dillia23/code-dot-org,pickettd/code-dot-org,rvarshney/code-dot-org,rvarshney/code-dot-org,rvarshney/code-dot-org,pickettd/code-dot-org,rvarshney/code-dot-org,pickettd/code-dot-org,dillia23/code-dot-org,dillia23/code-dot-org,dillia23/code-dot-org,dillia23/code-dot-org
--- +++ @@ -13,7 +13,34 @@ }); $("a[href^='http']").attr("target", "_blank"); + rewrite_urls(); }); + +/** + * Our x-frame-options require that any page that is embedded + * in an iframe include embedded as a query arg. + */ +function rewrite_urls() { + var is_embedded = window.location.href.endsWith("embedded"); + + if (!is_embedded) { + return; + } + + $('a').each(function () { + var a = this; + var href = $(a).attr('href'); + if (href.startsWith("/applab/docs")) { + var new_href = href; + if (href.indexOf("?") > -1) { + new_href += "&embedded"; + } else { + new_href += "?embedded"; + } + $(a).attr('href', new_href); + } + }); +} function getIndent(str) { var matches = str.match(/^[\s\\t]*/gm);
45c28fca5c5bfad96691fb61b71967f3eb38ffe6
brainfuck.js
brainfuck.js
(function(global) { 'use strict'; (function(id) { var i, j; var tab = document.getElementById(id); var thead = tab.querySelector('thead'); var tbody = tab.querySelector('tbody'); var tr, th, td; // tr = document.createElement('tr'); // th = document.createElement('td'); // tr.appendChild(th); // for (i = 0; i < 30; i++) { // th = document.createElement('th'); // th.textContent = i + 1; // tr.appendChild(th); // } // thead.appendChild(tr); for (i = 0; i < 3; i++) { tr = document.createElement('tr'); // th = document.createElement('th'); // th.textContent = i + 1; // tr.appendChild(th); for (j = 0; j < 30; j++) { td = document.createElement('td'); td.textContent = 0; tr.appendChild(td); } tbody.appendChild(tr); } })('rams'); })(this)
(function(global) { 'use strict'; (function(id) { var i, j; var tab = document.getElementById(id); var thead = tab.querySelector('thead'); var tbody = tab.querySelector('tbody'); var tr, th, td; // tr = document.createElement('tr'); // th = document.createElement('td'); // tr.appendChild(th); // for (i = 0; i < 30; i++) { // th = document.createElement('th'); // th.textContent = i + 1; // tr.appendChild(th); // } // thead.appendChild(tr); for (i = 0; i < 3; i++) { tr = document.createElement('tr'); tr.id = "row-" + i; // th = document.createElement('th'); // th.textContent = i + 1; // tr.appendChild(th); for (j = 0; j < 30; j++) { td = document.createElement('td'); td.textContent = 0; td.id = "cell-" + (i * 30 + j); tr.appendChild(td); } tbody.appendChild(tr); } })('rams'); })(this)
Add ids to the markup
Add ids to the markup
JavaScript
mit
Lexicality/esolang,Lexicality/esolang
--- +++ @@ -18,12 +18,14 @@ // thead.appendChild(tr); for (i = 0; i < 3; i++) { tr = document.createElement('tr'); + tr.id = "row-" + i; // th = document.createElement('th'); // th.textContent = i + 1; // tr.appendChild(th); for (j = 0; j < 30; j++) { td = document.createElement('td'); td.textContent = 0; + td.id = "cell-" + (i * 30 + j); tr.appendChild(td); } tbody.appendChild(tr);
2cdd929e7ee6924387e0f96a84c080d111de6604
config/secrets.js
config/secrets.js
module.exports = { db: process.env.MONGODB || process.env.MONGOHQ_URL || 'mongodb://localhost:27017/gamekeller', sessionSecret: process.env.SESSION_SECRET || 'gkdevel' }
module.exports = { db: process.env.MONGODB || 'mongodb://localhost:27017/gamekeller', sessionSecret: process.env.SESSION_SECRET || 'gkdevel' }
Remove support for MONGOHQ_URL env variable
Remove support for MONGOHQ_URL env variable
JavaScript
mit
gamekeller/next,gamekeller/next
--- +++ @@ -1,4 +1,4 @@ module.exports = { - db: process.env.MONGODB || process.env.MONGOHQ_URL || 'mongodb://localhost:27017/gamekeller', + db: process.env.MONGODB || 'mongodb://localhost:27017/gamekeller', sessionSecret: process.env.SESSION_SECRET || 'gkdevel' }
790b051f536065f97da5699f9d9332391d4ec97a
config/targets.js
config/targets.js
/* eslint-env node */ module.exports = { browsers: [ 'ie 9', 'last 1 Chrome versions', 'last 1 Firefox versions', 'last 1 Safari versions' ] };
/* eslint-env node */ // Which browsers are returned can be found at http://browserl.ist/ module.exports = { browsers: [ 'last 1 edge versions', 'last 1 chrome versions', 'firefox esr', //actually points to the last 2 ESR releases as they overlap 'last 1 safari versions', 'last 1 ios versions', 'last 1 android versions', ] };
Drop support for older browsers
Drop support for older browsers By only targeting modern evergreen browsers in our build we can significantly reduce the amount of extra code we generate to be compatible with older browsers. This will make our application smaller to download and faster to parse.
JavaScript
mit
thecoolestguy/frontend,thecoolestguy/frontend,djvoa12/frontend,ilios/frontend,dartajax/frontend,jrjohnson/frontend,dartajax/frontend,ilios/frontend,jrjohnson/frontend,djvoa12/frontend
--- +++ @@ -1,9 +1,13 @@ /* eslint-env node */ + +// Which browsers are returned can be found at http://browserl.ist/ module.exports = { browsers: [ - 'ie 9', - 'last 1 Chrome versions', - 'last 1 Firefox versions', - 'last 1 Safari versions' + 'last 1 edge versions', + 'last 1 chrome versions', + 'firefox esr', //actually points to the last 2 ESR releases as they overlap + 'last 1 safari versions', + 'last 1 ios versions', + 'last 1 android versions', ] };
7f84fd91f2196394261e287b0048ea30612858b3
index.js
index.js
var through = require('through2'); var choppa = function(chunkSize) { chunkSize = chunkSize === undefined ? 1 : chunkSize; var prev = new Buffer(0); var transform = function(chunk, enc, cb) { chunk = Buffer.concat([prev, chunk]); var self = this; if (chunkSize > 0) { while (chunk.length >= chunkSize) { self.push(chunk.slice(0, chunkSize)); chunk = chunk.slice(chunkSize); } prev = chunk; } else { while (chunk.length) { var size = Math.floor(Math.random() * chunk.length) + 1; self.push(chunk.slice(0, size)); chunk = chunk.slice(size); } } cb(); }; var flush = function(cb) { this.push(prev); cb(); }; return through(transform, flush); }; module.exports = choppa;
var through = require('through2'); var choppa = function(chunkSize) { chunkSize = chunkSize === undefined ? 1 : chunkSize; var prev = new Buffer(0); var transform = function(chunk, enc, cb) { chunk = Buffer.concat([prev, chunk]); var self = this; if (chunkSize > 0) { while (chunk.length >= chunkSize) { self.push(chunk.slice(0, chunkSize)); chunk = chunk.slice(chunkSize); } prev = chunk; } else { while (chunk.length) { var size = Math.floor(Math.random() * chunk.length) + 1; self.push(chunk.slice(0, size)); chunk = chunk.slice(size); } } cb(); }; var flush = function(cb) { this.push(prev); cb(); }; return through.obj(transform, flush); }; module.exports = choppa;
Fix async reads from the choppa.
Fix async reads from the choppa.
JavaScript
mit
sorribas/choppa
--- +++ @@ -29,7 +29,7 @@ cb(); }; - return through(transform, flush); + return through.obj(transform, flush); }; module.exports = choppa;
f5f96e1458e43f2360f16297b8e52eb71c666d8d
index.js
index.js
var aglio = require('aglio'); var through2 = require('through2'); var gutil = require('gulp-util'); var PluginError = gutil.PluginError; var defaults = require('lodash.defaults'); var path = require('path'); module.exports = function (options) { 'use strict'; // Mixes in default options. options = defaults(options || {}, { compress: false, paths: [] }); function transform(file, enc, next) { var self = this; if (file.isNull()) { self.push(file); // pass along return next(); } if (file.isStream()) { self.emit('error', new PluginError('gulp-aglio', 'Streaming not supported')); return next(); } var str = file.contents.toString('utf8'); // Clones the options object. var opts = defaults({ theme: 'default' }, options); // Injects the path of the current file. opts.filename = file.path; // Inject includePath for relative includes opts.includePath = opts.includePath || path.dirname(opts.filename); aglio.render(str, opts, function (err, html) { if (err) { self.emit('error', new PluginError('gulp-aglio', err)); } else { file.contents = new Buffer(html); file.path = gutil.replaceExtension(file.path, '.html'); self.push(file); } next(); }); } return through2.obj(transform); };
var aglio = require('aglio'); var through2 = require('through2'); var gutil = require('gulp-util'); var PluginError = gutil.PluginError; var defaults = require('lodash.defaults'); var path = require('path'); module.exports = function (options) { 'use strict'; // Mixes in default options. options = defaults(options || {}, { compress: false, paths: [] }); function transform(file, enc, next) { var self = this; if (file.isNull()) { self.push(file); // pass along return next(); } if (file.isStream()) { self.emit('error', new PluginError('gulp-aglio', 'Streaming not supported')); return next(); } var str = file.contents.toString('utf8'); // Clones the options object. var opts = defaults({ theme: 'default' }, options); // Injects the path of the current file. opts.filename = file.path; // Inject includePath for relative includes opts.includePath = opts.includePath || path.dirname(opts.filename); try { aglio.render(str, opts, function (err, html) { if (err) { self.emit('error', new PluginError('gulp-aglio', err)); } else { file.contents = new Buffer(html); file.path = gutil.replaceExtension(file.path, '.html'); self.push(file); } next(); }); } catch(err) { self.emit("error", new PluginError("gulp-aglio", err)); } } return through2.obj(transform); };
Fix error when files are not found
:bug: Fix error when files are not found Using include syntax with a wrong path resulted in a crash without emitting an error message.
JavaScript
mit
nnnnathann/gulp-aglio,nnnnathann/gulp-aglio
--- +++ @@ -38,17 +38,21 @@ // Inject includePath for relative includes opts.includePath = opts.includePath || path.dirname(opts.filename); - - aglio.render(str, opts, function (err, html) { - if (err) { - self.emit('error', new PluginError('gulp-aglio', err)); - } else { - file.contents = new Buffer(html); - file.path = gutil.replaceExtension(file.path, '.html'); - self.push(file); - } - next(); - }); + + try { + aglio.render(str, opts, function (err, html) { + if (err) { + self.emit('error', new PluginError('gulp-aglio', err)); + } else { + file.contents = new Buffer(html); + file.path = gutil.replaceExtension(file.path, '.html'); + self.push(file); + } + next(); + }); + } catch(err) { + self.emit("error", new PluginError("gulp-aglio", err)); + } } return through2.obj(transform);
43b808affcd475e7ad94e4f494c306334323dbb3
index.js
index.js
const getJSON = require('get-json'); const overpass = 'http://overpass-api.de/api/interpreter?data='; const query = '[out:json];way[%22highway%22](around:50,51.424037,-0.148666);out;'; getJSON(`${overpass}${query}`, (err, result) => { if (err) console.log(err); console.log(result); });
const getJSON = require('get-json'); const overpass = 'http://overpass-api.de/api/interpreter?data='; const lat = 51.424037; const long = -0.148666; const distance = 50; const query = `[out:json]; way["highway"](around:${distance},${lat},${long}); out;`; getJSON(`${overpass}${query}`, (err, result) => { if (err) console.log(err); console.log(result); });
Use templates to cleanup query
Use templates to cleanup query
JavaScript
mit
mkhalila/nearest-roads
--- +++ @@ -1,7 +1,12 @@ const getJSON = require('get-json'); const overpass = 'http://overpass-api.de/api/interpreter?data='; -const query = '[out:json];way[%22highway%22](around:50,51.424037,-0.148666);out;'; + +const lat = 51.424037; +const long = -0.148666; +const distance = 50; + +const query = `[out:json]; way["highway"](around:${distance},${lat},${long}); out;`; getJSON(`${overpass}${query}`, (err, result) => { if (err) console.log(err);
74f1842a096c184982a94d4fc5a95c1a90d18a63
index.js
index.js
var qs = require('querystring') module.exports = function (network, url, opts) { opts = opts || {} if (!linkfor[network]) throw new Error('Unsupported network ' + network) return linkfor[network](url, opts) } var linkfor = { facebook: function (url, opts) { var share = { u: url } if (opts.t) share.t = opts.t return 'https://www.facebook.com/sharer/sharer.php?' + qs.stringify(share) }, googleplus: function (url, opts) { var share = { url: url } return 'https://plus.google.com/share?' + qs.stringify(share) }, pinterest: function (url, opts) { var share = { url: url } if (opts.media) share.media = opts.media if (opts.description) share.description = opts.description return 'http://pinterest.com/pin/create/button/?' + qs.stringify(share) }, twitter: function (url, opts) { var share = { source: url } if (opts.text) share.text = opts.text if (opts.via) share.via = opts.via return 'https://twitter.com/intent/tweet?' + qs.stringify(share) } }
var qs = require('querystring') module.exports = function (network, url, opts) { opts = opts || {} if (!linkfor[network]) throw new Error('Unsupported network ' + network) return linkfor[network](url, opts) } var linkfor = { facebook: function (url, opts) { var share = { u: url } if (opts.t) share.t = opts.t return 'https://www.facebook.com/sharer/sharer.php?' + qs.stringify(share) }, googleplus: function (url, opts) { var share = { url: url } return 'https://plus.google.com/share?' + qs.stringify(share) }, pinterest: function (url, opts) { var share = { url: url } if (opts.media) share.media = opts.media if (opts.description) share.description = opts.description return 'http://pinterest.com/pin/create/button/?' + qs.stringify(share) }, twitter: function (url, opts) { var share = { source: url } if (opts.text) share.text = opts.text if (opts.via) share.via = opts.via return 'https://twitter.com/intent/tweet?' + qs.stringify(share) } } linkfor['google+'] = linkfor.googleplus
Add google+ as alias for googleplus
Add google+ as alias for googleplus
JavaScript
mit
tableflip/share-my-url
--- +++ @@ -40,3 +40,5 @@ return 'https://twitter.com/intent/tweet?' + qs.stringify(share) } } + +linkfor['google+'] = linkfor.googleplus
64c4b12d5300c2a52b56b150f7202757c4d7c958
index.js
index.js
var _ = require('lodash'); var postcss = require('postcss'); var SEProperties = require('swedish-css-properties'); var SEValues = require('swedish-css-values'); module.exports = postcss.plugin('postcss-swedish-stylesheets', function (opts) { opts = opts || { properties: {}, values: {} }; if (_.isObject(opts.properties)) { SEProperties = _.merge(SEProperties, opts.properties); } if (_.isObject(opts.values)) { SEValues = _.merge(SEValues, opts.values); } // Work with options here return function (css) { css.walkDecls(function transformDecl(decl) { // Properties _.forEach(SEProperties, function (value, key) { if (decl.prop === value) { decl.prop = key; } }); // Values _.forEach(SEValues, function (value, key) { decl.value = decl.value.replace(value, key); }); // Important if (decl.value.indexOf('!viktigt') >= 0) { decl.value = decl.value.replace(/\s*!viktigt\s*/, ''); decl.important = true; } }); }; });
const _ = require('lodash'); const SEProperties = require('swedish-css-properties'); const SEValues = require('swedish-css-values'); const postcssSwedishStylesheets = (opts = {}) => { if (_.isObject(opts.properties)) { _.merge(SEProperties, opts.properties); } if (_.isObject(opts.values)) { _.merge(SEValues, opts.values); } return { postcssPlugin: 'postcss-swedish-stylesheets', Once(root) { root.walkDecls((decl) => { // Properties _.forEach(SEProperties, (value, key) => { if (decl.prop === value) { decl.prop = key; } }); // Values _.forEach(SEValues, (value, key) => { decl.value = decl.value.replace(value, key); }); // Important if (decl.value.indexOf('!viktigt') >= 0) { decl.value = decl.value.replace(/\s*!viktigt\s*/, ''); decl.important = true; } }); }, }; }; module.exports.postcss = true; module.exports = postcssSwedishStylesheets;
Update plugin to use PostCSS 8
feat: Update plugin to use PostCSS 8
JavaScript
mit
johnie/postcss-swedish-stylesheets
--- +++ @@ -1,45 +1,41 @@ -var _ = require('lodash'); -var postcss = require('postcss'); -var SEProperties = require('swedish-css-properties'); -var SEValues = require('swedish-css-values'); +const _ = require('lodash'); +const SEProperties = require('swedish-css-properties'); +const SEValues = require('swedish-css-values'); -module.exports = postcss.plugin('postcss-swedish-stylesheets', function (opts) { - opts = opts || { - properties: {}, - values: {} - }; +const postcssSwedishStylesheets = (opts = {}) => { + if (_.isObject(opts.properties)) { + _.merge(SEProperties, opts.properties); + } - if (_.isObject(opts.properties)) { - SEProperties = _.merge(SEProperties, opts.properties); - } + if (_.isObject(opts.values)) { + _.merge(SEValues, opts.values); + } - if (_.isObject(opts.values)) { - SEValues = _.merge(SEValues, opts.values); - } - - // Work with options here - - return function (css) { - - css.walkDecls(function transformDecl(decl) { - // Properties - _.forEach(SEProperties, function (value, key) { - if (decl.prop === value) { - decl.prop = key; - } - }); - - // Values - _.forEach(SEValues, function (value, key) { - decl.value = decl.value.replace(value, key); - }); - - // Important - if (decl.value.indexOf('!viktigt') >= 0) { - decl.value = decl.value.replace(/\s*!viktigt\s*/, ''); - decl.important = true; - } + return { + postcssPlugin: 'postcss-swedish-stylesheets', + Once(root) { + root.walkDecls((decl) => { + // Properties + _.forEach(SEProperties, (value, key) => { + if (decl.prop === value) { + decl.prop = key; + } }); - }; -}); + // Values + _.forEach(SEValues, (value, key) => { + decl.value = decl.value.replace(value, key); + }); + + // Important + if (decl.value.indexOf('!viktigt') >= 0) { + decl.value = decl.value.replace(/\s*!viktigt\s*/, ''); + decl.important = true; + } + }); + }, + }; +}; + +module.exports.postcss = true; +module.exports = postcssSwedishStylesheets;
e53f9e79ce9b90480f11341a7427e6e8a63ca65a
index.js
index.js
var exec = require('child_process').exec; module.exports = function sysPrefix() { return new Promise(function(resolve, reject) { exec('python -c \'import sys; print(sys.prefix)\'', function(err, stdout) { if (err !== null) { reject(err); } else { resolve(stdout.toString().trim()); } }); }); }
var exec = require('child_process').exec; module.exports = function sysPrefix() { return new Promise(function(resolve, reject) { exec('python -c "import sys; print(sys.prefix)"', function(err, stdout) { if (err !== null) { reject(err); } else { resolve(stdout.toString().trim()); } }); }); }
Switch to double quotes inside the exec
Switch to double quotes inside the exec This allows the exec call to work properly with Windows.
JavaScript
apache-2.0
rgbkrk/sys-prefix-promise
--- +++ @@ -1,7 +1,7 @@ var exec = require('child_process').exec; module.exports = function sysPrefix() { return new Promise(function(resolve, reject) { - exec('python -c \'import sys; print(sys.prefix)\'', + exec('python -c "import sys; print(sys.prefix)"', function(err, stdout) { if (err !== null) { reject(err);
a2ac0281ef8e4a489b87553edec11f650418ef83
index.js
index.js
const express = require('express'); const shortUrlController = require('./lib/short-url-controller.js'); const stubController = require('./lib/stub-controller.js'); const logger = require('winston'); const port = process.env.PORT || 5000; const app = express(); app.set('view engine', 'pug'); app.use('/', stubController); app.use('/new', shortUrlController); const listener = app.listen(port, () => { logger.info(`Your app is listening on port ${listener.address().port}`); });
require('dotenv').config(); const express = require('express'); const shortUrlController = require('./lib/short-url-controller.js'); const stubController = require('./lib/stub-controller.js'); const logger = require('winston'); const port = process.env.PORT || 5000; const app = express(); app.set('view engine', 'pug'); app.use('/', stubController); app.use('/new', shortUrlController); const listener = app.listen(port, () => { logger.info(`Your app is listening on port ${listener.address().port}`); });
Fix dotenv to work locally instead of just on heroku
Fix dotenv to work locally instead of just on heroku
JavaScript
mit
glynnw/url-shortener,glynnw/url-shortener
--- +++ @@ -1,3 +1,4 @@ +require('dotenv').config(); const express = require('express'); const shortUrlController = require('./lib/short-url-controller.js'); const stubController = require('./lib/stub-controller.js');
4e9b368ea408768aa52b44660b564fa23d344781
index.js
index.js
/*! * array-last <https://github.com/jonschlinkert/array-last> * * Copyright (c) 2014 Jon Schlinkert, contributors. * Licensed under the MIT license. */ var isNumber = require('is-number'); module.exports = function last(arr, n) { if (!Array.isArray(arr)) { throw new Error('expected the first argument to be an array'); } var len = arr.length; if (len === 0) { return null; } n = isNumber(n) ? +n : 1; if (n === 1 && len === 1) { return arr[0]; } var res = new Array(n); while (n--) { res[n] = arr[--len]; } return res; };
/*! * array-last <https://github.com/jonschlinkert/array-last> * * Copyright (c) 2014 Jon Schlinkert, contributors. * Licensed under the MIT license. */ var isNumber = require('is-number'); module.exports = function last(arr, n) { if (!Array.isArray(arr)) { throw new Error('expected the first argument to be an array'); } var len = arr.length; if (len === 0) { return null; } n = isNumber(n) ? +n : 1; if (n === 1) { return arr[len - 1]; } var res = new Array(n); while (n--) { res[n] = arr[--len]; } return res; };
Return a single value when n=1
Return a single value when n=1 * Worked previously: last([1], 1) === 1 * Broken previously: last([1, 2], 1) === 2
JavaScript
mit
jonschlinkert/array-last
--- +++ @@ -18,8 +18,8 @@ } n = isNumber(n) ? +n : 1; - if (n === 1 && len === 1) { - return arr[0]; + if (n === 1) { + return arr[len - 1]; } var res = new Array(n);
bb273759bbb9f9edb716fa6596477fa019057fec
index.js
index.js
/* jshint node: true */ 'use strict'; var fs = require('fs'); module.exports = { name: 'uncharted-describe-models', config: function(env, config) { if (env === 'test') { return; } if (!fs.existsSync('app/schema.json')) { throw new Error('You must include a schema.json in the root of app/'); } var schema = JSON.parse(fs.readFileSync('app/schema.json', 'utf8')); config['model-schema'] = schema; return config; }, includedCommands: function() { return { 'update-models': require('./lib/commands/update-models') }; } };
/* jshint node: true */ 'use strict'; var fs = require('fs'); module.exports = { name: 'uncharted-describe-models', config: function(env, config) { if (!fs.existsSync('app/schema.json')) { throw new Error('You must include a schema.json in the root of app/'); } var schema = JSON.parse(fs.readFileSync('app/schema.json', 'utf8')); config['model-schema'] = schema; return config; }, includedCommands: function() { return { 'update-models': require('./lib/commands/update-models') }; } };
Make sure we always load the schema, even within a test
Make sure we always load the schema, even within a test
JavaScript
mit
unchartedcode/describe-models,unchartedcode/describe-models
--- +++ @@ -7,10 +7,6 @@ name: 'uncharted-describe-models', config: function(env, config) { - if (env === 'test') { - return; - } - if (!fs.existsSync('app/schema.json')) { throw new Error('You must include a schema.json in the root of app/'); }
206a09a32b2f41f19c7340ec599e5d73e86d8cfc
index.js
index.js
var restify = require('restify'); var messenger = require('./lib/messenger'); var session = require('./lib/session'); var server = restify.createServer(); server.use(restify.queryParser()); server.use(restify.bodyParser()); server.use(restify.authorizationParser()); server.get('/', function (req, res, next) { res.send(200, {status: 'ok'}); }); server.post('/messages', function (req, res, next) { var phoneNumber = req.params.From; session.get(phoneNumber, function(err, user) { if (err) messenger.send(phoneNumber, 'There was some kind of error.') if (user) { messenger.send(phoneNumber, 'Hello, old friend.'); } else { session.set(phoneNumber, 'initial', function () { res.send(phoneNumber, 'Nice to meet you.') }) } }); res.send(200, {status: 'ok'}); }); server.listen(process.env.PORT || '3000', function() { console.log('%s listening at %s', server.name, server.url); });
var restify = require('restify'); var messenger = require('./lib/messenger'); var session = require('./lib/session'); var server = restify.createServer(); server.use(restify.queryParser()); server.use(restify.bodyParser()); server.use(restify.authorizationParser()); server.get('/', function (req, res, next) { res.send(200, {status: 'ok'}); }); server.post('/messages', function (req, res, next) { var phoneNumber = req.params.From; session.get(phoneNumber, function(err, user) { if (err) { messenger.send(phoneNumber, 'There was some kind of error.'); res.send(500, {error: 'Something went wrong.'}); } if (user) { messenger.send(phoneNumber, 'Hello, old friend.'); res.send(200); } else { session.set(phoneNumber, 'initial', function () { messenger.send(phoneNumber, 'Nice to meet you.'); res.send(200); }); } }); res.send(200, {status: 'ok'}); }); server.listen(process.env.PORT || '3000', function() { console.log('%s listening at %s', server.name, server.url); });
Send HTTP responses for all messages
Send HTTP responses for all messages
JavaScript
mpl-2.0
rockawayhelp/emergencybadges,rockawayhelp/emergencybadges
--- +++ @@ -17,13 +17,18 @@ var phoneNumber = req.params.From; session.get(phoneNumber, function(err, user) { - if (err) messenger.send(phoneNumber, 'There was some kind of error.') + if (err) { + messenger.send(phoneNumber, 'There was some kind of error.'); + res.send(500, {error: 'Something went wrong.'}); + } if (user) { messenger.send(phoneNumber, 'Hello, old friend.'); + res.send(200); } else { session.set(phoneNumber, 'initial', function () { - res.send(phoneNumber, 'Nice to meet you.') - }) + messenger.send(phoneNumber, 'Nice to meet you.'); + res.send(200); + }); } });
b069edce8a3e82dc64e34678db4dd7fe5c508aa3
index.js
index.js
// var http = require("http"); // app.set('view engine', 'html'); var express = require('express'); var app = express(); app.use(express.static(__dirname + '/views')); app.use(express.static(__dirname + '/scripts')); app.listen(3000, function () { console.log('Example app listening on port 3000!') }) app.get('/', function (req, res) { res.send('Hello World!') }) app.post('/', function (req, res) { res.send('Got a POST request') }) app.put('/user', function (req, res) { res.send('Got a PUT request at /user') }) app.delete('/user', function (req, res) { res.send('Got a DELETE request at /user') })
// var http = require("http"); // app.set('view engine', 'html'); var express = require('express'); var app = express(); app.use(express.static(__dirname + '/views')); app.use(express.static(__dirname + '/scripts')); app.listen(3000, function () { console.log('Example app listening on port 3000!') }) app.get('/', function (req, res) { res.send('Hello World!') }) app.post('/', function (req, res) { res.send('Got a POST request') }) app.put('/user', function (req, res) { res.send('Got a PUT request at /user') }) app.delete('/user', function (req, res) { res.send('Got a DELETE request at /user') }) // Route path: /users/:userId/books/:bookId // Request URL: http://localhost:3000/users/34/books/8989 // req.params: { "userId": "34", "bookId": "8989" } // To define routes with route parameters, simply specify the route parameters in the path of the route as shown below. app.get('/users/:userId/books/:bookId', function (req, res) { res.send(req.params) })
Add info on setting parameters in route
Add info on setting parameters in route
JavaScript
apache-2.0
XanderPSON/febrezehackathon,XanderPSON/febrezehackathon
--- +++ @@ -24,3 +24,12 @@ app.delete('/user', function (req, res) { res.send('Got a DELETE request at /user') }) + +// Route path: /users/:userId/books/:bookId +// Request URL: http://localhost:3000/users/34/books/8989 +// req.params: { "userId": "34", "bookId": "8989" } +// To define routes with route parameters, simply specify the route parameters in the path of the route as shown below. + +app.get('/users/:userId/books/:bookId', function (req, res) { + res.send(req.params) +})
992c7b2c2cc3f73eaef974a5c885da6fe27ebd6c
index.js
index.js
module.exports = { handlebars: require('./lib/handlebars'), marked: require('./lib/marked'), componentTemplate: 'node_modules/foundation-docs/templates/component.html', handlebarsHelpers: 'node_modules/foundation-docs/helpers/' }
var path = require('path'); var TEMPLATE_PATH = path.join(__dirname, 'templates/component.html'); var HELPERS_PATH = path.join(__dirname, 'helpers'); module.exports = { handlebars: require('./lib/handlebars'), marked: require('./lib/marked'), componentTemplate: path.relative(process.cwd(), TEMPLATE_PATH), handlebarsHelpers: path.relative(process.cwd(), HELPERS_PATH) }
Use relative paths for componentTemplate and handlebarsHelpers paths
Use relative paths for componentTemplate and handlebarsHelpers paths
JavaScript
mit
zurb/foundation-docs,zurb/foundation-docs
--- +++ @@ -1,6 +1,11 @@ +var path = require('path'); + +var TEMPLATE_PATH = path.join(__dirname, 'templates/component.html'); +var HELPERS_PATH = path.join(__dirname, 'helpers'); + module.exports = { handlebars: require('./lib/handlebars'), marked: require('./lib/marked'), - componentTemplate: 'node_modules/foundation-docs/templates/component.html', - handlebarsHelpers: 'node_modules/foundation-docs/helpers/' + componentTemplate: path.relative(process.cwd(), TEMPLATE_PATH), + handlebarsHelpers: path.relative(process.cwd(), HELPERS_PATH) }
d60976582c1c4f8035a41e59c36489f5fbe95be1
index.js
index.js
var Map = require('./lib/map'), Format = require('./lib/format'), safe64 = require('./lib/safe64'); module.exports = { Map: Map, Format: Format, safe64: safe64, pool: function(datasource) { return { create: function(callback) { var resource = new Map(datasource); resource.initialize(function(err) { if (err) throw err; callback(resource); }); }, destroy: function(resource) { resource.destroy(); } }; }, serve: function(resource, options, callback) { resource.render(options, callback); } };
var Map = require('./lib/map'), Format = require('./lib/format'), safe64 = require('./lib/safe64'); module.exports = { Map: Map, Format: Format, safe64: safe64, pool: function(datasource) { return { create: function(callback) { var resource = new Map(datasource); resource.initialize(function(err) { callback(err, resource); }); }, destroy: function(resource) { resource.destroy(); } }; }, serve: function(resource, options, callback) { resource.render(options, callback); } };
Update tilelive pool factory create method to pass errors.
Update tilelive pool factory create method to pass errors.
JavaScript
bsd-3-clause
dshorthouse/tilelive-mapnik,CartoDB/tilelive-mapnik,mapbox/tilelive-mapnik,tomhughes/tilelive-mapnik,wsw0108/tilesource-mapnik
--- +++ @@ -11,8 +11,7 @@ create: function(callback) { var resource = new Map(datasource); resource.initialize(function(err) { - if (err) throw err; - callback(resource); + callback(err, resource); }); }, destroy: function(resource) {
93d89dfef836e493dc2a13b18ff08ee6b020cc91
index.js
index.js
"use strict"; const util = require("gulp-util"); const through = require("through2"); const moment = require("moment"); module.exports = function(options) { options = options || {}; function updateDate(file, options) { const now = moment().format("YYYY/MM/DD"), regex = /Last updated: (\d{4}\/\d{2}\/\d{2})/i, prev = regex.exec(file)[1]; if (options.log) { util.log( `${util.colors.cyan("[gulp-update-humanstxt-date]")} ` + `Found the previous date to be: ${util.colors.red(prev)}. ` + `Replacing with ${util.colors.green(now)}.` ); } file = file.replace(prev, now); return file; } return through.obj(function(file, enc, cb) { if (file.isNull()) { cb(null, file); return; } if (file.isStream()) { cb(new util.PluginError("gulp-update-humanstxt-date", "Streaming not supported")); return; } try { file.contents = new Buffer(updateDate(file.contents.toString(), options)); this.push(file); } catch (err) { this.emit("error", new util.PluginError("gulp-update-humanstxt-date", err)); } cb(); }); };
"use strict"; const util = require("gulp-util"); const through = require("through2"); const moment = require("moment"); module.exports = function(options) { options = options || {}; function updateDate(file, options) { const now = moment().format("YYYY/MM/DD"), regex = /Last updated?: ?(\d{4}\/\d{2}\/\d{2})/i, prev = regex.exec(file)[1]; if (options.log) { util.log( `${util.colors.cyan("[gulp-update-humanstxt-date]")} ` + `Found the previous date to be: ${util.colors.red(prev)}. ` + `Replacing with ${util.colors.green(now)}.` ); } file = file.replace(prev, now); return file; } return through.obj(function(file, enc, cb) { if (file.isNull()) { cb(null, file); return; } if (file.isStream()) { cb(new util.PluginError("gulp-update-humanstxt-date", "Streaming not supported")); return; } try { file.contents = new Buffer(updateDate(file.contents.toString(), options)); this.push(file); } catch (err) { this.emit("error", new util.PluginError("gulp-update-humanstxt-date", err)); } cb(); }); };
Make the 'd' in 'updated' optional along with the space before the date
Make the 'd' in 'updated' optional along with the space before the date
JavaScript
mit
Pinjasaur/gulp-update-humanstxt-date
--- +++ @@ -9,7 +9,7 @@ function updateDate(file, options) { const now = moment().format("YYYY/MM/DD"), - regex = /Last updated: (\d{4}\/\d{2}\/\d{2})/i, + regex = /Last updated?: ?(\d{4}\/\d{2}\/\d{2})/i, prev = regex.exec(file)[1]; if (options.log) {
3e0998496283eb83b66f97d765e069a470f3ba5d
index.js
index.js
'use strict'; module.exports = { name: 'live-reload-middleware', serverMiddleware: function(options) { var app = options.app; options = options.options; if (options.liveReload === true) { var livereloadMiddleware = require('connect-livereload'); app.use(livereloadMiddleware({ port: options.liveReloadPort })); } } };
'use strict'; module.exports = { name: 'live-reload-middleware', serverMiddleware: function(options) { var app = options.app; options = options.options; if (options.liveReload === true) { var livereloadMiddleware = require('connect-livereload'); app.use(livereloadMiddleware({ ignore: [ /\.js(?:\?.*)?$/, /\.css(?:\?.*)$/, /\.svg(?:\?.*)$/, /\.ico(?:\?.*)$/, /\.woff(?:\?.*)$/, /\.png(?:\?.*)$/, /\.jpg(?:\?.*)$/, /\.jpeg(?:\?.*)$/, /\.ttf(?:\?.*)$/ ], port: options.liveReloadPort })); } } };
Fix ignore list to work with query string params.
Fix ignore list to work with query string params.
JavaScript
mit
jbescoyez/ember-cli-inject-live-reload,rwjblue/ember-cli-inject-live-reload,scottkidder/ember-cli-inject-live-reload
--- +++ @@ -11,6 +11,17 @@ var livereloadMiddleware = require('connect-livereload'); app.use(livereloadMiddleware({ + ignore: [ + /\.js(?:\?.*)?$/, + /\.css(?:\?.*)$/, + /\.svg(?:\?.*)$/, + /\.ico(?:\?.*)$/, + /\.woff(?:\?.*)$/, + /\.png(?:\?.*)$/, + /\.jpg(?:\?.*)$/, + /\.jpeg(?:\?.*)$/, + /\.ttf(?:\?.*)$/ + ], port: options.liveReloadPort })); }
688146ec463c255b6000ce72a4462dff1a99cb3c
gatsby-browser.js
gatsby-browser.js
import ReactGA from 'react-ga' import {config} from 'config' ReactGA.initialize(config.googleAnalyticsId); exports.onRouteUpdate = (state, page, pages) => { ReactGA.pageview(state.pathname); };
import ReactGA from 'react-ga' import {config} from 'config' ReactGA.initialize(config.googleAnalyticsId); ReactGA.plugin.require('linkid'); exports.onRouteUpdate = (state, page, pages) => { ReactGA.pageview(state.pathname); };
Add linkid to google analytics
Add linkid to google analytics
JavaScript
bsd-3-clause
tadeuzagallo/blog,tadeuzagallo/blog
--- +++ @@ -2,6 +2,7 @@ import {config} from 'config' ReactGA.initialize(config.googleAnalyticsId); +ReactGA.plugin.require('linkid'); exports.onRouteUpdate = (state, page, pages) => { ReactGA.pageview(state.pathname);
8f82186dfb27825a7b2220f9a6c3f66346f0f300
worker/web_client/JobStatus.js
worker/web_client/JobStatus.js
import JobStatus from 'girder_plugins/jobs/JobStatus'; JobStatus.registerStatus({ WORKER_FETCHING_INPUT: { value: 820, text: 'Fetching input', icon: 'icon-download', color: '#89d2e2' }, WORKER_CONVERTING_INPUT: { value: 821, text: 'Converting input', icon: 'icon-shuffle', color: '#92f5b5' }, WORKER_CONVERTING_OUTPUT: { value: 822, text: 'Converting output', icon: 'icon-shuffle', color: '#92f5b5' }, WORKER_PUSHING_OUTPUT: { value: 823, text: 'Pushing output', icon: 'icon-upload', color: '#89d2e2' } });
import JobStatus from 'girder_plugins/jobs/JobStatus'; JobStatus.registerStatus({ WORKER_FETCHING_INPUT: { value: 820, text: 'Fetching input', icon: 'icon-download', color: '#89d2e2' }, WORKER_CONVERTING_INPUT: { value: 821, text: 'Converting input', icon: 'icon-shuffle', color: '#92f5b5' }, WORKER_CONVERTING_OUTPUT: { value: 822, text: 'Converting output', icon: 'icon-shuffle', color: '#92f5b5' }, WORKER_PUSHING_OUTPUT: { value: 823, text: 'Pushing output', icon: 'icon-upload', color: '#89d2e2' }, WORKER_CANCELING: { value: 824, text: 'Canceling', icon: 'icon-cancel', color: '#f89406' } });
Add button to cancel job
WIP: Add button to cancel job
JavaScript
apache-2.0
girder/girder_worker,girder/girder_worker,girder/girder_worker
--- +++ @@ -24,5 +24,11 @@ text: 'Pushing output', icon: 'icon-upload', color: '#89d2e2' + }, + WORKER_CANCELING: { + value: 824, + text: 'Canceling', + icon: 'icon-cancel', + color: '#f89406' } });
2e8c529dee0385daf201ecb5fca2e1d4b69d9376
jest-setup.js
jest-setup.js
import Enzyme from 'enzyme'; import Adapter from 'enzyme-adapter-react-16'; // Configure Enzyme Enzyme.configure({ adapter: new Adapter() }); // Add RAF for React 16 global.requestAnimationFrame = function requestAnimationFrame(callback) { setTimeout(callback, 0); };
const Enzyme = require('enzyme'); const Adapter = require('enzyme-adapter-react-16'); // Configure Enzyme Enzyme.configure({ adapter: new Adapter() }); // Add RAF for React 16 global.requestAnimationFrame = function requestAnimationFrame(callback) { setTimeout(callback, 0); };
Use require() instead of import().
Use require() instead of import().
JavaScript
mit
milesj/build-tool-config,milesj/build-tool-config,milesj/build-tool-config
--- +++ @@ -1,5 +1,5 @@ -import Enzyme from 'enzyme'; -import Adapter from 'enzyme-adapter-react-16'; +const Enzyme = require('enzyme'); +const Adapter = require('enzyme-adapter-react-16'); // Configure Enzyme Enzyme.configure({ adapter: new Adapter() });
441dd784316cf734126b0ca95116070bd6147189
js/components.js
js/components.js
class SearchBox extends React.Component { // constructor(){ // super(); // this.state = { // searched:false; // }; // } render() { return ( <div> CLICK AND HIT ENTER TO SEARCH <form className="search-form" onSubmit={this._handleSubmit.bind(this)}> <input placeholder="search something" ref={input => this._search = input}/> <button type="submit">SEARCH HERE</button> </form> </div> ); } _handleSubmit(event) { event.preventDefault(); let search = this._search.value; let parameters = '?action=opensearch&limit=10&namespace=0&format=json&search=' var cb = '&callback=JSON_CALLBACK'; let url = 'https://en.wikipedia.org/w/api.php'+parameters+search+cb // console.log(url); $.getJSON(url); } } class SearchContainer extends React.Component { // constructor(){ // super(); // this.state = { // searches:{}; // }; // } // render() { // return ( // <div> // {searches.map(search => // <h1></h1> // <p></p> // )} // // </div> // ) // } } ReactDOM.render( <SearchBox />, document.getElementById('mainDiv') );
Write first component and start first API call
Write first component and start first API call
JavaScript
mit
scottychou/WikipediaViewer,scottychou/WikipediaViewer
--- +++ @@ -0,0 +1,53 @@ +class SearchBox extends React.Component { + // constructor(){ + // super(); + // this.state = { + // searched:false; + // }; + // } + render() { + return ( + <div> + CLICK AND HIT ENTER TO SEARCH + <form className="search-form" onSubmit={this._handleSubmit.bind(this)}> + <input placeholder="search something" ref={input => this._search = input}/> + <button type="submit">SEARCH HERE</button> + </form> + </div> + ); + } + _handleSubmit(event) { + event.preventDefault(); + let search = this._search.value; + let parameters = '?action=opensearch&limit=10&namespace=0&format=json&search=' + var cb = '&callback=JSON_CALLBACK'; + let url = 'https://en.wikipedia.org/w/api.php'+parameters+search+cb + // console.log(url); + $.getJSON(url); + } +} + +class SearchContainer extends React.Component { + // constructor(){ + // super(); + // this.state = { + // searches:{}; + // }; + // } + // render() { + // return ( + // <div> + // {searches.map(search => + // <h1></h1> + // <p></p> + // )} + // + // </div> + // ) + // } +} + + +ReactDOM.render( + <SearchBox />, document.getElementById('mainDiv') +);
a1e21bd2df72b0bfd54d2d5ecdab766d6390f785
packages/core/lib/commands/db/commands/serve.js
packages/core/lib/commands/db/commands/serve.js
const command = { command: "serve", description: "Start Truffle's GraphQL UI playground", builder: {}, help: { usage: "truffle db serve", options: [] }, /* This command does starts an express derived server that invokes * `process.exit()` on SIGINT. As a result there is no need to invoke * truffle's own `process.exit()` which is triggered by invoking the `done` * callback. * * Todo: blacklist this command for REPLs */ run: async function(argv) { const Config = require("@truffle/config"); const { playgroundServer } = require("truffle-db"); const config = Config.detect(argv); const port = (config.db && config.db.PORT) || 4444; const { url } = await playgroundServer(config).listen({ port }); console.log(`🚀 Playground listening at ${url}`); console.log(`ℹ Press Ctrl-C to exit`); } }; module.exports = command;
const command = { command: "serve", description: "Start Truffle's GraphQL UI playground", builder: {}, help: { usage: "truffle db serve", options: [] }, /* This command does starts an express derived server that invokes * `process.exit()` on SIGINT. As a result there is no need to invoke * truffle's own `process.exit()` which is triggered by invoking the `done` * callback. * * Todo: blacklist this command for REPLs */ run: async function(argv) { const Config = require("@truffle/config"); const { playgroundServer } = require("truffle-db"); const config = Config.detect(argv); const port = (config.db && config.db.port) || 4444; const { url } = await playgroundServer(config).listen({ port }); console.log(`🚀 Playground listening at ${url}`); console.log(`ℹ Press Ctrl-C to exit`); } }; module.exports = command;
Make the port attribute lowercase
Make the port attribute lowercase ``` // truffle-config.js { // ... db: { port: 69420 } } ```
JavaScript
mit
ConsenSys/truffle
--- +++ @@ -19,7 +19,7 @@ const { playgroundServer } = require("truffle-db"); const config = Config.detect(argv); - const port = (config.db && config.db.PORT) || 4444; + const port = (config.db && config.db.port) || 4444; const { url } = await playgroundServer(config).listen({ port });
b0ae69002cb6b5e9b3a2e7bee82c5fea1cd6677f
client/index.js
client/index.js
import React from 'react' import ReactDOM from 'react-dom' import { AppContainer } from 'react-hot-loader' import App from './containers/App' ReactDOM.render( <AppContainer> <App/> </AppContainer>, document.getElementById('root') ) if (module.hot) { module.hot.accept('./containers/App', () => { // If you use Webpack 2 in ES modules mode, you can // use <App /> here rather than require() a <NextApp />. const NextApp = require('./containers/App').default ReactDOM.render( <AppContainer> <NextApp/> </AppContainer>, document.getElementById('root') ) }) }
import React from 'react' import ReactDOM from 'react-dom' import { AppContainer } from 'react-hot-loader' import App from './containers/App' ReactDOM.render( <AppContainer> <App/> </AppContainer>, document.getElementById('root') ) if (module.hot) { module.hot.accept('./containers/App', () => { // If you use Webpack 2 in ES modules mode, you can // use <App /> here rather than require() a <NextApp />. const NextApp = require('./containers/App').default ReactDOM.render( <AppContainer> <NextApp/> </AppContainer>, document.getElementById('root') ) }) }
Add line break at end of file
Add line break at end of file
JavaScript
mit
shinosakarb/tebukuro-client
6cacd255d4c963af7454da36656926f213b676f8
client/index.js
client/index.js
require('jquery') require('expose?$!expose?jQuery!jquery') require("bootstrap-webpack") require('./less/index.less')
require('jquery') require('expose?$!expose?jQuery!jquery') require("bootstrap-webpack") require('./less/index.less') $.get('http://10.90.100.1:8080/signalk/v1/api/vessels/self/navigation/position') .then(res => $.get(`http://www.tuuleeko.fi:8000/nearest-station?lat=${res.latitude}&lon=${res.longitude}`)) .then(station => { $.get(`http://www.tuuleeko.fi:8000/observations?geoid=${station.geoid}`) .then(stationObservations => { var obs = stationObservations.observations[stationObservations.observations.length - 1] var forecastHtml = ` <h3>${stationObservations.name} (${(station.distanceMeters / 1000).toFixed(1)} km)</h3> <table class='table'> <tr><th>Wind direction</th><th>Wind speed</th><th>Wind gusts</th></tr> <tr><td>${obs.windDir}°</td><td>${obs.windSpeedMs} m/s</td><td>${obs.windGustMs} m/s</td></tr> </table>` $('body').append(forecastHtml) }) })
Add POC for showing the closes weather observation data
Add POC for showing the closes weather observation data
JavaScript
apache-2.0
chacal/nrf-sensor-receiver,chacal/nrf-sensor-receiver,chacal/nrf-sensor-receiver
--- +++ @@ -2,3 +2,19 @@ require('expose?$!expose?jQuery!jquery') require("bootstrap-webpack") require('./less/index.less') + +$.get('http://10.90.100.1:8080/signalk/v1/api/vessels/self/navigation/position') + .then(res => $.get(`http://www.tuuleeko.fi:8000/nearest-station?lat=${res.latitude}&lon=${res.longitude}`)) + .then(station => { + $.get(`http://www.tuuleeko.fi:8000/observations?geoid=${station.geoid}`) + .then(stationObservations => { + var obs = stationObservations.observations[stationObservations.observations.length - 1] + var forecastHtml = ` + <h3>${stationObservations.name} (${(station.distanceMeters / 1000).toFixed(1)} km)</h3> + <table class='table'> + <tr><th>Wind direction</th><th>Wind speed</th><th>Wind gusts</th></tr> + <tr><td>${obs.windDir}°</td><td>${obs.windSpeedMs} m/s</td><td>${obs.windGustMs} m/s</td></tr> + </table>` + $('body').append(forecastHtml) + }) + })
b5e2e552814b00858fce4fa844d326e6b3d81bc0
src/index.js
src/index.js
import * as path from 'path'; import {fs} from 'node-promise-es6'; import * as fse from 'fs-extra-promise-es6'; export default class { constructor(basePath) { this.basePath = path.resolve(basePath); } async create() { await fse.mkdirs(this.basePath); } path(...components) { return path.resolve(this.basePath, ...components); } async remove() { await fse.remove(this.path()); } async write(files) { for (const file of Object.keys(files)) { const filePath = this.path(file); const fileContents = files[file]; await fse.ensureFile(filePath); if (typeof fileContents === 'object') { await fse.writeJson(filePath, fileContents); } else { const reindentedFileContents = fileContents .split('\n') .filter((line, index, array) => index !== 0 && index !== array.length - 1 || line.trim() !== '') .reduce(({indentation, contents}, line) => { const whitespaceToRemove = Number.isInteger(indentation) ? indentation : line.match(/^\s*/)[0].length; return { indentation: whitespaceToRemove, contents: `${contents}${line.slice(whitespaceToRemove)}\n` }; }, {contents: ''}).contents; await fs.writeFile(filePath, reindentedFileContents); } } } }
import * as path from 'path'; import {fs} from 'node-promise-es6'; import * as fse from 'fs-extra-promise-es6'; export default class { constructor(basePath) { this.basePath = path.resolve(basePath); } async create() { await fse.mkdirs(this.basePath); } path(...components) { return path.resolve(this.basePath, ...components); } async remove() { await fse.remove(this.path()); } async write(files) { for (const [filePath, fileContents] of Object.entries(files)) { const absoluteFilePath = this.path(filePath); await fse.ensureFile(absoluteFilePath); if (typeof fileContents === 'object') { await fse.writeJson(absoluteFilePath, fileContents); } else { const reindentedFileContents = fileContents .split('\n') .filter((line, index, array) => index !== 0 && index !== array.length - 1 || line.trim() !== '') .reduce(({indentation, contents}, line) => { const whitespaceToRemove = Number.isInteger(indentation) ? indentation : line.match(/^\s*/)[0].length; return { indentation: whitespaceToRemove, contents: `${contents}${line.slice(whitespaceToRemove)}\n` }; }, {contents: ''}).contents; await fs.writeFile(absoluteFilePath, reindentedFileContents); } } } }
Use Object.entries instead of Object.keys
Use Object.entries instead of Object.keys
JavaScript
mit
vinsonchuong/directory-helpers
--- +++ @@ -20,14 +20,13 @@ } async write(files) { - for (const file of Object.keys(files)) { - const filePath = this.path(file); - const fileContents = files[file]; + for (const [filePath, fileContents] of Object.entries(files)) { + const absoluteFilePath = this.path(filePath); - await fse.ensureFile(filePath); + await fse.ensureFile(absoluteFilePath); if (typeof fileContents === 'object') { - await fse.writeJson(filePath, fileContents); + await fse.writeJson(absoluteFilePath, fileContents); } else { const reindentedFileContents = fileContents .split('\n') @@ -42,7 +41,7 @@ contents: `${contents}${line.slice(whitespaceToRemove)}\n` }; }, {contents: ''}).contents; - await fs.writeFile(filePath, reindentedFileContents); + await fs.writeFile(absoluteFilePath, reindentedFileContents); } } }
c9e44c6d990f95bb7e92bfa97fc0a74bf636c290
app/templates/tasks/utils/notify-style-lint.js
app/templates/tasks/utils/notify-style-lint.js
var notify = require("./notify"); module.exports = function notifyStyleLint (stdout) { var messages = stdout.split("\n"); messages.pop(); // Remove last empty new message. if(0 < messages.length) { var message = "{{length}} lint warning(s) found.".replace(/{{length}}/g, messages.length); notify.showNotification({ subtitle: "Task style:lint", message: message, appIcon: notify.appIcon.sass }); } };
var notify = require("./notify"); var util = require("util"); module.exports = function notifyStyleLint (stdout) { var messages = stdout.split("\n"); messages.pop(); // Remove last empty new message. if(0 < messages.length) { var message = util.format("%d lint warning(s) found.", messages.length); notify.showNotification({ subtitle: "Task style:lint", message: message, appIcon: notify.appIcon.sass }); } };
Use built-in utils to format the string.
Use built-in utils to format the string.
JavaScript
mit
rishabhsrao/generator-ironhide-webapp,rishabhsrao/generator-ironhide-webapp,rishabhsrao/generator-ironhide-webapp
--- +++ @@ -1,4 +1,5 @@ var notify = require("./notify"); +var util = require("util"); module.exports = function notifyStyleLint (stdout) { var messages = stdout.split("\n"); @@ -6,7 +7,7 @@ messages.pop(); // Remove last empty new message. if(0 < messages.length) { - var message = "{{length}} lint warning(s) found.".replace(/{{length}}/g, messages.length); + var message = util.format("%d lint warning(s) found.", messages.length); notify.showNotification({ subtitle: "Task style:lint",
b656897309110504fbc52e2c2048ed5dc3d17e23
js/sinbad-app.js
js/sinbad-app.js
appRun(); function appRun() { $(document).ready(function() { console.log("READY"); $(".loading").hide(); $(".complete").show(); //PAGE SWIPES $(document).on('pageinit', function(event){ $('.pages').on("swipeleft", function () { var nextpage = $(this).next('div[data-role="page"]'); if (nextpage.length > 0) { $.mobile.changePage(nextpage, {transition: "slide", changeHash:false }); } }); $('.pages').on("swiperight", function () { var prevpage = $(this).prev('div[data-role="page"]'); if (prevpage.length > 0) { $.mobile.changePage(prevpage, { transition: "slide", reverse: true, changeHash: false }); } }); }); }); }
appRun(); function appRun() { $(document).ready(function() { console.log("READY"); $(".loading").hide(); $(".complete").show(); //PAGE SWIPES $(document).on('pageinit', function(event){ $('.pages').on("swipeleft", function () { var nextpage = $(this).next('div[data-role="page"]'); if (nextpage.length > 0) { $.mobile.changePage(nextpage, {transition: "slide", changeHash:false }); } }); $('.pages').on("swiperight", function () { var prevpage = $(this).prev('div[data-role="page"]'); if (prevpage.length > 0) { $.mobile.changePage(prevpage, { transition: "slide", reverse: true, changeHash: false }); } }); }); //DRAG AND DROP //initialize dragging $("#watercolor").draggable( { revert: true, cursor: 'move', } ); $("#leaves").draggable( { revert: true, cursor: 'move', } ); $("#bubbles").draggable( { revert: true, cursor: 'move', } ); //initialize droppable callback $("#spritesheet").droppable({ tolerance: "pointer", drop: sinbadChange }); console.log("before droppable"); //event handler for drop event function sinbadChange(event, ui) { var currentBrush = ui.draggable.attr('id'); console.log(currentBrush); console.log("in droppable"); if (currentBrush == "watercolor") { $("#spritesheet").removeClass(); $("#spritesheet").addClass("brushfish"); console.log("DROPPED"); } else if (currentBrush == "leaves") { $("#spritesheet").removeClass(); $("#spritesheet").addClass("leaffish"); console.log("DROPPED LEAF"); } else if (currentBrush == "bubbles") { $("#spritesheet").removeClass(); $("#spritesheet").addClass("bubblefish"); console.log("DROPPED BUBBLE"); } else { $("#spritesheet").removeClass(); $("#spritesheet").addClass("plainfish"); } } // //add listener to drop event // $("spritesheet").on("drop", function(event, ui) { // }) }); //end jquery } //end appRun
Add jquery UI drag/drop functionality
Add jquery UI drag/drop functionality
JavaScript
mit
andkerel/sinbad-and-the-phonegap,andkerel/sinbad-and-the-phonegap
--- +++ @@ -25,8 +25,59 @@ }); }); + //DRAG AND DROP + + //initialize dragging + $("#watercolor").draggable( { + revert: true, + cursor: 'move', + } ); + $("#leaves").draggable( { + revert: true, + cursor: 'move', + } ); + $("#bubbles").draggable( { + revert: true, + cursor: 'move', + } ); + + //initialize droppable callback + $("#spritesheet").droppable({ + tolerance: "pointer", + drop: sinbadChange + }); + + console.log("before droppable"); + + //event handler for drop event + function sinbadChange(event, ui) { + var currentBrush = ui.draggable.attr('id'); + console.log(currentBrush); + console.log("in droppable"); + if (currentBrush == "watercolor") { + $("#spritesheet").removeClass(); + $("#spritesheet").addClass("brushfish"); + console.log("DROPPED"); + } else if (currentBrush == "leaves") { + $("#spritesheet").removeClass(); + $("#spritesheet").addClass("leaffish"); + console.log("DROPPED LEAF"); + } else if (currentBrush == "bubbles") { + $("#spritesheet").removeClass(); + $("#spritesheet").addClass("bubblefish"); + console.log("DROPPED BUBBLE"); + } else { + $("#spritesheet").removeClass(); + $("#spritesheet").addClass("plainfish"); + } + } + + // //add listener to drop event + // $("spritesheet").on("drop", function(event, ui) { + + // }) - }); + }); //end jquery -} +} //end appRun
0cb6a403de01d6dd60750ac1cc337d1c8f10177b
src/index.js
src/index.js
// @flow const promiseBindMiddleware = ( { dispatch } : { dispatch : Function }, ) => (next: Function) => (action: Object) => { if (action && action.promise && typeof action.promise === 'function') { const { type, metadata, promise, promiseArg } = action dispatch({ type: `${type}_START`, metadata, }) return promise(...(Array.isArray(promiseArg) ? promiseArg : [promiseArg])) .then((data) => { dispatch({ type: `${type}_SUCCESS`, payload: data, metadata, }) return data }, (ex) => { dispatch({ type: `${type}_ERROR`, payload: ex, metadata, }) return ex }) } return next(action) } export default promiseBindMiddleware
// @flow const extendBy = (object: Object, { metadata } : { metadata : any }) => { if (metadata) return { ...object, metadata } return object } const promiseBindMiddleware = ( { dispatch } : { dispatch : Function }, ) => (next: Function) => (action: Object) => { if (action && action.promise && typeof action.promise === 'function') { const { type, metadata, promise, promiseArg } = action dispatch(extendBy({ type: `${type}_START`, }, { metadata })) return promise(...(Array.isArray(promiseArg) ? promiseArg : [promiseArg])) .then((data) => { dispatch(extendBy({ type: `${type}_SUCCESS`, payload: data, }, { metadata })) return data }, (ex) => { dispatch(extendBy({ type: `${type}_ERROR`, payload: ex, }, { metadata })) // TODO change to throw an error return ex }) } return next(action) } export default promiseBindMiddleware
Add meted only if exist
Add meted only if exist
JavaScript
mit
machnicki/redux-promise-bind
--- +++ @@ -1,31 +1,35 @@ // @flow + +const extendBy = (object: Object, { metadata } : { metadata : any }) => { + if (metadata) return { ...object, metadata } + return object +} + const promiseBindMiddleware = ( { dispatch } : { dispatch : Function }, ) => (next: Function) => (action: Object) => { if (action && action.promise && typeof action.promise === 'function') { const { type, metadata, promise, promiseArg } = action - dispatch({ + dispatch(extendBy({ type: `${type}_START`, - metadata, - }) + }, { metadata })) return promise(...(Array.isArray(promiseArg) ? promiseArg : [promiseArg])) .then((data) => { - dispatch({ + dispatch(extendBy({ type: `${type}_SUCCESS`, payload: data, - metadata, - }) + }, { metadata })) return data }, (ex) => { - dispatch({ + dispatch(extendBy({ type: `${type}_ERROR`, payload: ex, - metadata, - }) + }, { metadata })) + // TODO change to throw an error return ex }) }
a549e6988de5071dbbf397c5fd1f894f5ad0a8f7
assets/js/util/tracking/createDataLayerPush.js
assets/js/util/tracking/createDataLayerPush.js
/** * Internal dependencies */ import { DATA_LAYER } from './index.private'; /** * Returns a function which, when invoked will initialize the dataLayer and push data onto it. * * @param {Object} target Object to enhance with dataLayer data. * @return {Function} Function that pushes data onto the dataLayer. */ export default function createDataLayerPush( target ) { /** * Pushes data onto the data layer. * * @param {...any} args Arguments to push onto the data layer. */ return function dataLayerPush( ...args ) { target[ DATA_LAYER ] = target[ DATA_LAYER ] || []; target[ DATA_LAYER ].push( args ); }; }
/** * Internal dependencies */ import { DATA_LAYER } from './index.private'; /** * Returns a function which, when invoked will initialize the dataLayer and push data onto it. * * @param {Object} target Object to enhance with dataLayer data. * @return {Function} Function that pushes data onto the dataLayer. */ export default function createDataLayerPush( target ) { /** * Pushes data onto the data layer. * Must use `arguments` internally. */ return function dataLayerPush() { target[ DATA_LAYER ] = target[ DATA_LAYER ] || []; target[ DATA_LAYER ].push( arguments ); }; }
Refactor dataLayerPush to use func.arguments.
Refactor dataLayerPush to use func.arguments.
JavaScript
apache-2.0
google/site-kit-wp,google/site-kit-wp,google/site-kit-wp,google/site-kit-wp
--- +++ @@ -13,11 +13,10 @@ export default function createDataLayerPush( target ) { /** * Pushes data onto the data layer. - * - * @param {...any} args Arguments to push onto the data layer. + * Must use `arguments` internally. */ - return function dataLayerPush( ...args ) { + return function dataLayerPush() { target[ DATA_LAYER ] = target[ DATA_LAYER ] || []; - target[ DATA_LAYER ].push( args ); + target[ DATA_LAYER ].push( arguments ); }; }
f6cb55ec87878fdd2849dc4ba5ea6bd19b6c96c0
Analyser/src/Models/FnModels.js
Analyser/src/Models/FnModels.js
export default function(state, ctx, model, helpers) { const ConcretizeIfNative = helpers.ConcretizeIfNative; //TODO: Test IsNative for apply, bind & call model.add(Function.prototype.apply, ConcretizeIfNative(Function.prototype.apply)); model.add(Function.prototype.call, ConcretizeIfNative(Function.prototype.call)); model.add(Function.prototype.bind, ConcretizeIfNative(Function.prototype.bind)); model.add(Object.prototype.hasOwnProperty, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } Function.prototype.hasOwnProperty.apply(state.getConcrete(base), args); }); model.add(Object.prototype.keys, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } return Object.prototype.keys.apply(this.getConcrete(base), args); }); model.add(console.log, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } console.log.apply(base, args); }); }
export default function(state, ctx, model, helpers) { const ConcretizeIfNative = helpers.ConcretizeIfNative; //TODO: Test IsNative for apply, bind & call model.add(Function.prototype.apply, ConcretizeIfNative(Function.prototype.apply)); model.add(Function.prototype.call, ConcretizeIfNative(Function.prototype.call)); model.add(Function.prototype.bind, ConcretizeIfNative(Function.prototype.bind)); model.add(Object.prototype.hasOwnProperty, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } Function.prototype.hasOwnProperty.apply(state.getConcrete(base), args); }); model.add(Object.prototype.keys, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } return Object.prototype.keys.apply(this.getConcrete(base), args); }); model.add(Object.assign, (base, args) => { return Object.assign.call(base, this.getConcrete(args[0]), this.getConcrete(args[1])); }); model.add(console.log, function(base, args) { for (let i = 0; i < args.length; i++) { args[i] = state.getConcrete(args[i]); } console.log.apply(base, args); }); }
Add a model for Object.assign
Add a model for Object.assign
JavaScript
mit
ExpoSEJS/ExpoSE,ExpoSEJS/ExpoSE,ExpoSEJS/ExpoSE
--- +++ @@ -24,6 +24,10 @@ return Object.prototype.keys.apply(this.getConcrete(base), args); }); + + model.add(Object.assign, (base, args) => { + return Object.assign.call(base, this.getConcrete(args[0]), this.getConcrete(args[1])); + }); model.add(console.log, function(base, args) {
001259b0263e6b2534b0efdc9a3b6936965bf9b8
config/nconf.js
config/nconf.js
var nconf = require('nconf'); nconf .env() .file({ file: './gateway.json' }); nconf.defaults({ 'RIPPLE_REST_API': 'http://localhost:5990', 'DATABASE_URL': 'postgres://username:password@localhost/ripple_gateway' }); module.exports = nconf;
var nconf = require('nconf'); nconf .env() .file({ file: './config/config.json' }); nconf.defaults({ 'RIPPLE_REST_API': 'http://localhost:5990', 'DATABASE_URL': 'postgres://username:password@localhost/ripple_gateway' }); module.exports = nconf;
Move config file from gateway to config/config
[FEATURE] Move config file from gateway to config/config
JavaScript
isc
whotooktwarden/gatewayd,crazyquark/gatewayd,Parkjeahwan/awegeeks,zealord/gatewayd,Parkjeahwan/awegeeks,xdv/gatewayd,whotooktwarden/gatewayd,crazyquark/gatewayd,zealord/gatewayd,xdv/gatewayd
--- +++ @@ -2,7 +2,7 @@ nconf .env() - .file({ file: './gateway.json' }); + .file({ file: './config/config.json' }); nconf.defaults({ 'RIPPLE_REST_API': 'http://localhost:5990',
b9ef8725552b57061865e73ca54b901bdf773465
app/js/app.js
app/js/app.js
//onReady $(function() { //temporary testing functionality $('#refreshBtn').on('click', function() { updateStreams(); }); }); function updateStreams() { // Clear out the stale data $('#mainContainer').html(""); // And fetch the fresh var streamList = $('#streamList').val().split('\n'); for (var i = 0, len = streamList.length; i < len; i++) { fetchStreamData(streamList[i]); } } function fetchStreamData( streamName ) { $.getJSON('https://api.twitch.tv/kraken/streams/' + streamName + '?callback=?', function(data){ var streamObj = {}; streamObj.streamName = data.stream.channel.display_name; streamObj.preview = data.stream.preview.medium; streamObj.status = data.stream.channel.status; streamObj.logo = data.stream.channel.logo; streamObj.url = data.stream._links.self; displayStream(streamObj); }); } function displayStream( streamObj ) { $('#mainContainer').append( '<div class="twitchContainer col-xs-12 col-sm-4">' + '<img class="streamLogo" src="' + streamObj.logo + '" alt="logo">' + '<h2>' + streamObj.streamName + '</h2>' + '<p>' + streamObj.status + '</p>' + '</div>' ); }
//onReady $(function() { //temporary testing functionality $('#refreshBtn').on('click', function() { updateStreams(); }); }); function updateStreams() { // Clear out the stale data $('#mainContainer').html(""); // And fetch the fresh var streamList = $('#streamList').val().split('\n'); for (var i = 0, len = streamList.length; i < len; i++) { fetchStreamData(streamList[i]); } } function fetchStreamData( streamName ) { $.getJSON('https://api.twitch.tv/kraken/streams/' + streamName + '?callback=?', function(data){ var streamObj = {}; streamObj.streamName = data.stream.channel.display_name; streamObj.preview = data.stream.preview.medium; streamObj.status = data.stream.channel.status; streamObj.logo = data.stream.channel.logo; streamObj.url = data.stream.channel.url; displayStream(streamObj); }); } function displayStream( streamObj ) { $('<div class="twitchContainer col-xs-12 col-sm-4">' + '<img class="streamLogo" src="' + streamObj.logo + '" alt="logo">' + '<h2>' + streamObj.streamName + '</h2>' + '<p>' + streamObj.status + '</p>' + '</div>' ) .css('background-image', 'url(' + streamObj.preview + ')') .on('click', function() { window.open(streamObj.url, '_blank'); }) .appendTo($('#mainContainer')); }
Refactor displayStream. Add background-image and onClick
Refactor displayStream. Add background-image and onClick
JavaScript
mit
xipxoom/fcc-twitch_status,xipxoom/fcc-twitch_status
--- +++ @@ -24,18 +24,22 @@ streamObj.preview = data.stream.preview.medium; streamObj.status = data.stream.channel.status; streamObj.logo = data.stream.channel.logo; - streamObj.url = data.stream._links.self; + streamObj.url = data.stream.channel.url; displayStream(streamObj); }); } function displayStream( streamObj ) { - $('#mainContainer').append( - '<div class="twitchContainer col-xs-12 col-sm-4">' + - '<img class="streamLogo" src="' + streamObj.logo + '" alt="logo">' + - '<h2>' + streamObj.streamName + '</h2>' + - '<p>' + streamObj.status + '</p>' + - '</div>' - ); + $('<div class="twitchContainer col-xs-12 col-sm-4">' + + '<img class="streamLogo" src="' + streamObj.logo + '" alt="logo">' + + '<h2>' + streamObj.streamName + '</h2>' + + '<p>' + streamObj.status + '</p>' + + '</div>' + ) + .css('background-image', 'url(' + streamObj.preview + ')') + .on('click', function() { + window.open(streamObj.url, '_blank'); + }) + .appendTo($('#mainContainer')); }
bf80fe88a9966d70d94bd567f60805be396fb375
examples/app/main.js
examples/app/main.js
/** * Created by leojin on 3/20/16. */ import ReactDom from 'react-dom'; import React from 'react'; import App from './App'; ReactDom.render(<App/>, document.getElementById("examples"));
/** * Created by leojin on 3/20/16. */ import ReactDom from 'react-dom'; import React from 'react'; import App from './app'; ReactDom.render(<App/>, document.getElementById("examples"));
Fix file name case on example import
Fix file name case on example import
JavaScript
mit
dougcalobrisi/react-jointjs
--- +++ @@ -3,6 +3,6 @@ */ import ReactDom from 'react-dom'; import React from 'react'; -import App from './App'; +import App from './app'; ReactDom.render(<App/>, document.getElementById("examples"));
00211245eafbd799b7feda2076d6a84a981e41ad
index.js
index.js
'use strict'; var assign = require('object-assign'); var Filter = require('broccoli-filter'); var Rework = require('rework'); /** * Initialize `ReworkFilter` with options * * @param {Object} inputTree * @param {Object} opts * @api public */ function ReworkFilter(inputTree, opts) { if (!(this instanceof ReworkFilter)) { return new ReworkFilter(inputTree, opts); } this.inputTree = inputTree; this.opts = opts || {}; } /** * Create object */ ReworkFilter.prototype = Object.create(Filter.prototype); ReworkFilter.prototype.constructor = ReworkFilter; /** * Extensions */ ReworkFilter.prototype.extensions = ['css']; ReworkFilter.prototype.targetExtension = 'css'; /** * Process CSS * * @param {String} str * @api public */ ReworkFilter.prototype.processString = function (str) { var rework = new Rework(str); if (this.opts.use) { this.opts.use(rework); } return rework.toString(this.opts); }; /** * Module exports */ module.exports = ReworkFilter; /** * Mixin the rework built-in plugins */ delete Rework.properties; assign(module.exports, Rework);
'use strict'; var assign = require('object-assign'); var Filter = require('broccoli-filter'); var Rework = require('rework'); /** * Initialize `ReworkFilter` with options * * @param {Object} inputTree * @param {Object} opts * @api public */ function ReworkFilter(inputTree, opts) { if (!(this instanceof ReworkFilter)) { return new ReworkFilter(inputTree, opts); } this.inputTree = inputTree; this.opts = opts || {}; } /** * Create object */ ReworkFilter.prototype = Object.create(Filter.prototype); ReworkFilter.prototype.constructor = ReworkFilter; /** * Extensions */ ReworkFilter.prototype.extensions = ['css']; ReworkFilter.prototype.targetExtension = 'css'; /** * Process CSS * * @param {String} str * @api public */ ReworkFilter.prototype.processString = function (str, relativePath) { var rework = new Rework(str, { source: relativePath }); if (this.opts.use) { this.opts.use(rework); } return rework.toString(this.opts); }; /** * Module exports */ module.exports = ReworkFilter; /** * Mixin the rework built-in plugins */ delete Rework.properties; assign(module.exports, Rework);
Set rework `source` from `relativePath`
Set rework `source` from `relativePath` This will enable sourcemaps generated from rework to refer to the source by its name, versus the generic `source.css`.
JavaScript
mit
kevva/broccoli-rework
--- +++ @@ -42,8 +42,10 @@ * @api public */ -ReworkFilter.prototype.processString = function (str) { - var rework = new Rework(str); +ReworkFilter.prototype.processString = function (str, relativePath) { + var rework = new Rework(str, { + source: relativePath + }); if (this.opts.use) { this.opts.use(rework);
828aba16dfb4273329392c369bf637897b80ec87
index.js
index.js
'use strict' var document = require('global/document') var Loop = require('main-loop') var virtualDom = require('virtual-dom') var assert = require('assert') var partial = require('ap').partial var Delegator = require('dom-delegator') // Instantiate a DOM delegator once, since it caches itself Delegator() exports.createComponent = createComponent function createComponent (Component, data, callback) { assert(Component, 'Component is required') if (arguments.length < 2) return partial(createComponent, Component) if (typeof data === 'function') { callback = data data = undefined } // Call the component constructor to get a new state var state = Component(data) // Add an element for later use var div = document.createElement('div') document.body.appendChild(div) // create a raf rendering loop and add the target element to the dom var loop = Loop(state(), Component.render, virtualDom) div.appendChild(loop.target) // update the loop whenever the state changes state(loop.update) return callback(state, loop.target, destroy) function destroy () { // remove the element from the DOM document.body.removeChild(div) } }
'use strict' var document = require('global/document') var Loop = require('main-loop') var virtualDom = require('virtual-dom') var assert = require('assert') var partial = require('ap').partial var Delegator = require('dom-delegator') // Instantiate a DOM delegator once, since it caches itself Delegator() exports.createComponent = createComponent function createComponent (Component, data, callback) { assert(Component, 'Component is required') if (arguments.length < 2) return partial(createComponent, Component) if (typeof data === 'function') { callback = data data = undefined } // Call the component constructor to get a new state var state = Component(data) // Add an element for later use var div = document.createElement('div') div.style.height = '100%' document.body.appendChild(div) // create a raf rendering loop and add the target element to the dom var loop = Loop(state(), Component.render, virtualDom) div.appendChild(loop.target) // update the loop whenever the state changes state(loop.update) return callback(state, loop.target, destroy) function destroy () { // remove the element from the DOM document.body.removeChild(div) } }
Set component div to 100% height
Set component div to 100% height
JavaScript
mit
bendrucker/thermometer
--- +++ @@ -26,6 +26,7 @@ // Add an element for later use var div = document.createElement('div') + div.style.height = '100%' document.body.appendChild(div) // create a raf rendering loop and add the target element to the dom
db8e102e618ef8b49a4887523da6563146a3ea91
index.js
index.js
export class DecoratorUtils { static declarationType = [ "CLASS", "CLASS_METHOD", "CLASS_ACCESSOR", "OBJECT_LITERAL_METHOD", "OBJECT_LITERAL_ACCESSOR" ].reduce((obj, name) => { return Object.defineProperty(obj, name, { value: Symbol(name) }); }, {}) static getDeclarationType(args) { let [target, name, descriptor] = Array.slice(args); if (args.length === 1 && typeof target === "function") { return DecoratorUtils.declarationType.CLASS; } else if (args.length === 3 && typeof target === "object" && typeof target.constructor === "function") { let isObjectLiteral = target.constructor.name === "Object"; let isAccessor = descriptor.get || descriptor.set; return DecoratorUtils.declarationType[`${isObjectLiteral ? "OBJECT_LITERAL" : "CLASS"}_${isAccessor ? "ACCESSOR" : "METHOD"}`]; } return null; } };
export class DecoratorUtils { static declarationType = [ "CLASS", "CLASS_METHOD", "CLASS_ACCESSOR", "OBJECT_LITERAL_METHOD", "OBJECT_LITERAL_ACCESSOR" ].reduce((obj, name) => { return Object.defineProperty(obj, name, { value: Symbol(name) }); }, {}) static getDeclarationType(args) { let [target, name, descriptor] = Array.slice(args); if (args.length === 1 && typeof target === "function") { return DecoratorUtils.declarationType.CLASS; } else if (args.length === 3 && typeof target === "object" && typeof target.constructor === "function") { let isObjectLiteral = target.constructor.name === "Object"; let isAccessor = descriptor.get || descriptor.set; return DecoratorUtils.declarationType[`${isObjectLiteral ? "OBJECT_LITERAL" : "CLASS"}_${isAccessor ? "ACCESSOR" : "METHOD"}`]; } throw new Error("Invalid declaration type."); } };
Throw an error for invalid declaration types
Throw an error for invalid declaration types
JavaScript
mit
lukehorvat/decorator-utils
--- +++ @@ -20,6 +20,6 @@ return DecoratorUtils.declarationType[`${isObjectLiteral ? "OBJECT_LITERAL" : "CLASS"}_${isAccessor ? "ACCESSOR" : "METHOD"}`]; } - return null; + throw new Error("Invalid declaration type."); } };
5c4f313e3aff67e71dca344ef46a7cb25851b525
jujugui/static/gui/src/app/components/dropdown-menu/test-dropdown-menu.js
jujugui/static/gui/src/app/components/dropdown-menu/test-dropdown-menu.js
/* Copyright (C) 2017 Canonical Ltd. */ 'use strict'; const React = require('react'); const DropdownMenu = require('./dropdown-menu'); const Panel = require('../panel/panel'); const jsTestUtils = require('../../utils/component-test-utils'); describe('Dropdown Menu', function() { function renderComponent(options={}) { return jsTestUtils.shallowRender( <DropdownMenu.WrappedComponent handleClickOutside={options.handleClickOutside}> {options.children} </DropdownMenu.WrappedComponent>, true); } it('can render', () => { const handleClickOutside = sinon.stub(); const renderer = renderComponent({ children: <li>child</li>, handleClickOutside: handleClickOutside }); const output = renderer.getRenderOutput(); const expected = ( <Panel instanceName="dropdown-menu" visible={true}> <ul className="dropdown-menu__list"> <li>child</li> </ul> </Panel> ); expect(output).toEqualJSX(expected); }); });
/* Copyright (C) 2017 Canonical Ltd. */ 'use strict'; const React = require('react'); const enzyme = require('enzyme'); const DropdownMenu = require('./dropdown-menu'); describe('Dropdown Menu', function() { const renderComponent = (options = {}) => enzyme.shallow( <DropdownMenu.WrappedComponent handleClickOutside={options.handleClickOutside || sinon.stub()}> {options.children} </DropdownMenu.WrappedComponent> ); it('can render', () => { const wrapper = renderComponent({ children: <li>child</li> }); const expected = ( <ul className="dropdown-menu__list"> <li>child</li> </ul> ); assert.compareJSX(wrapper.find('.dropdown-menu__list'), expected); }); });
Update dropdown menu tests to use enzyme.
Update dropdown menu tests to use enzyme.
JavaScript
agpl-3.0
mitechie/juju-gui,mitechie/juju-gui,mitechie/juju-gui,mitechie/juju-gui
--- +++ @@ -3,36 +3,28 @@ 'use strict'; const React = require('react'); +const enzyme = require('enzyme'); const DropdownMenu = require('./dropdown-menu'); -const Panel = require('../panel/panel'); - -const jsTestUtils = require('../../utils/component-test-utils'); describe('Dropdown Menu', function() { - function renderComponent(options={}) { - return jsTestUtils.shallowRender( - <DropdownMenu.WrappedComponent - handleClickOutside={options.handleClickOutside}> - {options.children} - </DropdownMenu.WrappedComponent>, true); - } + const renderComponent = (options = {}) => enzyme.shallow( + <DropdownMenu.WrappedComponent + handleClickOutside={options.handleClickOutside || sinon.stub()}> + {options.children} + </DropdownMenu.WrappedComponent> + ); it('can render', () => { - const handleClickOutside = sinon.stub(); - const renderer = renderComponent({ - children: <li>child</li>, - handleClickOutside: handleClickOutside + const wrapper = renderComponent({ + children: <li>child</li> }); - const output = renderer.getRenderOutput(); const expected = ( - <Panel instanceName="dropdown-menu" visible={true}> - <ul className="dropdown-menu__list"> - <li>child</li> - </ul> - </Panel> + <ul className="dropdown-menu__list"> + <li>child</li> + </ul> ); - expect(output).toEqualJSX(expected); + assert.compareJSX(wrapper.find('.dropdown-menu__list'), expected); }); });
02601074d529577222d594a01be4d82fc936622b
lib/client.js
lib/client.js
var needle = require('needle'); function Client(base_url, token) { this.base_url = base_url this.token = token || {} } Client.prototype.get = function (path, body, callback) { this.__send('get', path, body, callback); } Client.prototype.post = function (path, body, callback) { this.__send('post', path, body, callback); } Client.prototype.put = function (path, body, callback) { this.__send('put', path, body, callback); } Client.prototype.delete = function (path, body, callback) { this.__send('delete', path, body, callback); } Client.prototype.__send = function (method, path, body, callback) { var headers = { 'X-Ticket-Sharing-Version': '1' } if (this.token) { headers['X-Ticket-Sharing-Token'] = this.token } var options = { 'headers': headers , 'json': true } needle.request(method, this.base_url + path, body, options, callback) } module.exports = Client
var needle = require('needle'); function Client(base_url, token) { this.base_url = base_url this.token = token || null } Client.prototype.get = function (path, body, callback) { this.__send('get', path, body, callback); } Client.prototype.post = function (path, body, callback) { this.__send('post', path, body, callback); } Client.prototype.put = function (path, body, callback) { this.__send('put', path, body, callback); } Client.prototype.delete = function (path, body, callback) { this.__send('delete', path, body, callback); } Client.prototype.__send = function (method, path, body, callback) { var headers = { 'X-Ticket-Sharing-Version': '1' } if (this.token) { headers['X-Ticket-Sharing-Token'] = this.token } var options = { 'headers': headers , 'json': true } needle.request(method, this.base_url + path, body, options, callback) } module.exports = Client
Use null instead of empty object as {} != false but null == false
Use null instead of empty object as {} != false but null == false
JavaScript
mit
tresni/node-networkedhelpdesk
--- +++ @@ -2,7 +2,7 @@ function Client(base_url, token) { this.base_url = base_url - this.token = token || {} + this.token = token || null } Client.prototype.get = function (path, body, callback) {
afe60f1030ac7cdff1e0acca3229f9b1ba19fc00
Kinect2Scratch.js
Kinect2Scratch.js
(function(ext) { // Cleanup function when the extension is unloaded ext._shutdown = function() {}; // Status reporting code // Use this to report missing hardware, plugin or unsupported browser ext._getStatus = function() { // Check for the various File API support. if (window.File && window.FileReader && window.FileList && window.Blob) { return {status: 1, msg: 'The File APIs are not fully supported by your browser.'}; //return {status: 2, msg: 'Ready'}; } else { return {status: 1, msg: 'The File APIs are not fully supported by your browser.'}; } }; // Block and block menu descriptions var descriptor = { blocks: [ ['', 'My First Block', 'my_first_block'], ['r', '%n ^ %n', 'power', 2, 3], ['r', '%m.k', 'k', 'heady'] ], menus: { k: ['headx', 'heady'] } }; ext.my_first_block = function() { console.log("hello, world."); }; ext.power = function(base, exponent) { return Math.pow(base, exponent); }; ext.k = function(m) { switch(m){ case 'headx': return 1; case 'heady': return 2; } }; // Register the extension ScratchExtensions.register('Kinect2Scratch', descriptor, ext); })({});
(function(ext) { // Cleanup function when the extension is unloaded ext._shutdown = function() {}; // Status reporting code // Use this to report missing hardware, plugin or unsupported browser ext._getStatus = function() { // Check for the various File API support. if (window.File && window.FileReader && window.FileList && window.Blob) { return {status: 2, msg: 'Ready'}; } else { return {status: 0, msg: 'The File APIs are not fully supported by your browser.'}; } }; // Block and block menu descriptions var descriptor = { blocks: [ ['', 'My First Block', 'my_first_block'], ['r', '%n ^ %n', 'power', 2, 3], ['r', '%m.k', 'k', 'heady'] ], menus: { k: ['headx', 'heady'] } }; ext.my_first_block = function() { console.log("hello, world."); }; ext.power = function(base, exponent) { return Math.pow(base, exponent); }; ext.k = function(m) { switch(m){ case 'headx': return 1; case 'heady': return 2; } }; // Register the extension ScratchExtensions.register('Kinect2Scratch', descriptor, ext); })({});
Put statuses back to correct, adjust unsupported status
Put statuses back to correct, adjust unsupported status
JavaScript
bsd-3-clause
visor841/SkelScratch,Calvin-CS/SkelScratch
--- +++ @@ -8,10 +8,9 @@ ext._getStatus = function() { // Check for the various File API support. if (window.File && window.FileReader && window.FileList && window.Blob) { - return {status: 1, msg: 'The File APIs are not fully supported by your browser.'}; - //return {status: 2, msg: 'Ready'}; + return {status: 2, msg: 'Ready'}; } else { - return {status: 1, msg: 'The File APIs are not fully supported by your browser.'}; + return {status: 0, msg: 'The File APIs are not fully supported by your browser.'}; } };
c826899a6c86e1ac96505965ca7ae7a8781328d6
js/TimeFilter.js
js/TimeFilter.js
(function(app){ "use strict" /** * Creates a filter to convert a time in milliseconds to * an hours:minutes:seconds format. * * e.g. * {{60000 | millisecondsToTime}} // 01:00 * {{3600000 | millisecondsToTime}} // 01:00:00 */ app.filter("millisecondsToTime", MillisecondsToTime); function MillisecondsToTime(){ return function(time){ if(time < 0 || isNaN(time)) return ""; var seconds = parseInt((time / 1000) % 60); var minutes = parseInt((time / (60000)) % 60); var hours = parseInt((time / (3600000)) % 24); hours = (hours < 10) ? "0" + hours : hours; minutes = (minutes < 10) ? "0" + minutes : minutes; seconds = (seconds < 10) ? "0" + seconds : seconds; return ((hours !== "00") ? hours + ":" : "") + minutes + ":" + seconds; } }; })(angular.module("ov.player"));
(function(app){ "use strict" /** * Creates a filter to convert a time in milliseconds to * an hours:minutes:seconds format. * * e.g. * {{60000 | millisecondsToTime}} // 01:00 * {{3600000 | millisecondsToTime}} // 01:00:00 */ app.filter("millisecondsToTime", MillisecondsToTime); function MillisecondsToTime(){ return function(time){ if(time < 0 || isNaN(time)) return ""; time = parseInt(time); var seconds = parseInt((time / 1000) % 60); var minutes = parseInt((time / (60000)) % 60); var hours = parseInt((time / (3600000)) % 24); hours = (hours < 10) ? "0" + hours : hours; minutes = (minutes < 10) ? "0" + minutes : minutes; seconds = (seconds < 10) ? "0" + seconds : seconds; return ((hours !== "00") ? hours + ":" : "") + minutes + ":" + seconds; } }; })(angular.module("ov.player"));
Add security on time filter to be sure this is an integer and not a float
Add security on time filter to be sure this is an integer and not a float
JavaScript
agpl-3.0
veo-labs/openveo-player,veo-labs/openveo-player,veo-labs/openveo-player
--- +++ @@ -17,6 +17,8 @@ if(time < 0 || isNaN(time)) return ""; + time = parseInt(time); + var seconds = parseInt((time / 1000) % 60); var minutes = parseInt((time / (60000)) % 60); var hours = parseInt((time / (3600000)) % 24);
4df51733774fdbde4e23020127a3084f403d1179
src/assets/drizzle/scripts/navigation/mobileNav.js
src/assets/drizzle/scripts/navigation/mobileNav.js
/* global document window */ import { focusFirstEl } from '../../../../../packages/spark-core/utilities/elementState'; const hideMobileNav = (nav) => { document.body.classList.remove('sprk-u-OverflowHidden'); nav.classList.remove('is-active'); }; const focusTrap = (nav, mainNav) => { if (nav.classList.contains('is-active')) { focusFirstEl(mainNav); } }; const bindUIEvents = () => { const nav = document.querySelector('.drizzle-o-Layout__nav'); const mainNav = nav.querySelector('.drizzle-c-Navigation__main'); const mainLayout = document.querySelector('.drizzle-o-Layout__main'); window.addEventListener('resize', () => { hideMobileNav(nav); }); mainLayout.addEventListener('focusin', () => { focusTrap(nav, mainNav); }); }; const mobileNav = () => { bindUIEvents(); }; export { mobileNav, hideMobileNav, focusTrap };
/* global document window */ import { focusFirstEl } from '../../../../../packages/spark-core/utilities/elementState'; const hideMobileNav = (nav) => { document.body.classList.remove('sprk-u-OverflowHidden'); nav.classList.remove('is-active'); }; const focusTrap = (nav, mainNav) => { if (nav.classList.contains('is-active')) { focusFirstEl(mainNav); } }; const bindUIEvents = () => { const nav = document.querySelector('.drizzle-o-Layout__nav'); if (nav === null) return; const mainNav = nav.querySelector('.drizzle-c-Navigation__main'); const mainLayout = document.querySelector('.drizzle-o-Layout__main'); window.addEventListener('resize', () => { hideMobileNav(nav); }); mainLayout.addEventListener('focusin', () => { focusTrap(nav, mainNav); }); }; const mobileNav = () => { bindUIEvents(); }; export { mobileNav, hideMobileNav, focusTrap };
Add check for if mobilenav exists
Add check for if mobilenav exists
JavaScript
mit
sparkdesignsystem/spark-design-system,sparkdesignsystem/spark-design-system,sparkdesignsystem/spark-design-system,sparkdesignsystem/spark-design-system
--- +++ @@ -14,6 +14,7 @@ const bindUIEvents = () => { const nav = document.querySelector('.drizzle-o-Layout__nav'); + if (nav === null) return; const mainNav = nav.querySelector('.drizzle-c-Navigation__main'); const mainLayout = document.querySelector('.drizzle-o-Layout__main');
696343cd90c8aa3b21a289b363441e005a7413da
system.config.js
system.config.js
'use strict'; const externalDeps = [ '@angular/*', 'angular', 'angular-mocks', 'rxjs/*', 'lodash', 'moment', 'moment-timezone', ]; const map = { '@angular': 'node_modules/@angular', 'angular': 'node_modules/angular/angular', 'angular-mocks': 'node_modules/angular-mocks/angular-mocks', 'rxjs': 'node_modules/rxjs', 'lodash': 'node_modules/lodash/index', 'node-uuid': 'node_modules/node-uuid/uuid', 'moment': 'node_modules/moment/moment', 'moment-timezone': 'node_modules/moment-timezone/builds/moment-timezone-with-data.min', } let meta = {}; externalDeps.forEach(dep => { meta[dep] = { build: false }; }); System.config({ meta, map, paths: { '*': '*.js', }, });
'use strict'; const externalDeps = [ '@angular/*', 'angular', 'angular-mocks', 'rxjs/*', 'lodash', 'moment', 'moment-timezone', ]; const map = { '@angular': 'node_modules/@angular', 'angular': 'node_modules/angular/angular', 'angular-mocks': 'node_modules/angular-mocks/angular-mocks', 'rxjs': 'node_modules/rxjs', 'lodash': 'node_modules/lodash/index', 'node-uuid': 'node_modules/node-uuid/uuid', 'moment': 'node_modules/moment/moment', 'moment-timezone': 'node_modules/moment-timezone/builds/moment-timezone-with-data.min', }; const meta = externalDeps.reduce((curMeta, dep) => { curMeta[dep] = { build: false }; return curMeta; }, {}); System.config({ meta, map, paths: { '*': '*.js', }, });
Use reduce to avoid mutating the object unneededly.
Use reduce to avoid mutating the object unneededly.
JavaScript
mit
RenovoSolutions/TypeScript-Angular-Utilities,SamGraber/TypeScript-Angular-Utilities,SamGraber/TypeScript-Angular-Utilities,RenovoSolutions/TypeScript-Angular-Utilities
--- +++ @@ -19,12 +19,12 @@ 'node-uuid': 'node_modules/node-uuid/uuid', 'moment': 'node_modules/moment/moment', 'moment-timezone': 'node_modules/moment-timezone/builds/moment-timezone-with-data.min', -} +}; -let meta = {}; -externalDeps.forEach(dep => { - meta[dep] = { build: false }; -}); +const meta = externalDeps.reduce((curMeta, dep) => { + curMeta[dep] = { build: false }; + return curMeta; +}, {}); System.config({ meta,
39bb5e7acfde32763f1f8c228f0335db84f9cae7
karma.conf.js
karma.conf.js
// Karma configuration // http://karma-runner.github.io/0.10/config/configuration-file.html module.exports = function(config) { config.set({ // base path, that will be used to resolve files and exclude basePath: '', // testing framework to use (jasmine/mocha/qunit/...) frameworks: ['mocha', 'chai'], // list of files / patterns to load in the browser files: [ 'app/bower_components/angular/angular.js', 'app/bower_components/angular-mocks/angular-mocks.js', 'app/scripts/*.js', 'app/scripts/**/*.js', 'test/mock/**/*.js', 'test/spec/**/*.js' ], // list of files / patterns to exclude exclude: [], // web server port port: 8080, // level of logging // possible values: LOG_DISABLE || LOG_ERROR || LOG_WARN || LOG_INFO || LOG_DEBUG logLevel: config.LOG_INFO, // enable / disable watching file and executing tests whenever any file changes autoWatch: false, // Start these browsers, currently available: // - Chrome // - ChromeCanary // - Firefox // - Opera // - Safari (only Mac) // - PhantomJS // - IE (only Windows) browsers: ['Firefox'], // Continuous Integration mode // if true, it capture browsers, run tests and exit singleRun: false }); };
// Karma configuration // http://karma-runner.github.io/0.10/config/configuration-file.html module.exports = function(config) { config.set({ // base path, that will be used to resolve files and exclude basePath: '', // testing framework to use (jasmine/mocha/qunit/...) frameworks: ['mocha', 'chai'], // reporter style reporters: [ 'dots' ], // list of files / patterns to load in the browser files: [ 'app/bower_components/angular/angular.js', 'app/bower_components/angular-mocks/angular-mocks.js', 'app/scripts/*.js', 'app/scripts/**/*.js', 'test/mock/**/*.js', 'test/spec/**/*.js' ], // list of files / patterns to exclude exclude: [], // web server port port: 8080, // level of logging // possible values: LOG_DISABLE || LOG_ERROR || LOG_WARN || LOG_INFO || LOG_DEBUG logLevel: config.LOG_INFO, // enable / disable watching file and executing tests whenever any file changes autoWatch: false, // Start these browsers, currently available: // - Chrome // - ChromeCanary // - Firefox // - Opera // - Safari (only Mac) // - PhantomJS // - IE (only Windows) browsers: ['Firefox'], // Continuous Integration mode // if true, it capture browsers, run tests and exit singleRun: false }); };
Change reporter style in Karma.
Change reporter style in Karma.
JavaScript
mit
seriema/angular-apimock,MartinSandstrom/angular-apimock,seriema/angular-apimock,MartinSandstrom/angular-apimock
--- +++ @@ -9,7 +9,10 @@ // testing framework to use (jasmine/mocha/qunit/...) frameworks: ['mocha', 'chai'], - // list of files / patterns to load in the browser + // reporter style + reporters: [ 'dots' ], + + // list of files / patterns to load in the browser files: [ 'app/bower_components/angular/angular.js', 'app/bower_components/angular-mocks/angular-mocks.js',
afdf07a331ed5f7dad218f9f23e7466ffcf75597
scripts/components/Header.js
scripts/components/Header.js
import React from 'react'; import MuiThemeProvider from 'material-ui/styles/MuiThemeProvider'; import AppBar from 'material-ui/AppBar'; import IconButton from 'material-ui/IconButton'; import IconMenu from 'material-ui/IconMenu'; import MenuItem from 'material-ui/MenuItem'; import MoreVertIcon from 'material-ui/svg-icons/navigation/more-vert'; /* Header Top of the full App */ var Header = React.createClass({ handleTitleTouch : function() { this.props.history.push('/'); }, render : function() { return ( <MuiThemeProvider> <AppBar title={<span style={{'cursor':'pointer'}}>MetaSeek</span>} onTitleTouchTap={this.handleTitleTouch} iconElementLeft={<div></div>} iconElementRight={ <IconMenu iconButtonElement={ <IconButton><MoreVertIcon /></IconButton> } targetOrigin={{horizontal: 'right', vertical: 'top'}} anchorOrigin={{horizontal: 'right', vertical: 'top'}} > <MenuItem primaryText="Help" /> <MenuItem primaryText="Sign out" /> </IconMenu> } /> </MuiThemeProvider> ) } }); export default Header;
import React from 'react'; import { Link } from 'react-router'; import MuiThemeProvider from 'material-ui/styles/MuiThemeProvider'; import AppBar from 'material-ui/AppBar'; import IconButton from 'material-ui/IconButton'; import IconMenu from 'material-ui/IconMenu'; import MenuItem from 'material-ui/MenuItem'; import MoreVertIcon from 'material-ui/svg-icons/navigation/more-vert'; /* Header Top of the full App */ var Header = React.createClass({ handleTitleTouch : function() { this.props.history.push('/'); }, render : function() { return ( <MuiThemeProvider> <AppBar title={<span style={{'cursor':'pointer'}}>MetaSeek</span>} onTitleTouchTap={this.handleTitleTouch} iconElementLeft={<div></div>} iconElementRight={ <IconMenu iconButtonElement={ <IconButton><MoreVertIcon /></IconButton> } targetOrigin={{horizontal: 'right', vertical: 'top'}} anchorOrigin={{horizontal: 'right', vertical: 'top'}} > <Link style={{'text-decoration':'none'}} to='/myaccount'> <MenuItem primaryText="My Account" /> </Link> </IconMenu> } /> </MuiThemeProvider> ) } }); export default Header;
Add my account to header
Add my account to header
JavaScript
mit
ahoarfrost/metaseek,ahoarfrost/metaseek,ahoarfrost/metaseek
--- +++ @@ -1,4 +1,7 @@ import React from 'react'; + +import { Link } from 'react-router'; + import MuiThemeProvider from 'material-ui/styles/MuiThemeProvider'; import AppBar from 'material-ui/AppBar'; import IconButton from 'material-ui/IconButton'; @@ -30,8 +33,9 @@ targetOrigin={{horizontal: 'right', vertical: 'top'}} anchorOrigin={{horizontal: 'right', vertical: 'top'}} > - <MenuItem primaryText="Help" /> - <MenuItem primaryText="Sign out" /> + <Link style={{'text-decoration':'none'}} to='/myaccount'> + <MenuItem primaryText="My Account" /> + </Link> </IconMenu> } />
0c59eb01b242e7591bc1a9218f1eb330ec9ec9f4
app/components/organization-profile.js
app/components/organization-profile.js
import Ember from 'ember'; export default Ember.Component.extend({ classNames: ['organization-profile'], credentials: Ember.inject.service(), organizationMembers: Ember.computed.mapBy('organization.organizationMemberships', 'organization'), didReceiveAttrs() { this._super(...arguments); this.get('credentials').set('currentOrganization', this.get('organization')); }, });
import Ember from 'ember'; export default Ember.Component.extend({ classNames: ['organization-profile'], credentials: Ember.inject.service(), organizationMembers: Ember.computed.mapBy('organization.organizationMemberships', 'member'), didReceiveAttrs() { this._super(...arguments); this.get('credentials').set('currentOrganization', this.get('organization')); }, });
Fix organization profile by changing computed property
Fix organization profile by changing computed property
JavaScript
mit
jderr-mx/code-corps-ember,code-corps/code-corps-ember,jderr-mx/code-corps-ember,code-corps/code-corps-ember
--- +++ @@ -5,11 +5,10 @@ credentials: Ember.inject.service(), - organizationMembers: Ember.computed.mapBy('organization.organizationMemberships', 'organization'), + organizationMembers: Ember.computed.mapBy('organization.organizationMemberships', 'member'), didReceiveAttrs() { this._super(...arguments); this.get('credentials').set('currentOrganization', this.get('organization')); }, - });
b557cbb6c8e98fc5ed0183a8c902561389e4e013
EduChainApp/js/common/GlobalStyles.js
EduChainApp/js/common/GlobalStyles.js
/** * * @flow */ 'use strict'; import {StyleSheet} from 'react-native'; const GlobalStyles = { contentWrapper: { paddingLeft: 5, paddingRight: 5, }, sectionHeader: { fontSize: 20, marginTop: 10, }, thumbnail: { height: 45, width: 45, borderRadius: 22, // why dafuq is 22 circular?? }, buttonContainer: { padding:10, paddingTop: 11, height:45, overflow:'hidden', borderRadius:4, backgroundColor: '#ededed' }, separator: { flex: 1, height: StyleSheet.hairlineWidth, backgroundColor: '#8E8E8E', }, }; module.exports = GlobalStyles;
/** * * @flow */ 'use strict'; import {StyleSheet} from 'react-native'; const GlobalStyles = { contentWrapper: { paddingLeft: 5, paddingRight: 5, }, sectionHeader: { fontSize: 20, marginTop: 10, }, thumbnail: { height: 45, width: 45, borderRadius: 22, // why dafuq is 22 circular?? }, buttonContainer: { padding:10, paddingTop: 11, height:45, overflow:'hidden', borderRadius:4, backgroundColor: '#ededed' }, separator: { flex: 1, height: StyleSheet.hairlineWidth, backgroundColor: '#8E8E8E', }, backBtn: { title: "Back", layout: "icon", icon: "ios-arrow-back", } }; module.exports = GlobalStyles;
Add backBtn styling, fix indentation
Add backBtn styling, fix indentation
JavaScript
mit
bkrem/educhain,bkrem/educhain,bkrem/educhain,bkrem/educhain
--- +++ @@ -7,33 +7,38 @@ import {StyleSheet} from 'react-native'; - const GlobalStyles = { - contentWrapper: { - paddingLeft: 5, - paddingRight: 5, - }, - sectionHeader: { - fontSize: 20, - marginTop: 10, - }, - thumbnail: { - height: 45, - width: 45, - borderRadius: 22, // why dafuq is 22 circular?? - }, - buttonContainer: { - padding:10, - paddingTop: 11, - height:45, - overflow:'hidden', - borderRadius:4, - backgroundColor: '#ededed' - }, - separator: { - flex: 1, - height: StyleSheet.hairlineWidth, - backgroundColor: '#8E8E8E', - }, - }; +const GlobalStyles = { + contentWrapper: { + paddingLeft: 5, + paddingRight: 5, + }, + sectionHeader: { + fontSize: 20, + marginTop: 10, + }, + thumbnail: { + height: 45, + width: 45, + borderRadius: 22, // why dafuq is 22 circular?? + }, + buttonContainer: { + padding:10, + paddingTop: 11, + height:45, + overflow:'hidden', + borderRadius:4, + backgroundColor: '#ededed' + }, + separator: { + flex: 1, + height: StyleSheet.hairlineWidth, + backgroundColor: '#8E8E8E', + }, + backBtn: { + title: "Back", + layout: "icon", + icon: "ios-arrow-back", + } +}; - module.exports = GlobalStyles; +module.exports = GlobalStyles;
a81e5611622ac50a1c82a26df88e63c87d888e88
lib/converter.js
lib/converter.js
const puppeteer = require("puppeteer") const defaults = require("../configurations/defaults") const puppeteerArgs = [ "--no-sandbox", "--disable-setuid-sandbox", "--disable-gpu" ] const allowedOptions = [ "scale", "printBackground", "margin" ] const formatOptions = options => allowedOptions.reduce((filtered, key) => { if (options[key] == 'true') { filtered[key] = true return filtered } if (options[key] == 'false') { filtered[key] = false return filtered } if (!isNaN(options[key])) { filtered[key] = +options[key] return filtered } filtered[key] = options[key] return filtered }, {}) const pageToPdf = options => page => page .goto(options.uri, { waitUntil: "networkidle" }) .then(() => page.pdf(Object.assign(defaults, formatOptions(options)))) const browserToPdf = options => browser => browser .newPage() .then(pageToPdf(options)) .then(pdf => { browser.close() return pdf }) const uriToPdf = options => puppeteer .launch({ args: puppeteerArgs }) .then(browserToPdf(options)) module.exports = { uriToPdf }
const puppeteer = require("puppeteer") const defaults = require("../configurations/defaults") const puppeteerArgs = [ "--no-sandbox", "--disable-setuid-sandbox", "--disable-gpu" ] const allowedOptions = [ "scale", "displayHeaderFooter", "printBackground", "format", "landscape", "pageRanges", "width", "height", "margin" ] const formatOptions = options => allowedOptions.reduce((filtered, key) => { if (options[key] == 'true') { filtered[key] = true return filtered } if (options[key] == 'false') { filtered[key] = false return filtered } if (!isNaN(options[key])) { filtered[key] = +options[key] return filtered } filtered[key] = options[key] return filtered }, {}) const pageToPdf = options => page => page .goto(options.uri, { waitUntil: "networkidle" }) .then(() => page.pdf(Object.assign(defaults, formatOptions(options)))) const browserToPdf = options => browser => browser .newPage() .then(pageToPdf(options)) .then(pdf => { browser.close() return pdf }) const uriToPdf = options => puppeteer .launch({ args: puppeteerArgs }) .then(browserToPdf(options)) module.exports = { uriToPdf }
Allow almost all puppeteer pdf configurations
Allow almost all puppeteer pdf configurations
JavaScript
mit
tecnospeed/pastor
--- +++ @@ -7,9 +7,16 @@ "--disable-gpu" ] + const allowedOptions = [ "scale", + "displayHeaderFooter", "printBackground", + "format", + "landscape", + "pageRanges", + "width", + "height", "margin" ]
447902934914f8a803a705044252eb71beb7cc62
lib/logger.js
lib/logger.js
'use strict'; const Winston = require('winston'); function Logger(level) { const logLevel = level.toLowerCase() || 'info'; const logger = new Winston.Logger({ level: logLevel, transports: [ new Winston.transports.Console({ colorize: false, timestamp: true, json: true, stringify: true }) ] }); return logger; } exports.attach = Logger;
'use strict'; const Winston = require('winston'); function Logger(level) { const logLevel = (level || 'info').toLowerCase(); const logger = new Winston.Logger({ level: logLevel, transports: [ new Winston.transports.Console({ colorize: false, timestamp: true, json: true, stringify: true }) ] }); return logger; } exports.attach = Logger;
Handle null and undefined log levels properly
Handle null and undefined log levels properly
JavaScript
mit
rapid7/acs,rapid7/acs,rapid7/acs
--- +++ @@ -3,7 +3,7 @@ const Winston = require('winston'); function Logger(level) { - const logLevel = level.toLowerCase() || 'info'; + const logLevel = (level || 'info').toLowerCase(); const logger = new Winston.Logger({ level: logLevel,
5b3686c9a28feaeda7e51526f8cdc9e27793b95c
bin/config.js
bin/config.js
'use strict' var fs = require('fs') var path = require('path') var existFile = require('exists-file') var minimistPath = path.join(__dirname, '..', 'node_modules', 'meow', 'node_modules', 'minimist') var minimist = require(minimistPath) var trimNewlinesPath = path.join(__dirname, '..', 'node_modules', 'meow', 'node_modules', 'trim-newlines') var trimNewlines = require(trimNewlinesPath) var FILENAME = 'worker-farm.opts' function readConfig (filepath) { var yargs = process.argv.slice(2) if (yargs.length === 0) return yargs var filepath = path.resolve(yargs[yargs.length - 1], FILENAME) if (!existFile(filepath)) return yargs var config = fs.readFileSync(filepath, 'utf8') config = trimNewlines(config).split('\n') return config.concat(yargs) } module.exports = readConfig()
'use strict' var fs = require('fs') var path = require('path') var existFile = require('exists-file') var minimistPath = path.join(__dirname, '..', 'node_modules', 'meow', 'node_modules', 'minimist') var minimist = require(minimistPath) var trimNewlinesPath = path.join(__dirname, '..', 'node_modules', 'meow', 'node_modules', 'trim-newlines') var trimNewlines = require(trimNewlinesPath) var FILENAME = 'worker-farm.opts' function readConfig (filepath) { var yargs = process.argv.slice(2) if (yargs.length > 1) return yargs var filepath = path.resolve(yargs[0], FILENAME) if (!existFile(filepath)) return yargs var config = fs.readFileSync(filepath, 'utf8') config = trimNewlines(config).split('\n') return config.concat(yargs) } module.exports = readConfig()
Load file if params are not present
Load file if params are not present
JavaScript
mit
Kikobeats/farm-cli,Kikobeats/worker-farm-cli
--- +++ @@ -14,9 +14,9 @@ function readConfig (filepath) { var yargs = process.argv.slice(2) - if (yargs.length === 0) return yargs + if (yargs.length > 1) return yargs - var filepath = path.resolve(yargs[yargs.length - 1], FILENAME) + var filepath = path.resolve(yargs[0], FILENAME) if (!existFile(filepath)) return yargs var config = fs.readFileSync(filepath, 'utf8')
b183de1dbadae83d82c6573ba61dc7b5fa386856
app/containers/gif/sagas.js
app/containers/gif/sagas.js
import { remote } from 'electron'; import { call, select, put, takeLatest } from 'redux-saga/effects'; import GIF from './constants'; import { result, error, clear } from './actions'; import request from '../../utils/request'; export function* requestGif(action) { const requestURL = `http://api.giphy.com/v1/gifs/random?api_key=dc6zaTOxFJmzC&tag=${action.payload}`; try { const gif = yield call(request, requestURL); const state = yield select(); // Only continue displaying this result if the window is visible to the user // and they haven't blanked out the search box if (remote.getCurrentWindow().isVisible() && state.gif.currentQuery.length) { yield put(result(gif)); } else { yield put(clear()); } } catch (err) { yield put(error(err)); } } export function* watchRequestGif() { yield takeLatest([GIF.REQUEST, GIF.NEXT], requestGif); }
import { remote } from 'electron'; import { call, select, put, takeLatest } from 'redux-saga/effects'; import GIF from './constants'; import { result, error, clear } from './actions'; import request from '../../utils/request'; export function* requestGif(action) { // If there is no query given, grab the latest one from state const tag = action.payload ? action.payload : yield select(state => state.gif.currentQuery); const requestURL = `http://api.giphy.com/v1/gifs/random?api_key=dc6zaTOxFJmzC&tag=${tag}`; try { const gif = yield call(request, requestURL); const state = yield select(); // Only continue displaying this result if the window is visible to the user // and they haven't blanked out the search box if (remote.getCurrentWindow().isVisible() && state.gif.currentQuery.length) { yield put(result(gif)); } else { yield put(clear()); } } catch (err) { yield put(error(err)); } } export function* watchRequestGif() { yield takeLatest([GIF.REQUEST, GIF.NEXT], requestGif); }
Fix down button to dp the same tag search
Fix down button to dp the same tag search
JavaScript
mit
astrogif/astrogif,astrogif/astrogif
--- +++ @@ -5,7 +5,12 @@ import request from '../../utils/request'; export function* requestGif(action) { - const requestURL = `http://api.giphy.com/v1/gifs/random?api_key=dc6zaTOxFJmzC&tag=${action.payload}`; + // If there is no query given, grab the latest one from state + const tag = action.payload + ? action.payload + : yield select(state => state.gif.currentQuery); + + const requestURL = `http://api.giphy.com/v1/gifs/random?api_key=dc6zaTOxFJmzC&tag=${tag}`; try { const gif = yield call(request, requestURL);
7f5f5482fc30ab8f6fd1470f15569023f95d4920
app/src/containers/ContactUs.js
app/src/containers/ContactUs.js
import { connect } from 'react-redux'; import ContactUs from '../components/ContactUs'; import { submitForm } from '../actions/contact'; const mapStateToProps = (state) => ({ contactStatus: state.contactStatus, defaultUserName: state.user.loggedUser && state.user.loggedUser.displayName, defaultUserEmail: state.user.loggedUser && state.user.loggedUser.email }); const mapDispatchToProps = (dispatch) => ({ submitForm: (data, endpoint) => dispatch(submitForm(data, endpoint)) }); export default connect(mapStateToProps, mapDispatchToProps)(ContactUs);
import { connect } from 'react-redux'; import ContactUs from '../components/ContactUs'; import { submitForm } from '../actions/contact'; const mapStateToProps = (state) => ({ contactStatus: state.contactStatus, defaultUserName: state.user.loggedUser ? state.user.loggedUser.displayName : '', defaultUserEmail: state.user.loggedUser ? state.user.loggedUser.email : '' }); const mapDispatchToProps = (dispatch) => ({ submitForm: (data, endpoint) => dispatch(submitForm(data, endpoint)) }); export default connect(mapStateToProps, mapDispatchToProps)(ContactUs);
Fix issue when logging out on contact page
Fix issue when logging out on contact page
JavaScript
mit
Vizzuality/GlobalFishingWatch,Vizzuality/GlobalFishingWatch,Vizzuality/GlobalFishingWatch
--- +++ @@ -4,8 +4,8 @@ const mapStateToProps = (state) => ({ contactStatus: state.contactStatus, - defaultUserName: state.user.loggedUser && state.user.loggedUser.displayName, - defaultUserEmail: state.user.loggedUser && state.user.loggedUser.email + defaultUserName: state.user.loggedUser ? state.user.loggedUser.displayName : '', + defaultUserEmail: state.user.loggedUser ? state.user.loggedUser.email : '' }); const mapDispatchToProps = (dispatch) => ({
88d7a14c2640c8ee7eddd6044fe84970a0f724c8
Resources/public/scripts/globals.js
Resources/public/scripts/globals.js
var AJAX_LOADER = '<span class="ajax_loader"></span>'; $(document).bind('ajaxComplete', function () { $('.ajax_loader').remove(); });
var AJAX_LOADER = '<span class="ajax_loader"></span>'; $(document).bind('ajaxComplete', function () { $('.ajax_loader').remove(); $('form').removeData('submitted'); });
Mark forms as not submitted after AJAX complete.
Mark forms as not submitted after AJAX complete.
JavaScript
mit
DarvinStudio/DarvinAdminBundle,DarvinStudio/DarvinAdminBundle,DarvinStudio/DarvinAdminBundle
--- +++ @@ -2,4 +2,6 @@ $(document).bind('ajaxComplete', function () { $('.ajax_loader').remove(); + + $('form').removeData('submitted'); });
6c355830dcf91e90e3fce6f2ff9d59654716c8b7
bin/source.js
bin/source.js
var fs = require('fs'), path = require('path'), util = require('../lib/util'); var Source = util.inherit(Object, { _initialize: function (root) { this._root = root; }, travel: function (callback, pathname) { pathname = pathname || ''; var root = this._root, node = path.join(root, pathname), stats = fs.statSync(node), self = this; if (stats.isFile()) { callback(pathname, fs.readFileSync(node)); } else if (stats.isDirectory()) { fs.readdirSync(node).forEach(function (filename) { self.travel(callback, path.join(pathname, filename)); }); } } }); module.exports = Source;
var fs = require('fs'), path = require('path'), util = require('../lib/util'); var Source = util.inherit(Object, { _initialize: function (root) { this._root = root; }, travel: function (callback, pathname) { pathname = pathname || ''; var root = this._root, node = path.join(root, pathname), stats = fs.statSync(node), self = this; if (stats.isFile()) { callback(pathname, fs.readFileSync(node)); } else if (stats.isDirectory() && pathname.charAt(0) != '.'){ fs.readdirSync(node).forEach(function (filename) { self.travel(callback, path.join(pathname, filename)); }); } } }); module.exports = Source;
Fix read hidden directory error.
Fix read hidden directory error.
JavaScript
mit
nqdeng/ucc
--- +++ @@ -17,7 +17,7 @@ if (stats.isFile()) { callback(pathname, fs.readFileSync(node)); - } else if (stats.isDirectory()) { + } else if (stats.isDirectory() && pathname.charAt(0) != '.'){ fs.readdirSync(node).forEach(function (filename) { self.travel(callback, path.join(pathname, filename)); });
147b15ee4b14c2a69fb12b17d7742f0760eb63f1
server/routes/session.js
server/routes/session.js
var router = require('express').Router(); var jwt = require('jsonwebtoken'); var jwtSecret = require('../config/jwt_secret'); var User = require('../models/user'); router.post('/', function(req, res) { User.findOne({ username: req.body.user.username }).then(function(user) { if (user) { user.authenticate(req.body.user.password, function(isMatch) { var token = jwt.sign(user._id, jwtSecret, { expiresInMinutes: 60*24 }); if (isMatch) { res.json({ auth_token: token, user: user }); } else { res.json({ error: "Could not authenticate." }); } }); } }); }); module.exports = router;
var router = require('express').Router(); var jwt = require('jsonwebtoken'); var jwtSecret = require('../config/jwt_secret'); var User = require('../models/user'); router.post('/', function(req, res) { User.findOne({ username: req.body.user.username }).then(function(user) { if (user) { user.authenticate(req.body.user.password, function(isMatch) { var token = jwt.sign(user._id, jwtSecret, { expiresIn: 24*60*60 }); if (isMatch) { res.json({ auth_token: token, user: user }); } else { res.json({ error: "Could not authenticate." }); } }); } }); }); module.exports = router;
Use expiresIn instead of expiresInMinutes.
Use expiresIn instead of expiresInMinutes. expiresInMinutes and expiresInSeconds is deprecated.
JavaScript
mit
unixmonkey/caedence.net-2015,unixmonkey/caedence.net-2015
--- +++ @@ -7,7 +7,7 @@ User.findOne({ username: req.body.user.username }).then(function(user) { if (user) { user.authenticate(req.body.user.password, function(isMatch) { - var token = jwt.sign(user._id, jwtSecret, { expiresInMinutes: 60*24 }); + var token = jwt.sign(user._id, jwtSecret, { expiresIn: 24*60*60 }); if (isMatch) { res.json({ auth_token: token, user: user }); } else { res.json({ error: "Could not authenticate." }); } });
386bd63f8d21fde74018815d410179758f5241cf
server/store/requests.js
server/store/requests.js
const redis = require('./redis'); const config = require('./config'); const getRequest = async (requestId) => { // Set TTL for request redis.expire(`requests:${requestId}`, config('requests_ttl')); return await redis.hgetallAsync(`requests:${requestId}`); }; const createRequest = async (requestDetails) => { // get new unique id for request const requestId = await redis.incrAsync('next_request_id'); // create a new request entry in Redis const {user_id, pickup, dropoff, requested_pickup_time, size, weight} = requestDetails; const [pickup_lat, pickup_long] = pickup.split(','); const [dropoff_lat, dropoff_long] = dropoff.split(','); redis.hmsetAsync(`requests:${requestId}`, 'user_id', user_id, 'pickup_lat', pickup_lat, 'pickup_long', pickup_long, 'dropoff_lat', dropoff_lat, 'dropoff_long', dropoff_long, 'requested_pickup_time', requested_pickup_time, 'size', size, 'weight', weight, ); // Set TTL for request redis.expire(`requests:${requestId}`, 43200); return requestId; }; const deleteRequest = async (requestId) => { return await redis.del(`requests:${requestId}`); }; module.exports = { createRequest, getRequest, deleteRequest };
const redis = require('./redis'); const config = require('../config/index.js'); const getRequest = async (requestId) => { // Set TTL for request redis.expire(`requests:${requestId}`, config('requests_ttl')); return await redis.hgetallAsync(`requests:${requestId}`); }; const createRequest = async (requestDetails) => { // get new unique id for request const requestId = await redis.incrAsync('next_request_id'); // create a new request entry in Redis const {user_id, pickup, dropoff, requested_pickup_time, size, weight} = requestDetails; const [pickup_lat, pickup_long] = pickup.split(','); const [dropoff_lat, dropoff_long] = dropoff.split(','); redis.hmsetAsync(`requests:${requestId}`, 'user_id', user_id, 'pickup_lat', pickup_lat, 'pickup_long', pickup_long, 'dropoff_lat', dropoff_lat, 'dropoff_long', dropoff_long, 'requested_pickup_time', requested_pickup_time, 'size', size, 'weight', weight, ); // Set TTL for request redis.expire(`requests:${requestId}`, 43200); return requestId; }; const deleteRequest = async (requestId) => { return await redis.del(`requests:${requestId}`); }; module.exports = { createRequest, getRequest, deleteRequest };
Fix dependency inclusion for require statement
Fix dependency inclusion for require statement
JavaScript
mit
DAVFoundation/missioncontrol,DAVFoundation/missioncontrol,DAVFoundation/missioncontrol
--- +++ @@ -1,5 +1,5 @@ const redis = require('./redis'); -const config = require('./config'); +const config = require('../config/index.js'); const getRequest = async (requestId) => { // Set TTL for request
0ab40cc1769b66a7e72891a79a204b8c0455933f
lib/loadLists.js
lib/loadLists.js
var fs = require("fs"); var path = require("path"); var _ = require("lodash"); var animals; var adjectives; module.exports = function () { if (animals && adjectives) { return { animals : animals, adjectives : adjectives }; } adjectives = JSON.parse(fs.readFileSync(path.join(__dirname, "..", "lists", "adjectives.json"))); animals = JSON.parse(fs.readFileSync(path.join(__dirname, "..", "lists", "animals.json"))); _.each(adjectives, function (word, idx) { adjectives[idx] = word.toLowerCase(); }); _.each(animals, function (word, idx) { animals[idx] = word.toLowerCase(); }); return { adjectives : adjectives, animals : animals }; }; module.exports.NUM_ADJECTIVES = 8981; module.exports.NUM_ANIMALS = 590;
var fs = require("fs"); var path = require("path"); var _ = require("lodash"); var animals; var adjectives; module.exports = function () { if (animals && adjectives) { return { animals : animals, adjectives : adjectives }; } adjectives = JSON.parse(fs.readFileSync(path.join(__dirname, "..", "lists", "adjectives.json"))); animals = JSON.parse(fs.readFileSync(path.join(__dirname, "..", "lists", "animals.json"))); _.each(adjectives, function (word, idx) { adjectives[idx] = word.toLowerCase(); }); _.each(animals, function (word, idx) { animals[idx] = word.toLowerCase(); }); return { adjectives : adjectives, animals : animals }; };NUM_ module.exports.NUM_ADJECTIVES = 1500; module.exports.NUM_ANIMALS = 1750;
Fix adjective and number count to match the updated lists.
Fix adjective and number count to match the updated lists.
JavaScript
mit
a-type/adjective-adjective-animal,a-type/adjective-adjective-animal,gswalden/adjective-adjective-animal
--- +++ @@ -17,7 +17,7 @@ _.each(animals, function (word, idx) { animals[idx] = word.toLowerCase(); }); return { adjectives : adjectives, animals : animals }; -}; +};NUM_ -module.exports.NUM_ADJECTIVES = 8981; -module.exports.NUM_ANIMALS = 590; +module.exports.NUM_ADJECTIVES = 1500; +module.exports.NUM_ANIMALS = 1750;
3d48ad17557a322f23ac9e1d8a1587507f351bea
app/templates/karma.conf.js
app/templates/karma.conf.js
'use strict'; module.exports = function (config) { config.set({ autowatch: false, basePath: __dirname, browsers: ['PhantomJS'], files: [ 'app/assets/bower_components/jquery/dist/jquery.js', 'app/assets/bower_components/jasmine-jquery/lib/jasmine-jquery.js', 'spec/javascripts/helpers/*Helper.js', 'spec/javascripts/**/*Spec.js', {pattern: 'spec/javascripts/fixtures/**/*.html', included: false} ], frameworks: ['jasmine'], singleRun: true }); };
'use strict'; module.exports = function (config) { config.set({ autowatch: false, basePath: __dirname, browsers: ['PhantomJS'], files: [ 'app/assets/bower_components/jquery/dist/jquery.js', 'app/assets/bower_components/jasmine-jquery/lib/jasmine-jquery.js', 'spec/javascripts/helpers/*Helper.js', 'spec/javascripts/**/*Spec.js', // {pattern: 'spec/javascripts/fixtures/**/*.html', included: false} ], frameworks: ['jasmine'], singleRun: true }); };
Comment out fixtures until needed
Comment out fixtures until needed
JavaScript
mit
jbnicolai/generator-gulp-rk,jbnicolai/generator-gulp-rk,jbnicolai/generator-gulp-rk
--- +++ @@ -10,7 +10,7 @@ 'app/assets/bower_components/jasmine-jquery/lib/jasmine-jquery.js', 'spec/javascripts/helpers/*Helper.js', 'spec/javascripts/**/*Spec.js', - {pattern: 'spec/javascripts/fixtures/**/*.html', included: false} + // {pattern: 'spec/javascripts/fixtures/**/*.html', included: false} ], frameworks: ['jasmine'], singleRun: true
4ca82da87e04c8b0b2d9a73ae67c7af99e7888da
src/store.js
src/store.js
import { createStore } from 'redux'; import reducer from 'reducers'; import initialState from 'initialState'; const store = createStore(reducer, initialState, window.devToolsExtension ? window.devToolsExtension() : undefined ); export default store;
import { createStore } from 'redux'; import reducer from 'reducers'; import initialState from 'initialState'; const devToolExtension = (() => { if ('production' !== process.env.NODE_ENV) { return window.devToolsExtension ? window.devToolsExtension() : undefined; } else { return undefined; } })(); export default createStore(reducer, initialState, devToolExtension);
Remove Redux devtools from production build
Remove Redux devtools from production build
JavaScript
mit
vincentriemer/io-808,vincentriemer/io-808,vincentriemer/io-808
--- +++ @@ -3,8 +3,12 @@ import reducer from 'reducers'; import initialState from 'initialState'; -const store = createStore(reducer, initialState, - window.devToolsExtension ? window.devToolsExtension() : undefined -); +const devToolExtension = (() => { + if ('production' !== process.env.NODE_ENV) { + return window.devToolsExtension ? window.devToolsExtension() : undefined; + } else { + return undefined; + } +})(); -export default store; +export default createStore(reducer, initialState, devToolExtension);
a172dc9a3ee1343933140b97f8a2bca48c43cff6
js.js
js.js
var through = require('through') , falafel = require('falafel') , unparse = require('escodegen').generate , util = require('util') , minimist = require('minimist') var argv = minimist(process.argv.slice(2)) var defaultLang = argv['jedify-lang'] || process.env['JEDIFY_LANG'] || 'en' var re = /\.js$/ module.exports = function (file, options) { if (!re.test(file)) return through() options = options || {} var lang = options.lang || defaultLang; var buf = [] , stream = through(write, end) return stream function write(chunk) { buf.push(chunk) } function end () { var output = buf.join('') try { output = falafel(output, function (node) { if (node.type === 'CallExpression' && node.callee.type === 'Identifier' && node.callee.name === 'requirePo') { var dir = new Function([], 'return ' + unparse(node.arguments[0]))() dir = util.format(dir, lang) node.update('require(' + JSON.stringify(dir) + ')') } }).toString() } catch (err) { this.emit('error', new Error(err.toString().replace('Error: ', '') + ' (' + file + ')')) } stream.queue(output) stream.queue(null) } }
var through = require('through') , falafel = require('falafel') , unparse = require('escodegen').generate , util = require('util') , minimist = require('minimist') var defaultLang = process.env['JEDIFY_LANG'] || 'en' var re = /\.js$/ module.exports = function (file, options) { if (!re.test(file)) return through() options = options || {} var lang = options.lang || defaultLang var buf = [] , stream = through(write, end) return stream function write(chunk) { buf.push(chunk) } function end () { var output = buf.join('') try { output = falafel(output, function (node) { if (node.type === 'CallExpression' && node.callee.type === 'Identifier' && node.callee.name === 'requirePo') { var dir = new Function([], 'return ' + unparse(node.arguments[0]))() dir = util.format(dir, lang) node.update('require(' + JSON.stringify(dir) + ')') } }).toString() } catch (err) { this.emit('error', new Error(err.toString().replace('Error: ', '') + ' (' + file + ')')) } stream.queue(output) stream.queue(null) } }
Remove `--jedify-lang` command line option
Remove `--jedify-lang` command line option
JavaScript
mit
tellnes/jedify
--- +++ @@ -4,16 +4,14 @@ , util = require('util') , minimist = require('minimist') -var argv = minimist(process.argv.slice(2)) - -var defaultLang = argv['jedify-lang'] || process.env['JEDIFY_LANG'] || 'en' +var defaultLang = process.env['JEDIFY_LANG'] || 'en' var re = /\.js$/ module.exports = function (file, options) { if (!re.test(file)) return through() options = options || {} - var lang = options.lang || defaultLang; + var lang = options.lang || defaultLang var buf = [] , stream = through(write, end)
25e44bb5e37df64916cd4d249bbf7d10115e2d49
src/utils.js
src/utils.js
export function checkStatus(response) { if (response.status >= 200 && response.status < 300) { return response.json(); } throw new Error(response.statusText); } export function getShortDate(dateString) { const d = new Date(dateString); return `${d.getMonth() + 1}/${d.getDate()}/${d.getFullYear() % 100}`; }
import moment from 'moment'; export function checkStatus(response) { if (response.status >= 200 && response.status < 300) { return response.json(); } throw new Error(response.statusText); } export function getShortDate(dateString) { return moment(dateString).format('MM/DD/YY'); }
Fix getShortDate to return leading zeros
Fix getShortDate to return leading zeros
JavaScript
mit
ZachGawlik/print-to-resist,ZachGawlik/print-to-resist
--- +++ @@ -1,3 +1,5 @@ +import moment from 'moment'; + export function checkStatus(response) { if (response.status >= 200 && response.status < 300) { return response.json(); @@ -6,6 +8,5 @@ } export function getShortDate(dateString) { - const d = new Date(dateString); - return `${d.getMonth() + 1}/${d.getDate()}/${d.getFullYear() % 100}`; + return moment(dateString).format('MM/DD/YY'); }
a8e690949e1ae14faa228a9df9f5dce32183d6fa
lib/apis/fetch.js
lib/apis/fetch.js
import { defaults } from 'lodash'; import request from 'request'; import config from '../../config'; export default (url, options = {}) => { return new Promise((resolve, reject) => { const opts = defaults(options, { method: 'GET', timeout: config.REQUEST_TIMEOUT_MS, }); request(url, opts, (err, response) => { if (!!err || response.statusCode !== 200) { return reject(err || new Error(response.body)); } try { const shouldParse = typeof response.body === 'string'; const parsed = shouldParse ? JSON.parse(response.body) : response.body; resolve({ body: parsed, headers: response.headers, }); } catch (error) { reject(error); } }); }); };
import { get, defaults, compact } from 'lodash'; import request from 'request'; import config from '../../config'; export default (url, options = {}) => { return new Promise((resolve, reject) => { const opts = defaults(options, { method: 'GET', timeout: config.REQUEST_TIMEOUT_MS, }); request(url, opts, (err, response) => { if (!!err || response.statusCode !== 200) { if (err) return reject(err); const message = compact([ get(response, 'request.uri.href'), response.body, ]).join(' - '); const error = new Error(message); error.statusCode = response.statusCode; return reject(error); } try { const shouldParse = typeof response.body === 'string'; const parsed = shouldParse ? JSON.parse(response.body) : response.body; resolve({ body: parsed, headers: response.headers, }); } catch (error) { reject(error); } }); }); };
Improve error handling by returning the `statusCode` and including the failed URL in the rejected Error
Improve error handling by returning the `statusCode` and including the failed URL in the rejected Error
JavaScript
mit
artsy/metaphysics,broskoski/metaphysics,mzikherman/metaphysics-1,1aurabrown/metaphysics,artsy/metaphysics,mzikherman/metaphysics-1,mzikherman/metaphysics-1,craigspaeth/metaphysics,craigspaeth/metaphysics,artsy/metaphysics,mzikherman/metaphysics-1
--- +++ @@ -1,4 +1,4 @@ -import { defaults } from 'lodash'; +import { get, defaults, compact } from 'lodash'; import request from 'request'; import config from '../../config'; @@ -11,7 +11,15 @@ request(url, opts, (err, response) => { if (!!err || response.statusCode !== 200) { - return reject(err || new Error(response.body)); + if (err) return reject(err); + + const message = compact([ + get(response, 'request.uri.href'), + response.body, + ]).join(' - '); + const error = new Error(message); + error.statusCode = response.statusCode; + return reject(error); } try {
8a09e658300e825bbbcbb8ab42999bf3d9ce8958
extensions/roc-plugin-dredd/src/dredd/index.js
extensions/roc-plugin-dredd/src/dredd/index.js
import UpstreamDredd from 'dredd'; import Reporter from './reporter'; export default class Dredd extends UpstreamDredd { constructor(config, logger) { super(config); this.canceled = false; this.reporter = new Reporter(this.configuration.emitter, this.stats, logger, config.options.verbose); } cancel() { this.reporter.cancel(); this.canceled = true; } run(watch = false) { super.run((err) => { // We need to check this before the error, because when roc // restarts the application dredd will fail with a network error if (err && !this.canceled) { throw err; } else if (this.canceled) { this.canceled = false; } if (!watch) { process.exit(1); } }); } }
import UpstreamDredd from 'dredd'; import Reporter from './reporter'; export default class Dredd extends UpstreamDredd { constructor(config, logger) { super(config); this.canceled = false; this.reporter = new Reporter(this.configuration.emitter, this.stats, logger, config.options.verbose); } cancel() { this.reporter.cancel(); this.canceled = true; } run(watch = false) { super.run((err) => { // We need to check this before the error, because when roc // restarts the application dredd will fail with a network error if (err && !this.canceled) { throw err; } else if (this.canceled) { this.canceled = false; } if (!watch) { process.exit(0); } }); } }
Exit with status 0 when not running in watch mode
Exit with status 0 when not running in watch mode
JavaScript
mit
voldern/roc-plugin-dredd
--- +++ @@ -28,7 +28,7 @@ } if (!watch) { - process.exit(1); + process.exit(0); } }); }
1f1f94c22e0e1d6132dfb813e467c8f642df56db
src/screens/rename/views/configure/containers/files/actions.js
src/screens/rename/views/configure/containers/files/actions.js
export function load(files) { return { type: 'FILES_DATA_LOAD', payload: files.map(file => { return { id: file.Id, newName: file.NewName, originalName: file.OriginalName, size: file.Size, type: file.Type, isSelected: file.Filtered, }; }), }; } export function sort(type, direction, field) { return { type: 'FILES_DATA_SORT', payload: { type, direction, field, }, }; } export function setPath(path) { return { type: 'FILES_SET_PATH', payload: path, }; } export function setCount(count) { return { type: 'FILES_COUNT_UPDATE', payload: count, }; } export function toggleIsSelected(id) { return { type: 'FILE_IS_SELECTED_TOGGLE', payload: id, }; } export function deleteFile(id) { return { type: 'FILE_DATA_DELETE', payload: id, }; } export function updateLoader(isLoading, message) { return { type: 'FILES_LOADER_UPDATE', payload: { isLoading, message, }, }; } export function clearData() { return { type: 'FILES_CLEAR_DATA', }; }
export function load(files) { return { type: 'FILES_DATA_LOAD', payload: files.map(file => { return { id: file.Id, newName: file.NewName, originalName: file.OriginalName, size: file.Size, type: file.Type, isSelected: file.Selected, }; }), }; } export function sort(type, direction, field) { return { type: 'FILES_DATA_SORT', payload: { type, direction, field, }, }; } export function setPath(path) { return { type: 'FILES_SET_PATH', payload: path, }; } export function setCount(count) { return { type: 'FILES_COUNT_UPDATE', payload: count, }; } export function toggleIsSelected(id) { return { type: 'FILE_IS_SELECTED_TOGGLE', payload: id, }; } export function deleteFile(id) { return { type: 'FILE_DATA_DELETE', payload: id, }; } export function updateLoader(isLoading, message) { return { type: 'FILES_LOADER_UPDATE', payload: { isLoading, message, }, }; } export function clearData() { return { type: 'FILES_CLEAR_DATA', }; }
Update Filtered to Selected object key
Update Filtered to Selected object key
JavaScript
mit
radencode/reflow-client,radencode/reflow-client,radencode/reflow,radencode/reflow
--- +++ @@ -8,7 +8,7 @@ originalName: file.OriginalName, size: file.Size, type: file.Type, - isSelected: file.Filtered, + isSelected: file.Selected, }; }), };
fbc505bfc58d825d5440a260293ea3dcae04d56d
addon/services/google-charts.js
addon/services/google-charts.js
import RSVP from 'rsvp'; import Service from '@ember/service'; export default Service.extend({ language: 'en', init() { this._super(...arguments); this.googlePackages = this.googlePackages || ['corechart', 'bar', 'line', 'scatter']; this.defaultOptions = this.defaultOptions || { animation: { duration: 500, startup: false, }, }; }, loadPackages() { const { google: { charts } } = window; return new RSVP.Promise((resolve, reject) => { const packagesAreLoaded = charts.loader; if (packagesAreLoaded) { resolve(); } else { charts.load('current', { language: this.get('language'), packages: this.get('googlePackages'), }); charts.setOnLoadCallback((ex) => { if (ex) { reject(ex); } resolve(); }); } }); }, });
import RSVP from 'rsvp'; import Service from '@ember/service'; export default Service.extend({ language: 'en', init() { this._super(...arguments); this.googlePackages = this.googlePackages || ['corechart', 'bar', 'line', 'scatter']; this.defaultOptions = this.defaultOptions || { animation: { duration: 500, startup: false, }, }; }, loadPackages() { const { google: { charts, visualization } } = window; return new RSVP.Promise((resolve, reject) => { if (visualization !== undefined) { resolve(); } else { charts.load('current', { language: this.get('language'), packages: this.get('googlePackages'), }); charts.setOnLoadCallback((ex) => { if (ex) { reject(ex); } resolve(); }); } }); }, });
Fix google visualization undefined error
Fix google visualization undefined error similar to https://github.com/sir-dunxalot/ember-google-charts/pull/56 (with failing tests), see also the comment in https://github.com/sir-dunxalot/ember-google-charts/issues/57
JavaScript
mit
sir-dunxalot/ember-google-charts,sir-dunxalot/ember-google-charts
--- +++ @@ -17,12 +17,10 @@ }, loadPackages() { - const { google: { charts } } = window; + const { google: { charts, visualization } } = window; return new RSVP.Promise((resolve, reject) => { - const packagesAreLoaded = charts.loader; - - if (packagesAreLoaded) { + if (visualization !== undefined) { resolve(); } else { charts.load('current', {
d267a3b7deb8d478ee2e17a64921b44cf3f29b17
app/assets/javascripts/application.js
app/assets/javascripts/application.js
// This is a manifest file that'll be compiled into application.js, which will include all the files // listed below. // // Any JavaScript/Coffee file within this directory, lib/assets/javascripts, vendor/assets/javascripts, // or vendor/assets/javascripts of plugins, if any, can be referenced here using a relative path. // // It's not advisable to add code directly here, but if you do, it'll appear at the bottom of the // the compiled file. // // WARNING: THE FIRST BLANK LINE MARKS THE END OF WHAT'S TO BE PROCESSED, ANY BLANK LINE SHOULD // GO AFTER THE REQUIRES BELOW. // //= require jquery // TODO: jquery_ujs is currently used for the serverside-rendered logout link on the home page // and should be removed as soon as a new solution is in place. //= require jquery_ujs //= require underscore // // --- // // TODO: Remove foundation dependencies with upcoming redesign: // //= require foundation/modernizr.foundation //= require foundation/jquery.placeholder //= require foundation/jquery.foundation.alerts //= require foundation/jquery.foundation.accordion //= require foundation/jquery.foundation.buttons //= require foundation/jquery.foundation.tooltips //= require foundation/jquery.foundation.forms //= require foundation/jquery.foundation.tabs //= require foundation/jquery.foundation.navigation //= require foundation/jquery.foundation.topbar //= require foundation/jquery.foundation.reveal //= require foundation/jquery.foundation.orbit //= require foundation/jquery.foundation.joyride //= require foundation/jquery.foundation.clearing //= require foundation/jquery.foundation.mediaQueryToggle //= require foundation/app // // --- // //= require_tree ./_domscripting //= require i18n //= require i18n/translations
// This is a manifest file that'll be compiled into application.js, which will include all the files // listed below. // // Any JavaScript/Coffee file within this directory, lib/assets/javascripts, vendor/assets/javascripts, // or vendor/assets/javascripts of plugins, if any, can be referenced here using a relative path. // // It's not advisable to add code directly here, but if you do, it'll appear at the bottom of the // the compiled file. // // WARNING: THE FIRST BLANK LINE MARKS THE END OF WHAT'S TO BE PROCESSED, ANY BLANK LINE SHOULD // GO AFTER THE REQUIRES BELOW. // //= require jquery // TODO: jquery_ujs is currently used for the serverside-rendered logout link on the home page // and should be removed as soon as a new solution is in place. //= require jquery_ujs //= require underscore // // --- // // TODO: Remove foundation dependencies with upcoming redesign: // //= require foundation/jquery.foundation.alerts //= require foundation/jquery.foundation.reveal //= require foundation/app // // --- // //= require_tree ./_domscripting //= require i18n //= require i18n/translations
Remove unused foundation JS components.
Remove unused foundation JS components.
JavaScript
agpl-3.0
teikei/teikei,sjockers/teikei,sjockers/teikei,sjockers/teikei,teikei/teikei,teikei/teikei
--- +++ @@ -20,21 +20,8 @@ // // TODO: Remove foundation dependencies with upcoming redesign: // -//= require foundation/modernizr.foundation -//= require foundation/jquery.placeholder //= require foundation/jquery.foundation.alerts -//= require foundation/jquery.foundation.accordion -//= require foundation/jquery.foundation.buttons -//= require foundation/jquery.foundation.tooltips -//= require foundation/jquery.foundation.forms -//= require foundation/jquery.foundation.tabs -//= require foundation/jquery.foundation.navigation -//= require foundation/jquery.foundation.topbar //= require foundation/jquery.foundation.reveal -//= require foundation/jquery.foundation.orbit -//= require foundation/jquery.foundation.joyride -//= require foundation/jquery.foundation.clearing -//= require foundation/jquery.foundation.mediaQueryToggle //= require foundation/app // // ---