code
stringlengths
2
1.05M
repo_name
stringlengths
5
114
path
stringlengths
4
991
language
stringclasses
1 value
license
stringclasses
15 values
size
int32
2
1.05M
// Initialize your app var myApp = new Framework7({ cache: false, }); // Export selectors engine var $$ = Dom7; // Add views var leftView = myApp.addView('.view-left', { // Because we use fixed-through navbar we can enable dynamic navbar dynamicNavbar: true ,ignoreCache : true }); var mainView = myApp.addView('.view-main', { // Because we use fixed-through navbar we can enable dynamic navbar dynamicNavbar: true ,ignoreCache : true }); myApp.pageData = {'sliders' : {'clockIn' : {'value' : 0 , outputHour : 0, outputMins: 0}, 'clockOut' : {'value' : 0, outputHour : 0, outputMins: 0} }} myApp.onPageInit('ClockIn special', function (page) { myApp.options = {}; myApp.options.StartHour = 5; //Clear div // $$('.ajaxResult1');.html('..'); $$('.inputStartHour').val(myApp.options.StartHour); myApp.CalculateHoursWorked = function(){ //Figure out hours worked by blocks. var CheckInTime = $$('.inputCheckInTime').val(); var CheckOutTime = $$('.inputCheckOutTime').val(); var CheckInArray = CheckInTime.split(':'); var CheckOutArray = CheckOutTime.split(':'); var InMinutes = (parseFloat(CheckInArray[0],2) * 60 )+ parseFloat(CheckInArray[1]); var OutMinutes = (parseFloat(CheckOutArray[0],2) * 60 )+ parseFloat(CheckOutArray[1]); hoursWorked = hoursTohhmm((OutMinutes - InMinutes) /60); $$('.hourWorked').html(hoursWorked +' hours. ' ); $$('.clockHoursWorked').val(hoursWorked +' hours. '); } myApp.SliderToTime = function (sliderValue) { //Start at 5am and create increments for each minute to midnight var startTime = 60 * myApp.options.StartHour; var maxTime = 60 * 24; var totalMins = maxTime - startTime; var outputValue = (totalMins / 100) * sliderValue; var inMins = (outputValue / 60 ) + 5 ; var outputHour = Math.floor(inMins); var theMins = (inMins - outputHour) * 100;; var outputMins = 0; //Set out intervals of 15 mins. if (theMins < 25){ outputMins = '00'; }else if (theMins < 50){ outputMins = '15'; } else if (theMins < 75) { outputMins = '30'; }else if (theMins < 100) { outputMins = '45'; } else { outputMins = '45'; } return myApp.Time24To12({ 'outputMins' : outputMins, 'outputHour' : outputHour , 'ampm' : '', 'pmHour': outputHour}); } myApp.TimeToSlider = function(Hour, Min ){ //5am start. var startTime = 60 * myApp.options.StartHour; var maxTime = 60 * 24; var totalMins = maxTime - startTime; var TotalMinutesSelected = ((Hour - myApp.options.StartHour) * 60 )+ Min; var perc = TotalMinutesSelected / totalMins; return TimeToSlider; } myApp.Time24To12 = function(TimeArray) { if (TimeArray.outputHour > 12){ TimeArray.ampm = 'PM'; TimeArray.pmHour = TimeArray.outputHour - 12; } else { TimeArray.ampm = 'AM'; } return TimeArray; } $$('.clockInSliderPosition').on('input change', function(){ Output = myApp.SliderToTime(this.value); $$('.clockinSelectOutput').html( Output.pmHour + ':' + Output.outputMins + ' ' + Output.ampm); $$('.inputCheckInTime').val(Output.outputHour + ':' + Output.outputMins); myApp.pageData.sliders.clockIn.outputHour = Output.outputHour; myApp.pageData.sliders.clockIn.outputMins = Output.outputMins; myApp.pageData.sliders.clockIn.value = this.value; myApp.CalculateHoursWorked(); }); myApp.CalculateSliderHours = function(){ Output = myApp.SliderToTime(this.value); $$('.clockOutSelectOutput').html( Output.pmHour + ':' + Output.outputMins+ ' ' + Output.ampm); $$('.inputCheckOutTime').val(Output.outputHour + ':' + Output.outputMins); myApp.pageData.sliders.clockOut.outputHour = Output.outputHour; myApp.pageData.sliders.clockOut.outputMins = Output.outputMins; myApp.pageData.sliders.clockOut.value = this.value; myApp.CalculateHoursWorked(); } $$('.clockOutSliderPosition').on('input change', myApp.CalculateSliderHours ); //Form Submit variables $$('form.ajax-submit').on('submitError', function (e) { alert('An error has occured while recording your ClockIn Details. Please record on paper and contact Toby.'); }); $$('.btnsavedone').on('click' , function(){ // alert('ha'); myApp.BtnSaveDoneClicked = true; $$('.debugout').html($$('.debugout').html() + ';' ); }) $$('form.ajax-submit').on('submitted', function (e) { var ajaxResultDiv = $$('.ajaxResult1'); $$('.debugout').html($$('.debugout').html() + 'x' ); if (myApp.BtnSaveDoneClicked == true){ // Initialize View var mainView = myApp.addView('.view-main') $$('.debugout').html($$('.debugout').html() + 'y' ); // Load page from about.html file to main View: //var empid = $$('input:[name=employeeID]').val(); //mainView.router.loadPage('done.php?id=' + empid); //alert($$('.input_employeeid').val() + ' ' + 'done.php?id=' + $$('#employeeID').val() ); var empid = $$( e.currentTarget ).find('input.employeeID') mainView.router.loadPage('done.php?id=' + $$(empid).val()); } myApp.BtnSaveDoneClicked = false; // var data = e.detail.data; // Ajax response from action file // do something with response data //alert( e.detail.stringify()); // ajaxResultDiv.html(data); }) }); function hoursTohhmm(hours){ var sign = hours < 0 ? "-" : ""; var h = Math.floor(Math.abs(hours)) var m = Math.floor((Math.abs(hours) * 60) % 60); return sign + (h < 10 ? "0" : "") + h + ":" + (m < 10 ? "0" : "") + m; }
tobya/wageminder
clockin/js/my-app.js
JavaScript
mit
5,892
export const ic_system_update = {"viewBox":"0 0 24 24","children":[{"name":"path","attribs":{"d":"M0 0h24v24H0z","fill":"none"},"children":[]},{"name":"path","attribs":{"d":"M17 1.01L7 1c-1.1 0-2 .9-2 2v18c0 1.1.9 2 2 2h10c1.1 0 2-.9 2-2V3c0-1.1-.9-1.99-2-1.99zM17 19H7V5h10v14zm-1-6h-3V8h-2v5H8l4 4 4-4z"},"children":[]}]};
wmira/react-icons-kit
src/md/ic_system_update.js
JavaScript
mit
324
define(["app/helpers"], function(helpers) { return ["$http", function($http) { // This is a constructor function for the singleton SnippetLoader service. It will be called exactly once by the AngularJS Dependecy Injector. this.loadContentTemplate = function(contentType) { return new Promise(function(resolve, reject) { console.log("Loading content template of type:", contentType); if (!contentType) contentType = "_undefined"; $http.get("snippets/content_templates/" + contentType + ".json").then(function(r) { var template = r.data; console.log("Received content template:", template); resolve(template); }).catch(function (e) { console.error("Error requesting content template:", e); reject(e); }) }); }; this.loadPageTemplate = function(type) { return this.loadContentTemplate(type).then(function(t) { t.id = helpers.generateGuid(); return t; }).catch(function(e) { console.error("Unable to load page template", e); }); } this.loadQuestionTemplate = function(type) { return this.loadContentTemplate(type).then(function(t) { t.id = helpers.generateGuid(); return t; }).catch(function(e) { console.error("Unable to load question template", e); }); } }]; });
ucam-cl-dtg/scooter
app/js/app/services/SnippetLoader.js
JavaScript
mit
1,288
/* * Copyright (c) 2012 Adobe Systems Incorporated. All rights reserved. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER * DEALINGS IN THE SOFTWARE. * */ /*jslint vars: true, plusplus: true, devel: true, nomen: true, indent: 4, maxerr: 50, regexp: true */ /*global define, $, _parseRuleList: true */ // JSLint Note: _parseRuleList() is cyclical dependency, not a global function. // It was added to this list to prevent JSLint warning about being used before being defined. /** * Set of utilities for simple parsing of CSS text. */ define(function (require, exports, module) { "use strict"; var CodeMirror = require("thirdparty/CodeMirror2/lib/codemirror"), Async = require("utils/Async"), DocumentManager = require("document/DocumentManager"), EditorManager = require("editor/EditorManager"), HTMLUtils = require("language/HTMLUtils"), ProjectManager = require("project/ProjectManager"), TokenUtils = require("utils/TokenUtils"), _ = require("thirdparty/lodash"); // Constants var SELECTOR = "selector", PROP_NAME = "prop.name", PROP_VALUE = "prop.value", IMPORT_URL = "import.url"; var RESERVED_FLOW_NAMES = ["content", "element"], INVALID_FLOW_NAMES = ["none", "inherit", "default", "auto", "initial"], IGNORED_FLOW_NAMES = RESERVED_FLOW_NAMES.concat(INVALID_FLOW_NAMES); /** * @private * Checks if the current cursor position is inside the property name context * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @return {boolean} true if the context is in property name */ function _isInPropName(ctx) { var state, lastToken; if (!ctx || !ctx.token || !ctx.token.state || ctx.token.type === "comment") { return false; } state = ctx.token.state.localState || ctx.token.state; if (!state.context) { return false; } lastToken = state.context.type; return (lastToken === "{" || lastToken === "rule" || lastToken === "block"); } /** * @private * Checks if the current cursor position is inside the property value context * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @return {boolean} true if the context is in property value */ function _isInPropValue(ctx) { function isInsideParens(context) { if (context.type !== "parens" || !context.prev) { return false; } if (context.prev.type === "prop") { return true; } return isInsideParens(context.prev); } var state; if (!ctx || !ctx.token || !ctx.token.state || ctx.token.type === "comment") { return false; } state = ctx.token.state.localState || ctx.token.state; if (!state.context || !state.context.prev) { return false; } return ((state.context.type === "prop" && (state.context.prev.type === "rule" || state.context.prev.type === "block")) || isInsideParens(state.context)); } /** * @private * Checks if the current cursor position is inside an at-rule * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @return {boolean} true if the context is in property value */ function _isInAtRule(ctx) { var state; if (!ctx || !ctx.token || !ctx.token.state) { return false; } state = ctx.token.state.localState || ctx.token.state; if (!state.context) { return false; } return (state.context.type === "at"); } /** * @private * Creates a context info object * @param {string=} context A constant string * @param {number=} offset The offset of the token for a given cursor position * @param {string=} name Property name of the context * @param {number=} index The index of the property value for a given cursor position * @param {Array.<string>=} values An array of property values * @param {boolean=} isNewItem If this is true, then the value in index refers to the index at which a new item * is going to be inserted and should not be used for accessing an existing value in values array. * @param {{start: {line: number, ch: number}, * end: {line: number, ch: number}}=} range A range object with a start position and an end position * @return {{context: string, * offset: number, * name: string, * index: number, * values: Array.<string>, * isNewItem: boolean, * range: {start: {line: number, ch: number}, * end: {line: number, ch: number}}}} A CSS context info object. */ function createInfo(context, offset, name, index, values, isNewItem, range) { var ruleInfo = { context: context || "", offset: offset || 0, name: name || "", index: -1, values: [], isNewItem: (isNewItem === true), range: range }; if (context === PROP_VALUE || context === SELECTOR || context === IMPORT_URL) { ruleInfo.index = index; ruleInfo.values = values; } return ruleInfo; } /** * @private * Scan backwards to check for any prefix if the current context is property name. * If the current context is in a prefix (either 'meta' or '-'), then scan forwards * to collect the entire property name. Return the name of the property in the CSS * context info object if there is one that seems to be valid. Return an empty context * info when we find an invalid one. * * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} ctx context * @return {{context: string, * offset: number, * name: string, * index: number, * values: Array.<string>, * isNewItem: boolean, * range: {start: {line: number, ch: number}, * end: {line: number, ch: number}}}} A CSS context info object. */ function _getPropNameInfo(ctx) { var propName = "", offset = TokenUtils.offsetInToken(ctx), tokenString = ctx.token.string, excludedCharacters = [";", "{", "}"]; if (ctx.token.type === "property" || ctx.token.type === "property error" || ctx.token.type === "tag") { propName = tokenString; if (TokenUtils.movePrevToken(ctx) && /\S/.test(ctx.token.string) && excludedCharacters.indexOf(ctx.token.string) === -1) { propName = ctx.token.string + tokenString; offset += ctx.token.string.length; } } else if (ctx.token.type === "meta" || tokenString === "-") { propName = tokenString; if (TokenUtils.moveNextToken(ctx) && (ctx.token.type === "property" || ctx.token.type === "property error" || ctx.token.type === "tag")) { propName += ctx.token.string; } } else if (/\S/.test(tokenString) && excludedCharacters.indexOf(tokenString) === -1) { // We're not inside the property name context. return createInfo(); } else { var testPos = {ch: ctx.pos.ch + 1, line: ctx.pos.line}, testToken = ctx.editor.getTokenAt(testPos, true); if (testToken.type === "property" || testToken.type === "property error" || testToken.type === "tag") { propName = testToken.string; offset = 0; } } // If we're in the property name context but not in an existing property name, // then reset offset to zero. if (propName === "") { offset = 0; } return createInfo(PROP_NAME, offset, propName); } /** * @private * Scans backwards from the current context and returns the name of the property if there is * a valid one. * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @return {string} the property name of the current rule. */ function _getPropNameStartingFromPropValue(ctx) { var ctxClone = $.extend({}, ctx), propName = ""; do { // If we're no longer in the property value before seeing a colon, then we don't // have a valid property name. Just return an empty string. if (ctxClone.token.string !== ":" && !_isInPropValue(ctxClone)) { return ""; } } while (ctxClone.token.string !== ":" && TokenUtils.moveSkippingWhitespace(TokenUtils.movePrevToken, ctxClone)); if (ctxClone.token.string === ":" && TokenUtils.moveSkippingWhitespace(TokenUtils.movePrevToken, ctxClone) && (ctxClone.token.type === "property" || ctxClone.token.type === "property error")) { propName = ctxClone.token.string; if (TokenUtils.movePrevToken(ctxClone) && ctxClone.token.type === "meta") { propName = ctxClone.token.string + propName; } } return propName; } /** * @private * Gets all of the space/comma seperated tokens before the the current cursor position. * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @return {?Array.<string>} An array of all the space/comma seperated tokens before the * current cursor position */ function _getPrecedingPropValues(ctx) { var lastValue = "", curValue, propValues = []; while (ctx.token.string !== ":" && TokenUtils.movePrevToken(ctx)) { if (ctx.token.string === ":" || !_isInPropValue(ctx)) { break; } curValue = ctx.token.string; if (lastValue !== "") { curValue += lastValue; } if ((ctx.token.string.length > 0 && !ctx.token.string.match(/\S/)) || ctx.token.string === ",") { lastValue = curValue; } else { lastValue = ""; if (propValues.length === 0 || curValue.match(/,\s*$/)) { // stack is empty, or current value ends with a comma // (and optional whitespace), so push it on the stack propValues.push(curValue); } else { // current value does not end with a comma (and optional ws) so prepend // to last stack item (e.g. "rgba(50" get broken into 2 tokens) propValues[propValues.length - 1] = curValue + propValues[propValues.length - 1]; } } } if (propValues.length > 0) { propValues.reverse(); } return propValues; } /** * @private * Gets all of the space/comma seperated tokens after the the current cursor position. * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @param {string} currentValue The token string at the current cursor position * @return {?Array.<string>} An array of all the space/comma seperated tokens after the * current cursor position */ function _getSucceedingPropValues(ctx, currentValue) { var lastValue = currentValue, curValue, propValues = []; while (ctx.token.string !== ";" && ctx.token.string !== "}" && TokenUtils.moveNextToken(ctx)) { if (ctx.token.string === ";" || ctx.token.string === "}") { break; } if (!_isInPropValue(ctx)) { lastValue = ""; break; } if (lastValue === "") { lastValue = ctx.token.string.trim(); } else if (lastValue.length > 0) { if (ctx.token.string.length > 0 && !ctx.token.string.match(/\S/)) { lastValue += ctx.token.string; propValues.push(lastValue); lastValue = ""; } else if (ctx.token.string === ",") { lastValue += ctx.token.string; } else if (lastValue && lastValue.match(/,$/)) { propValues.push(lastValue); if (ctx.token.string.length > 0) { lastValue = ctx.token.string; } else { lastValue = ""; } } else { // e.g. "rgba(50" gets broken into 2 tokens lastValue += ctx.token.string; } } } if (lastValue.length > 0) { propValues.push(lastValue); } return propValues; } /** * @private * Return a range object with a start position and an end position after * skipping any whitespaces and all separators used before and after a * valid property value. * * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} startCtx context * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} endCtx context * @return {{start: {line: number, ch: number}, * end: {line: number, ch: number}}} A range object. */ function _getRangeForPropValue(startCtx, endCtx) { var range = { "start": {}, "end": {} }; // Skip the ":" and any leading whitespace while (TokenUtils.moveNextToken(startCtx)) { if (/\S/.test(startCtx.token.string)) { break; } } // Skip the trailing whitespace and property separators. while (endCtx.token.string === ";" || endCtx.token.string === "}" || !/\S/.test(endCtx.token.string)) { TokenUtils.movePrevToken(endCtx); } range.start = _.clone(startCtx.pos); range.start.ch = startCtx.token.start; range.end = _.clone(endCtx.pos); range.end.ch = endCtx.token.end; return range; } /** * @private * Returns a context info object for the current CSS style rule * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @param {!Editor} editor * @return {{context: string, * offset: number, * name: string, * index: number, * values: Array.<string>, * isNewItem: boolean, * range: {start: {line: number, ch: number}, * end: {line: number, ch: number}}}} A CSS context info object. */ function _getRuleInfoStartingFromPropValue(ctx, editor) { var propNamePos = $.extend({}, ctx.pos), backwardPos = $.extend({}, ctx.pos), forwardPos = $.extend({}, ctx.pos), propNameCtx = TokenUtils.getInitialContext(editor._codeMirror, propNamePos), backwardCtx, forwardCtx, lastValue = "", propValues = [], index = -1, offset = TokenUtils.offsetInToken(ctx), canAddNewOne = false, testPos = {ch: ctx.pos.ch + 1, line: ctx.pos.line}, testToken = editor._codeMirror.getTokenAt(testPos, true), propName, range; // Get property name first. If we don't have a valid property name, then // return a default rule info. propName = _getPropNameStartingFromPropValue(propNameCtx); if (!propName) { return createInfo(); } // Scan backward to collect all preceding property values backwardCtx = TokenUtils.getInitialContext(editor._codeMirror, backwardPos); propValues = _getPrecedingPropValues(backwardCtx); lastValue = ""; if (ctx.token.string === ":") { index = 0; canAddNewOne = true; } else { index = propValues.length - 1; if (ctx.token.string === ",") { propValues[index] += ctx.token.string; index++; canAddNewOne = true; } else { index = (index < 0) ? 0 : index + 1; if (ctx.token.string.match(/\S/)) { lastValue = ctx.token.string; } else { // Last token is all whitespace canAddNewOne = true; if (index > 0) { // Append all spaces before the cursor to the previous value in values array propValues[index - 1] += ctx.token.string.substr(0, offset); } } } } if (canAddNewOne) { offset = 0; // If pos is at EOL, then there's implied whitespace (newline). if (editor.document.getLine(ctx.pos.line).length > ctx.pos.ch && (testToken.string.length === 0 || testToken.string.match(/\S/))) { canAddNewOne = false; } } // Scan forward to collect all succeeding property values and append to all propValues. forwardCtx = TokenUtils.getInitialContext(editor._codeMirror, forwardPos); propValues = propValues.concat(_getSucceedingPropValues(forwardCtx, lastValue)); if (propValues.length) { range = _getRangeForPropValue(backwardCtx, forwardCtx); } else { // No property value, so just return the cursor pos as range range = { "start": _.clone(ctx.pos), "end": _.clone(ctx.pos) }; } // If current index is more than the propValues size, then the cursor is // at the end of the existing property values and is ready for adding another one. if (index === propValues.length) { canAddNewOne = true; } return createInfo(PROP_VALUE, offset, propName, index, propValues, canAddNewOne, range); } /** * @private * Returns a context info object for the current CSS import rule * @param {editor:{CodeMirror}, pos:{ch:{string}, line:{number}}, token:{object}} context * @param {!Editor} editor * @return {{context: string, * offset: number, * name: string, * index: number, * values: Array.<string>, * isNewItem: boolean, * range: {start: {line: number, ch: number}, * end: {line: number, ch: number}}}} A CSS context info object. */ function _getImportUrlInfo(ctx, editor) { var propNamePos = $.extend({}, ctx.pos), backwardPos = $.extend({}, ctx.pos), forwardPos = $.extend({}, ctx.pos), backwardCtx, forwardCtx, index = 0, propValues = [], offset = TokenUtils.offsetInToken(ctx), testPos = {ch: ctx.pos.ch + 1, line: ctx.pos.line}, testToken = editor._codeMirror.getTokenAt(testPos, true); // Currently only support url. May be null if starting to type if (ctx.token.type && ctx.token.type !== "string") { return createInfo(); } // Move backward to @import and collect data as we go. We return propValues // array, but we can only have 1 value, so put all data in first item backwardCtx = TokenUtils.getInitialContext(editor._codeMirror, backwardPos); propValues[0] = backwardCtx.token.string; while (TokenUtils.movePrevToken(backwardCtx)) { if (backwardCtx.token.type === "def" && backwardCtx.token.string === "@import") { break; } if (backwardCtx.token.type && backwardCtx.token.type !== "tag" && backwardCtx.token.string !== "url") { // Previous token may be white-space // Otherwise, previous token may only be "url(" break; } propValues[0] = backwardCtx.token.string + propValues[0]; offset += backwardCtx.token.string.length; } if (backwardCtx.token.type !== "def" || backwardCtx.token.string !== "@import") { // Not in url return createInfo(); } // Get value after cursor up until closing paren or newline forwardCtx = TokenUtils.getInitialContext(editor._codeMirror, forwardPos); do { if (!TokenUtils.moveNextToken(forwardCtx)) { if (forwardCtx.token.string === "(") { break; } else { return createInfo(); } } propValues[0] += forwardCtx.token.string; } while (forwardCtx.token.string !== ")" && forwardCtx.token.string !== ""); return createInfo(IMPORT_URL, offset, "", index, propValues, false); } /** * Returns a context info object for the given cursor position * @param {!Editor} editor * @param {{ch: number, line: number}} constPos A CM pos (likely from editor.getCursorPos()) * @return {{context: string, * offset: number, * name: string, * index: number, * values: Array.<string>, * isNewItem: boolean, * range: {start: {line: number, ch: number}, * end: {line: number, ch: number}}}} A CSS context info object. */ function getInfoAtPos(editor, constPos) { // We're going to be changing pos a lot, but we don't want to mess up // the pos the caller passed in so we use extend to make a safe copy of it. var pos = $.extend({}, constPos), ctx = TokenUtils.getInitialContext(editor._codeMirror, pos), offset = TokenUtils.offsetInToken(ctx), propName = "", mode = editor.getModeForSelection(); // Check if this is inside a style block or in a css/less document. if (mode !== "css" && mode !== "text/x-scss" && mode !== "text/x-less") { return createInfo(); } if (_isInPropName(ctx)) { return _getPropNameInfo(ctx, editor); } if (_isInPropValue(ctx)) { return _getRuleInfoStartingFromPropValue(ctx, editor); } if (_isInAtRule(ctx)) { return _getImportUrlInfo(ctx, editor); } return createInfo(); } /** * Extracts all CSS selectors from the given text * Returns an array of selectors. Each selector is an object with the following properties: selector: the text of the selector (note: comma separated selector groups like "h1, h2" are broken into separate selectors) ruleStartLine: line in the text where the rule (including preceding comment) appears ruleStartChar: column in the line where the rule (including preceding comment) starts selectorStartLine: line in the text where the selector appears selectorStartChar: column in the line where the selector starts selectorEndLine: line where the selector ends selectorEndChar: column where the selector ends selectorGroupStartLine: line where the comma-separated selector group (e.g. .foo, .bar, .baz) starts that this selector (e.g. .baz) is part of. Particularly relevant for groups that are on multiple lines. selectorGroupStartChar: column in line where the selector group starts. selectorGroup: the entire selector group containing this selector, or undefined if there is only one selector in the rule. declListStartLine: line where the declaration list for the rule starts declListStartChar: column in line where the declaration list for the rule starts declListEndLine: line where the declaration list for the rule ends declListEndChar: column in the line where the declaration list for the rule ends * @param text {!string} CSS text to extract from * @return {Array.<Object>} Array with objects specifying selectors. */ function extractAllSelectors(text) { var selectors = []; var mode = CodeMirror.getMode({indentUnit: 2}, "css"); var state, lines, lineCount; var token, style, stream, line; var currentSelector = ""; var ruleStartChar = -1, ruleStartLine = -1; var selectorStartChar = -1, selectorStartLine = -1; var selectorGroupStartLine = -1, selectorGroupStartChar = -1; var declListStartLine = -1, declListStartChar = -1; var escapePattern = new RegExp("\\\\[^\\\\]+", "g"); var validationPattern = new RegExp("\\\\([a-f0-9]{6}|[a-f0-9]{4}(\\s|\\\\|$)|[a-f0-9]{2}(\\s|\\\\|$)|.)", "i"); // implement _firstToken()/_nextToken() methods to // provide a single stream of tokens function _hasStream() { while (stream.eol()) { line++; if (line >= lineCount) { return false; } if (currentSelector.match(/\S/)) { // If we are in a current selector and starting a newline, // make sure there is whitespace in the selector currentSelector += " "; } stream = new CodeMirror.StringStream(lines[line]); } return true; } function _firstToken() { state = CodeMirror.startState(mode); lines = CodeMirror.splitLines(text); lineCount = lines.length; if (lineCount === 0) { return false; } line = 0; stream = new CodeMirror.StringStream(lines[line]); if (!_hasStream()) { return false; } style = mode.token(stream, state); token = stream.current(); return true; } function _nextToken() { // advance the stream past this token stream.start = stream.pos; if (!_hasStream()) { return false; } style = mode.token(stream, state); token = stream.current(); return true; } function _firstTokenSkippingWhitespace() { if (!_firstToken()) { return false; } while (!token.match(/\S/)) { if (!_nextToken()) { return false; } } return true; } function _nextTokenSkippingWhitespace() { if (!_nextToken()) { return false; } while (!token.match(/\S/)) { if (!_nextToken()) { return false; } } return true; } function _isStartComment() { return (token.match(/^\/\*/)); } function _parseComment() { while (!token.match(/\*\/$/)) { if (!_nextToken()) { break; } } } function _nextTokenSkippingComments() { if (!_nextToken()) { return false; } while (_isStartComment()) { _parseComment(); if (!_nextToken()) { return false; } } return true; } function _skipToClosingBracket() { var unmatchedBraces = 0; while (true) { if (token === "{") { unmatchedBraces++; } else if (token === "}") { unmatchedBraces--; if (unmatchedBraces === 0) { return; } } if (!_nextTokenSkippingComments()) { return; // eof } } } function _parseSelector(start) { currentSelector = ""; selectorStartChar = start; selectorStartLine = line; // Everything until the next ',' or '{' is part of the current selector while (token !== "," && token !== "{") { currentSelector += token; if (!_nextTokenSkippingComments()) { return false; // eof } } // Unicode character replacement as defined in http://www.w3.org/TR/CSS21/syndata.html#characters if (/\\/.test(currentSelector)) { // Double replace in case of pattern overlapping (regex improvement?) currentSelector = currentSelector.replace(escapePattern, function (escapedToken) { return escapedToken.replace(validationPattern, function (unicodeChar) { unicodeChar = unicodeChar.substr(1); if (unicodeChar.length === 1) { return unicodeChar; } else { if (parseInt(unicodeChar, 16) < 0x10FFFF) { return String.fromCharCode(parseInt(unicodeChar, 16)); } else { return String.fromCharCode(0xFFFD); } } }); }); } currentSelector = currentSelector.trim(); var startChar = (selectorGroupStartLine === -1) ? selectorStartChar : selectorStartChar + 1; var selectorStart = (stream.string.indexOf(currentSelector, selectorStartChar) !== -1) ? stream.string.indexOf(currentSelector, selectorStartChar - currentSelector.length) : startChar; if (currentSelector !== "") { selectors.push({selector: currentSelector, ruleStartLine: ruleStartLine, ruleStartChar: ruleStartChar, selectorStartLine: selectorStartLine, selectorStartChar: selectorStart, declListEndLine: -1, selectorEndLine: line, selectorEndChar: selectorStart + currentSelector.length, selectorGroupStartLine: selectorGroupStartLine, selectorGroupStartChar: selectorGroupStartChar }); currentSelector = ""; } selectorStartChar = -1; return true; } function _parseSelectorList() { selectorGroupStartLine = (stream.string.indexOf(",") !== -1) ? line : -1; selectorGroupStartChar = stream.start; if (!_parseSelector(stream.start)) { return false; } while (token === ",") { if (!_nextTokenSkippingComments()) { return false; // eof } if (!_parseSelector(stream.start)) { return false; } } return true; } function _parseDeclarationList() { var j; declListStartLine = Math.min(line, lineCount - 1); declListStartChar = stream.start; // Extract the entire selector group we just saw. var selectorGroup, sgLine; if (selectorGroupStartLine !== -1) { selectorGroup = ""; for (sgLine = selectorGroupStartLine; sgLine <= declListStartLine; sgLine++) { var startChar = 0, endChar = lines[sgLine].length; if (sgLine === selectorGroupStartLine) { startChar = selectorGroupStartChar; } else { selectorGroup += " "; // replace the newline with a single space } if (sgLine === declListStartLine) { endChar = declListStartChar; } selectorGroup += lines[sgLine].substring(startChar, endChar); } selectorGroup = selectorGroup.trim(); } // Since we're now in a declaration list, that means we also finished // parsing the whole selector group. Therefore, reset selectorGroupStartLine // so that next time we parse a selector we know it's a new group selectorGroupStartLine = -1; selectorGroupStartChar = -1; ruleStartLine = -1; ruleStartChar = -1; // Skip everything until the next '}' while (token !== "}") { if (!_nextTokenSkippingComments()) { break; } } // assign this declaration list position and selector group to every selector on the stack // that doesn't have a declaration list start and end line for (j = selectors.length - 1; j >= 0; j--) { if (selectors[j].declListEndLine !== -1) { break; } else { selectors[j].declListStartLine = declListStartLine; selectors[j].declListStartChar = declListStartChar; selectors[j].declListEndLine = line; selectors[j].declListEndChar = stream.pos - 1; // stream.pos actually points to the char after the } if (selectorGroup) { selectors[j].selectorGroup = selectorGroup; } } } } function includeCommentInNextRule() { if (ruleStartChar !== -1) { return false; // already included } if (stream.start > 0 && lines[line].substr(0, stream.start).indexOf("}") !== -1) { return false; // on same line as '}', so it's for previous rule } return true; } function _isStartAtRule() { return (token.match(/^@/)); } function _parseAtRule() { // reset these fields to ignore comments preceding @rules ruleStartLine = -1; ruleStartChar = -1; selectorStartLine = -1; selectorStartChar = -1; selectorGroupStartLine = -1; selectorGroupStartChar = -1; if (token.match(/@media/i)) { // @media rule holds a rule list // Skip everything until the opening '{' while (token !== "{") { if (!_nextTokenSkippingComments()) { return; // eof } } // skip past '{', to next non-ws token if (!_nextTokenSkippingWhitespace()) { return; // eof } // Parse rules until we see '}' _parseRuleList("}"); } else if (token.match(/@(charset|import|namespace)/i)) { // This code handles @rules in this format: // @rule ... ; // Skip everything until the next ';' while (token !== ";") { if (!_nextTokenSkippingComments()) { return; // eof } } } else { // This code handle @rules that use this format: // @rule ... { ... } // such as @page, @keyframes (also -webkit-keyframes, etc.), and @font-face. // Skip everything including nested braces until the next matching '}' _skipToClosingBracket(); } } // parse a style rule function _parseRule() { if (!_parseSelectorList()) { return false; } _parseDeclarationList(); } function _parseRuleList(escapeToken) { while ((!escapeToken) || token !== escapeToken) { if (_isStartAtRule()) { // @rule _parseAtRule(); } else if (_isStartComment()) { // comment - make this part of style rule if (includeCommentInNextRule()) { ruleStartChar = stream.start; ruleStartLine = line; } _parseComment(); } else { // Otherwise, it's style rule if (ruleStartChar === -1) { ruleStartChar = stream.start; ruleStartLine = line; } _parseRule(); } if (!_nextTokenSkippingWhitespace()) { break; } } } // Do parsing if (_firstTokenSkippingWhitespace()) { // Style sheet is a rule list _parseRuleList(); } return selectors; } /* * This code can be used to create an "independent" HTML document that can be passed to jQuery * calls. Allows using jQuery's CSS selector engine without actually putting anything in the browser's DOM * var _htmlDoctype = document.implementation.createDocumentType('html', '-//W3C//DTD XHTML 1.0 Strict//EN', 'http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd' ); var _htmlDocument = document.implementation.createDocument('http://www.w3.org/1999/xhtml', 'html', _htmlDoctype); function checkIfSelectorSelectsHTML(selector, theHTML) { $('html', _htmlDocument).html(theHTML); return ($(selector, _htmlDocument).length > 0); } */ /** * Finds all instances of the specified selector in "text". * Returns an Array of Objects with start and end properties. * * For Sprint 4, we only support simple selectors. This function will need to change * dramatically to support full selectors. * * FUTURE: (JRB) It would be nice to eventually use the browser/jquery to do the selector evaluation. * One way to do this would be to take the user's HTML, add a special attribute to every tag with a UID, * and then construct a DOM (using the commented out code above). Then, give this DOM and the selector to * jquery and ask what matches. If the node that the user's cursor is in comes back from jquery, then * we know the selector applies. * * @param text {!string} CSS text to search * @param selector {!string} selector to search for * @return {Array.<{selectorGroupStartLine:number, declListEndLine:number, selector:string}>} * Array of objects containing the start and end line numbers (0-based, inclusive range) for each * matched selector. */ function _findAllMatchingSelectorsInText(text, selector) { var allSelectors = extractAllSelectors(text); var result = []; var i; // For sprint 4 we only match the rightmost simple selector, and ignore // attribute selectors and pseudo selectors var classOrIdSelector = selector[0] === "." || selector[0] === "#"; var prefix = ""; // Escape initial "." in selector, if present. if (selector[0] === ".") { selector = "\\" + selector; } if (!classOrIdSelector) { // Tag selectors must have nothing, whitespace, or a combinator before it. selector = "(^|[\\s>+~])" + selector; } var re = new RegExp(selector + "(\\[[^\\]]*\\]|:{1,2}[\\w-()]+|\\.[\\w-]+|#[\\w-]+)*\\s*$", classOrIdSelector ? "" : "i"); allSelectors.forEach(function (entry) { if (entry.selector.search(re) !== -1) { result.push(entry); } else if (!classOrIdSelector) { // Special case for tag selectors - match "*" as the rightmost character if (/\*\s*$/.test(entry.selector)) { result.push(entry); } } }); return result; } /** * Converts the results of _findAllMatchingSelectorsInText() into a simpler bag of data and * appends those new objects to the given 'resultSelectors' Array. * @param {Array.<{document:Document, lineStart:number, lineEnd:number}>} resultSelectors * @param {Array.<{selectorGroupStartLine:number, declListEndLine:number, selector:string}>} selectorsToAdd * @param {!Document} sourceDoc * @param {!number} lineOffset Amount to offset all line number info by. Used if the first line * of the parsed CSS text is not the first line of the sourceDoc. */ function _addSelectorsToResults(resultSelectors, selectorsToAdd, sourceDoc, lineOffset) { selectorsToAdd.forEach(function (selectorInfo) { resultSelectors.push({ name: selectorInfo.selector, document: sourceDoc, lineStart: selectorInfo.ruleStartLine + lineOffset, lineEnd: selectorInfo.declListEndLine + lineOffset, selectorGroup: selectorInfo.selectorGroup }); }); } /** Finds matching selectors in CSS files; adds them to 'resultSelectors' */ function _findMatchingRulesInCSSFiles(selector, resultSelectors) { var result = new $.Deferred(); // Load one CSS file and search its contents function _loadFileAndScan(fullPath, selector) { var oneFileResult = new $.Deferred(); DocumentManager.getDocumentForPath(fullPath) .done(function (doc) { // Find all matching rules for the given CSS file's content, and add them to the // overall search result var oneCSSFileMatches = _findAllMatchingSelectorsInText(doc.getText(), selector); _addSelectorsToResults(resultSelectors, oneCSSFileMatches, doc, 0); oneFileResult.resolve(); }) .fail(function (error) { oneFileResult.reject(error); }); return oneFileResult.promise(); } ProjectManager.getAllFiles(ProjectManager.getLanguageFilter("css")) .done(function (cssFiles) { // Load index of all CSS files; then process each CSS file in turn (see above) Async.doInParallel(cssFiles, function (fileInfo, number) { return _loadFileAndScan(fileInfo.fullPath, selector); }) .then(result.resolve, result.reject); }); return result.promise(); } /** Finds matching selectors in the <style> block of a single HTML file; adds them to 'resultSelectors' */ function _findMatchingRulesInStyleBlocks(htmlDocument, selector, resultSelectors) { // HTMLUtils requires a real CodeMirror instance; make sure we can give it the right Editor var htmlEditor = EditorManager.getCurrentFullEditor(); if (htmlEditor.document !== htmlDocument) { console.error("Cannot search for <style> blocks in HTML file other than current editor"); return; } // Find all <style> blocks in the HTML file var styleBlocks = HTMLUtils.findStyleBlocks(htmlEditor); styleBlocks.forEach(function (styleBlockInfo) { // Search this one <style> block's content, appending results to 'resultSelectors' var oneStyleBlockMatches = _findAllMatchingSelectorsInText(styleBlockInfo.text, selector); _addSelectorsToResults(resultSelectors, oneStyleBlockMatches, htmlDocument, styleBlockInfo.start.line); }); } /** * Return all rules matching the specified selector. * For Sprint 4, we only look at the rightmost simple selector. For example, searching for ".foo" will * match these rules: * .foo {} * div .foo {} * div.foo {} * div .foo[bar="42"] {} * div .foo:hovered {} * div .foo::first-child * but will *not* match these rules: * .foobar {} * .foo .bar {} * div .foo .bar {} * .foo.bar {} * * @param {!string} selector The selector to match. This can be a tag selector, class selector or id selector * @param {?Document} htmlDocument An HTML file for context (so we can search <style> blocks) * @return {$.Promise} that will be resolved with an Array of objects containing the * source document, start line, and end line (0-based, inclusive range) for each matching declaration list. * Does not addRef() the documents returned in the array. */ function findMatchingRules(selector, htmlDocument) { var result = new $.Deferred(), resultSelectors = []; // Synchronously search for matches in <style> blocks if (htmlDocument) { _findMatchingRulesInStyleBlocks(htmlDocument, selector, resultSelectors); } // Asynchronously search for matches in all the project's CSS files // (results are appended together in same 'resultSelectors' array) _findMatchingRulesInCSSFiles(selector, resultSelectors) .done(function () { result.resolve(resultSelectors); }) .fail(function (error) { result.reject(error); }); return result.promise(); } /** * Returns the selector(s) of the rule at the specified document pos, or "" if the position is * is not within a style rule. * * @param {!Editor} editor Editor to search * @param {!{line: number, ch: number}} pos Position to search * @return {string} Selector(s) for the rule at the specified position, or "" if the position * is not within a style rule. If the rule has multiple selectors, a comma-separated * selector string is returned. */ function findSelectorAtDocumentPos(editor, pos) { var cm = editor._codeMirror; var ctx = TokenUtils.getInitialContext(cm, $.extend({}, pos)); var selector = "", inSelector = false, foundChars = false; function _stripAtRules(selector) { selector = selector.trim(); if (selector.indexOf("@") === 0) { return ""; } return selector; } // Parse a selector. Assumes ctx is pointing at the opening // { that is after the selector name. function _parseSelector(ctx) { var selector = ""; // Skip over { TokenUtils.movePrevToken(ctx); while (true) { if (ctx.token.type !== "comment") { // Stop once we've reached a {, }, or ; if (/[\{\}\;]/.test(ctx.token.string)) { break; } // Stop once we've reached a <style ...> tag if (ctx.token.string === "style" && ctx.token.type === "tag") { // Remove everything up to end-of-tag from selector var eotIndex = selector.indexOf(">"); if (eotIndex !== -1) { selector = selector.substring(eotIndex + 1); } break; } selector = ctx.token.string + selector; } if (!TokenUtils.movePrevToken(ctx)) { break; } } return selector; } // scan backwards to see if the cursor is in a rule while (true) { if (ctx.token.type !== "comment") { if (ctx.token.string === "}") { break; } else if (ctx.token.string === "{") { selector = _parseSelector(ctx); break; } else { if (/\S/.test(ctx.token.string)) { foundChars = true; } } } if (!TokenUtils.movePrevToken(ctx)) { break; } } selector = _stripAtRules(selector); // Reset the context to original scan position ctx = TokenUtils.getInitialContext(cm, $.extend({}, pos)); // special case - we aren't in a selector and haven't found any chars, // look at the next immediate token to see if it is non-whitespace if (!selector && !foundChars) { if (TokenUtils.moveNextToken(ctx) && ctx.token.type !== "comment" && /\S/.test(ctx.token.string)) { foundChars = true; ctx = TokenUtils.getInitialContext(cm, $.extend({}, pos)); } } // At this point if we haven't found a selector, but have seen chars when // scanning, assume we are in the middle of a selector. if (!selector && foundChars) { // scan forward to see if the cursor is in a selector while (true) { if (ctx.token.type !== "comment") { if (ctx.token.string === "{") { selector = _parseSelector(ctx); break; } else if (ctx.token.string === "}" || ctx.token.string === ";") { break; } } if (!TokenUtils.moveNextToken(ctx)) { break; } } } return _stripAtRules(selector); } /** * removes CSS comments from the content * @param {!string} content to reduce * @return {string} reduced content */ function _removeComments(content) { return content.replace(/\/\*(?:(?!\*\/)[\s\S])*\*\//g, ""); } /** * removes strings from the content * @param {!string} content to reduce * @return {string} reduced content */ function _removeStrings(content) { return content.replace(/[^\\]\"(.*)[^\\]\"|[^\\]\'(.*)[^\\]\'+/g, ""); } /** * Reduces the style sheet by removing comments and strings * so that the content can be parsed using a regular expression * @param {!string} content to reduce * @return {string} reduced content */ function reduceStyleSheetForRegExParsing(content) { return _removeStrings(_removeComments(content)); } /** * Extracts all named flow instances * @param {!string} text to extract from * @return {Array.<string>} array of unique flow names found in the content (empty if none) */ function extractAllNamedFlows(text) { var namedFlowRegEx = /(?:flow\-(into|from)\:\s*)([\w\-]+)(?:\s*;)/gi, result = [], names = {}, thisMatch; // Reduce the content so that matches // inside strings and comments are ignored text = reduceStyleSheetForRegExParsing(text); // Find the first match thisMatch = namedFlowRegEx.exec(text); // Iterate over the matches and add them to result while (thisMatch) { var thisName = thisMatch[2]; if (IGNORED_FLOW_NAMES.indexOf(thisName) === -1 && !names.hasOwnProperty(thisName)) { names[thisName] = result.push(thisName); } thisMatch = namedFlowRegEx.exec(text); } return result; } /** * Adds a new rule to the end of the given document, and returns the range of the added rule * and the position of the cursor on the indented blank line within it. Note that the range will * not include all the inserted text (we insert extra newlines before and after the rule). * @param {Document} doc The document to insert the rule into. * @param {string} selector The selector to use for the given rule. * @param {boolean} useTabChar Whether to indent with a tab. * @param {number} indentUnit If useTabChar is false, how many spaces to indent with. * @return {{range: {from: {line: number, ch: number}, to: {line: number, ch: number}}, pos: {line: number, ch: number}}} * The range of the inserted rule and the location where the cursor should be placed. */ function addRuleToDocument(doc, selector, useTabChar, indentUnit) { var newRule = "\n" + selector + " {\n", blankLineOffset; if (useTabChar) { newRule += "\t"; blankLineOffset = 1; } else { var i; for (i = 0; i < indentUnit; i++) { newRule += " "; } blankLineOffset = indentUnit; } newRule += "\n}\n"; var docLines = doc.getText().split("\n"), lastDocLine = docLines.length - 1, lastDocChar = docLines[docLines.length - 1].length; doc.replaceRange(newRule, {line: lastDocLine, ch: lastDocChar}); return { range: { from: {line: lastDocLine + 1, ch: 0}, to: {line: lastDocLine + 3, ch: 1} }, pos: {line: lastDocLine + 2, ch: blankLineOffset} }; } /** * * In the given rule array (as returned by `findMatchingRules()`), if multiple rules in a row * refer to the same rule (because there were multiple matching selectors), eliminate the redundant * rules. Also, always use the selector group if available instead of the original matching selector. */ function consolidateRules(rules) { var newRules = [], lastRule; rules.forEach(function (rule) { if (rule.selectorGroup) { rule.name = rule.selectorGroup; } // Push the entry unless it refers to the same rule as the previous entry. if (!(lastRule && rule.document === lastRule.document && rule.lineStart === lastRule.lineStart && rule.lineEnd === lastRule.lineEnd && rule.selectorGroup === lastRule.selectorGroup)) { newRules.push(rule); } lastRule = rule; }); return newRules; } /** * Given a TextRange, extracts the selector(s) for the rule in the range and returns it. * Assumes the range only contains one rule; if there's more than one, it will return the * selector(s) for the first rule. * @param {TextRange} range The range to extract the selector(s) from. * @return {string} The selector(s) for the rule in the range. */ function getRangeSelectors(range) { // There's currently no immediate way to access a given line in a Document, because it's just // stored as a string. Eventually, we should have Documents cache the lines in the document // as well, or make them use CodeMirror documents which do the same thing. var i, startIndex = 0, endIndex, text = range.document.getText(); for (i = 0; i < range.startLine; i++) { startIndex = text.indexOf("\n", startIndex) + 1; } endIndex = startIndex; // Go one line past the end line. We'll extract text up to but not including the last newline. for (i = range.startLine + 1; i <= range.endLine + 1; i++) { endIndex = text.indexOf("\n", endIndex) + 1; } var allSelectors = extractAllSelectors(text.substring(startIndex, endIndex)); // There should only be one rule in the range, and if there are multiple selectors for // the first rule, they'll all be recorded in the "selectorGroup" for the first selector, // so we only need to look at the first one. return (allSelectors.length ? allSelectors[0].selectorGroup || allSelectors[0].selector : ""); } exports._findAllMatchingSelectorsInText = _findAllMatchingSelectorsInText; // For testing only exports.findMatchingRules = findMatchingRules; exports.extractAllSelectors = extractAllSelectors; exports.extractAllNamedFlows = extractAllNamedFlows; exports.findSelectorAtDocumentPos = findSelectorAtDocumentPos; exports.reduceStyleSheetForRegExParsing = reduceStyleSheetForRegExParsing; exports.addRuleToDocument = addRuleToDocument; exports.consolidateRules = consolidateRules; exports.getRangeSelectors = getRangeSelectors; exports.SELECTOR = SELECTOR; exports.PROP_NAME = PROP_NAME; exports.PROP_VALUE = PROP_VALUE; exports.IMPORT_URL = IMPORT_URL; exports.getInfoAtPos = getInfoAtPos; // The createInfo is really only for the unit tests so they can make the same // structure to compare results with. exports.createInfo = createInfo; });
alicoding/nimble
src/language/CSSUtils.js
JavaScript
mit
60,267
(function(){ "use strict"; angular.module('app.controllers').controller('HomeCtrl', function(){ // }); })();
apps-libX/myapp
angular/app/app/home/home.js
JavaScript
mit
131
(function() { packages = { // Lazily construct the package hierarchy from class names. root: function(classes) { var map = {}; function find(name, data) { var node = map[name], i; if (!node) { node = map[name] = data || {name: name, children: []}; if (name.length) { node.parent = find(name.substring(0, i = name.lastIndexOf("."))); node.parent.children.push(node); //node.key = name.substring(i + 1); node.key = data.rpiId; } } return node; } classes.forEach(function(d) { find(d.name, d); }); return map[""]; }, // Return a list of imports for the given array of nodes. imports: function(nodes) { var map = {}, imports = []; // Compute a map from name to node. nodes.forEach(function(d) { map[d.name] = d; }); // For each import, construct a link from the source to target node. nodes.forEach(function(d) { if (d.imports) d.imports.forEach(function(i) { imports.push({source: map[d.name], target: map[i.name], goals: i.goals}); }); }); return imports; } }; })();
gxm/soccer-visuals
web/js-lib/packages.js
JavaScript
mit
1,109
'use strict'; exports.__esModule = true; var _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; var _propTypes = require('prop-types'); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = require('react'); var _react2 = _interopRequireDefault(_react); var _EventRowMixin = require('./EventRowMixin'); var _EventRowMixin2 = _interopRequireDefault(_EventRowMixin); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call && (typeof call === "object" || typeof call === "function") ? call : self; } function _inherits(subClass, superClass) { if (typeof superClass !== "function" && superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; } var EventRow = function (_React$Component) { _inherits(EventRow, _React$Component); function EventRow() { _classCallCheck(this, EventRow); return _possibleConstructorReturn(this, _React$Component.apply(this, arguments)); } EventRow.prototype.render = function render() { var _this2 = this; var segments = this.props.segments; var lastEnd = 1; return _react2.default.createElement( 'div', { className: 'rbc-row' }, segments.reduce(function (row, _ref, li) { var event = _ref.event, left = _ref.left, right = _ref.right, span = _ref.span; var key = '_lvl_' + li; var gap = left - lastEnd; var content = _EventRowMixin2.default.renderEvent(_this2.props, event); if (gap) row.push(_EventRowMixin2.default.renderSpan(_this2.props, gap, key + '_gap')); row.push(_EventRowMixin2.default.renderSpan(_this2.props, span, key, content)); lastEnd = right + 1; return row; }, []) ); }; return EventRow; }(_react2.default.Component); EventRow.propTypes = _extends({ segments: _propTypes2.default.array }, _EventRowMixin2.default.propTypes); EventRow.defaultProps = _extends({}, _EventRowMixin2.default.defaultProps); exports.default = EventRow;
aggiedefenders/aggiedefenders.github.io
node_modules/react-big-calendar/lib/EventRow.js
JavaScript
mit
2,891
module.exports = function brify (text) { return text.replace(/\n/g, '<br/>'); };
intesso/brify
index.js
JavaScript
mit
82
import React from 'react'; import createSvgIcon from './utils/createSvgIcon'; export default createSvgIcon( <g><path d="M20 5H4c-1.1 0-1.99.9-1.99 2L2 17c0 1.1.9 2 2 2h16c1.1 0 2-.9 2-2V7c0-1.1-.9-2-2-2zm-9 3h2v2h-2V8zm0 3h2v2h-2v-2zM8 8h2v2H8V8zm0 3h2v2H8v-2zm-1 2H5v-2h2v2zm0-3H5V8h2v2zm9 7H8v-2h8v2zm0-4h-2v-2h2v2zm0-3h-2V8h2v2zm3 3h-2v-2h2v2zm0-3h-2V8h2v2z" /></g> , 'Keyboard');
cherniavskii/material-ui
packages/material-ui-icons/src/Keyboard.js
JavaScript
mit
387
var MongoClient = require('mongodb').MongoClient; /** * Count the number of talks in the database * * @param {string} dburl Database url string. * @param {function} callback Callback function to execute with results. */ function count(dburl, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } return db.collection('talks').count(); }); } /** * Generic method for getting Talks. * * By default pageNumber is set to 1 if its not specified. * Also returns 25 elements if quantity is not specified. * * @param {string} dburl Database url string. * @param {object} conds Search and filter conditions. * @param {object} sort Sorting conditions. * @param {number} quantity Number of results to fetch. * @param {number} pageNumber Page number to fetch. * @param {function} callback Callback function to execute with results. */ function searchTalks(dburl, conds, sort, quantity, pageNumber, callback) { 'use strict'; pageNumber = pageNumber || 1; quantity = quantity || 25; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks .find(conds) .sort(sort) .skip(pageNumber > 0 ? ((pageNumber - 1) * quantity) : 0) .limit(quantity) .toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); } /** * Get a Random Talk. * * Get a random talk from the collection. * * @param {string}  dburl Database url string. * @param {function} callback Callback function to execute with the results. */ exports.getRandom = function(dburl, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.count(function(err, count) { var rand = Math.floor(Math.random() * count) + 1; talks .find() .limit(-1) .skip(rand) .limit(1) .toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }); }; /** * Search Talks. * * Performs a query search on talks full-text index on elastic-search. * * @param {string} index Elastic search connection string. * @param {string} q Query string to search. * @param {function} callback Callback function to execute with the results. */ exports.search = function(q, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); var results = {}; db.close(); return callback(null, results); }); }; /** * Get all the Talks from the database. * * @param {string} dburl Database url string. * @param {function} callback Callback function to execute with results. */ exports.all = function(dburl, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks .find({}) .toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Get the latest Talks. * * Latest talks are sorted by its creation date in descendant order. * * @param {string} dburl Database url string. * @param {number} quantity Number of results to get. * @param {number} pageNumber Page number to get results. * @param {function} callback Callback function to execute with results. */ exports.latest = function(dburl, quantity, pageNumber, callback) { 'use strict'; var conds = {}; var sort = { created: -1 }; quantity = quantity || 25; pageNumber = pageNumber || 1; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); }; /** * Get the most popular Talks. * * Popular talks are sorted in descendant order first by its number of * votes and then by its number of views. * * @param {string} dburl Database url string. * @param {number} quantity Number of results to get. * @param {number} pageNumber Page number to get results. * @param {function} callback Callback function to execute with results. */ exports.popular = function(dburl, quantity, pageNumber, callback) { 'use strict'; var conds = {}; var sort = { voteCount: -1, viewCount: -1 }; quantity = quantity || 25; pageNumber = pageNumber || 1; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); }; /** * Create a new talk. * * Creates a new talk storing it into the database. * * @param {string} dburl Database url string. * @param {number} obj Number of results to get. * @param {function} callback Callback function to execute with results. */ exports.createTalk = function(dburl, obj, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.insert(obj, function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Delete a talk by its id. * * Remove a database from the database. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {function} callback Callback function to execute with results. */ exports.deleteTalk = function(dburl, id, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.remove({ id: id }, function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Get a talk by id. * * Get a Talk from the database by its unique id. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {function} callback Callbacak function to execute with results. */ exports.get = function(dburl, id, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.findOne({ id: id }, function(err, doc) { if (err) { return callback(err, null); } db.close(); return callback(null, doc); }); }); }; /** * Upvote a Talk. * * Updates a talk increasing its vote count by 1. * It checks if the user did not upvoted the talk already and also adds user * id on a list of upvoters for this talk in case its not present. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {number} userid User's unique id. * @param {function} callback Callback function to execute with the results. */ exports.upvote = function(dburl, id, userid, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.update({ 'id': id, 'votes': { '$ne': userid } }, { '$inc': { 'voteCount': 1 }, '$push': { 'votes': userid } }, function(err, talk) { if (err) { return callback(err, null); } db.close(); return callback(null, talk); }); }); }; /** * Favorite a Talk. * * Updates a talk with increasing its favorites count by 1. * It checks if the user did not favorited the talk already and also adds user * id on a list of favoriters for this talk in case its not present. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {number} userid User's unique id. * @param {function} callback Callback function to execute with the results. */ exports.favorite = function(dburl, id, userid, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.update({ 'id': id, 'favorites': { '$ne': userid } }, { '$inc': { 'favoriteCount': 1 }, '$push': { 'favorites': userid } }, function(err, talk) { if (err) { return callback(err, null); } db.close(); return callback(null, talk); }); }); }; /** * Unfavorite a Talk. * * Updates a talk with decreasing its favorites count by 1. * It checks if the user did favorited the talk already and also removes user * id on a list of favoriters for this talk. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {number} userid User's unique id. * @param {function} callback Callback function to execute with the results. */ exports.unfavorite = function(dburl, id, userid, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.update({ 'id': id, 'favorites': { '$in': [userid] } }, { '$inc': { 'favoriteCount': -1 }, '$pull': { 'favorites': userid } }, function(err, talk) { if (err) { return callback(err, null); } db.close(); return callback(null, talk); }); }); }; /** * Rank a Talk. * * Updates a talk with its raking score field. * * @param {string} dburl Database url string. * @param {number} id Talk unique id. * @param {float} score Ranking score. * @param {function} callback Callback function to execute with the results. */ exports.rank = function(dburl, id, score, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.update({ 'id': id }, { '$set': { 'ranking': score } }, function(err) { if (err) { return callback(err); } db.close(); return callback(null); }); }); }; /** * Play a Talk. * * Get a Talk by its slug name and updates views counter field by 1. * * @param {string} dburl Database url string * @param {string} slug Talk slug field. * @param {function} callback Callback function to execute with results. */ exports.play = function(dburl, slug, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.findOne({ 'slug': slug }, function(err, talk) { if (err) { return callback(err, null); } talks.update({ 'slug': slug }, { '$inc': { 'viewCount': 1 }, '$set': { updated: Date.now() } }, function(err) { if (err) { return callback(err, null); } db.close(); return callback(null, talk); }); }); }); }; /** * Get a list of talks tagged as. * * Results are sorted by creation date in descending order. * By default 25 results are returned. * * @param {string} dburl Database url string. * @param {string} tag Tag string. * @param {number} quantity Number of results to fetch. * @param {number} pageNumber Number of the page to fetch. * @param {function} callback Callback function to execute with results. */ exports.getByTag = function(dburl, tag, quantity, pageNumber, callback) { 'use strict'; var conds = { tags: tag }; var sort = { created: -1 }; quantity = quantity || 25; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); }; /** * Get a Talk by slug. * * Get a Talk by its generated slug field. * http://en.wikipedia.org/wiki/Semantic_URL#Slug * * @param {string} dburl Database url string. * @param {string} slug Slug string. * @param {function} callback Callback function to execute with results. */ exports.getBySlug = function(dburl, slug, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.find({ 'slug': slug }).toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Get a Talk by code. * * Get a Talk by its field code . * * @param {string} dburl Database url string. * @param {string} code Code string. * @param {function} callback Callback function to execute with results. */ exports.getByCode = function(dburl, code, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks.find({ 'code': code }).toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Get related Talks to another Talk. * * Related Talks are tagged with at least one of the tags of the * original one. * Results are sorted by creation date in descendant order. * Also the original Talk is descarted so a Talk can't be related to * itself. * * @param {string} dburl Database url string. * @param {number} id Original Talk id. * @param {Array} tags List of tag strings. * @param {number} quantity Number of results to fetch. * @param {function} callback Callback function to execute with results. */ exports.related = function(dburl, id, tags, quantity, callback) { 'use strict'; MongoClient.connect(dburl, function(err, db) { if (err) { return callback(err, null); } var talks = db.collection('talks'); talks .find({ 'tags': { '$in': tags }, 'id': { '$ne': id } }) .sort({ 'created': -1 }) .limit(quantity) .toArray(function(err, docs) { if (err) { return callback(err, null); } db.close(); return callback(null, docs); }); }); }; /** * Get a list of Talks published by an User. * * Given an userid, get a list of talks published by him. * Returns the list sorted by creation date, being first element the * most recent one. * * @param {string} dburl Database url string. * @param {number} userid User unique id. * @param {number} quantity Number of results to fetch. * @param {number} pageNumber Number of the page to fetch. * @param {function} callback Callback function to execute with results. */ exports.getByAuthorId = function(dburl, id, quantity, pageNumber, callback) { 'use strict'; var conds = { 'author.id': id }; var sort = { created: -1 }; quantity = quantity || 25; pageNumber = pageNumber || 1; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); }; /** * Get a list of Talks upvoted by an User. * * Given an userid, get a list fo the Tlks that the User has upvoted. * Returns the list sorted by creation date, being first element the * most recent one. * * @param {string} dburl Database url string. * @param {number} userid User unique id. * @param {function} callback Callback function to execute with results. */ exports.getUpvotedByAuthorId = function( dburl, userid, quantity, pageNumber, callback) { 'use strict'; var conds = { 'votes': { '$in': [userid] } }; var sort = { created: -1 }; quantity = quantity || 25; pageNumber = pageNumber || 1; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); }; /** * Get a list of Talks favorited by an User. * * Given an userid, get a list of the Talks that the User has favorited. * Returns the list sorted by creation date, being first element the * most recent one. * * @param {string} dburl Database url connection string. * @param {number} userid User unique id. * @param {function} callback Callback function to execute with results. */ exports.getFavoritedByAuthorId = function( dburl, userid, quantity, pageNumber, callback) { 'use strict'; var conds = { 'favorites': { '$in': [userid] } }; var sort = { created: -1 }; quantity = quantity || 25; pageNumber = pageNumber || 1; return searchTalks(dburl, conds, sort, quantity, pageNumber, callback); };
tlksio/libtlks
lib/talk.js
JavaScript
mit
19,184
//= require "prism.js" //= require "jquery/dist/jquery.min.js" //= require "ga.js"
nakanishy/blog.nakanishy.com
source/javascripts/all.js
JavaScript
mit
83
import { withStyles } from '@material-ui/core/styles'; import cx from 'clsx'; export const SideSection = withStyles(theme => ({ aside: { [theme.breakpoints.up('md')]: { minWidth: 0, flex: 1, padding: '0 20px', background: theme.palette.background.paper, borderRadius: theme.shape.borderRadius, }, }, }))(({ classes, children, className, ...props }) => { return ( <aside className={cx(classes.aside, className)} {...props}> {children} </aside> ); }); export const SideSectionHeader = withStyles(theme => ({ asideHeader: { lineHeight: '20px', padding: '12px 0', fontWeight: 700, [theme.breakpoints.up('md')]: { padding: '20px 0 12px', borderBottom: `1px solid ${theme.palette.secondary[500]}`, }, }, }))(({ classes, children, className, ...props }) => { return ( <header className={cx(classes.asideHeader, className)} {...props}> {children} </header> ); }); export const SideSectionLinks = withStyles(theme => ({ asideItems: { display: 'flex', flexFlow: 'row', overflowX: 'auto', '--gutter': `${theme.spacing(2)}px`, margin: `0 calc(-1 * var(--gutter))`, padding: `0 var(--gutter)`, '&::after': { // Right-most gutter after the last item content: '""', flex: '0 0 var(--gutter)', }, [theme.breakpoints.up('sm')]: { '--gutter': `${theme.spacing(3)}px`, }, [theme.breakpoints.up('md')]: { '--gutter': 0, flexFlow: 'column', overflowX: 'visible', '&::after': { display: 'none', }, }, }, }))(({ classes, children, className, ...props }) => { return ( <div className={cx(classes.asideItems, className)} {...props}> {children} </div> ); }); export const SideSectionLink = withStyles(theme => ({ asideItem: { // override <a> defaults textDecoration: 'none', color: 'inherit', cursor: 'pointer', [theme.breakpoints.down('sm')]: { padding: 16, background: theme.palette.background.paper, borderRadius: theme.shape.borderRadius, flex: '0 0 320px', maxWidth: '66vw', '& + &': { marginLeft: 12, }, }, [theme.breakpoints.up('md')]: { padding: '16px 0', '& + &': { borderTop: `1px solid ${theme.palette.secondary[100]}`, }, }, }, }))(({ classes, children, className, ...props }) => { return ( <a className={cx(classes.asideItem, className)} {...props}> {children} </a> ); }); export const SideSectionText = withStyles(() => ({ asideText: { display: '-webkit-box', overflow: 'hidden', boxOrient: 'vertical', textOverflow: 'ellipsis', lineClamp: 5, }, }))(({ classes, children, className, ...props }) => { return ( <article className={cx(classes.asideText, className)} {...props}> {children} </article> ); });
cofacts/rumors-site
components/SideSection.js
JavaScript
mit
2,921
var $topnav = $('#topnav-row .col'); var $sidebar = $('#main-row .sidebar'); var $main = $('#main-row .main'); $(document).on('click', '.on-sidebar-toggler', function (e) { $sidebar.toggleClass('col-md-3 col-lg-2 d-md-block col-12'); $topnav.toggleClass('d-md-none'); $main.toggleClass('col-md-9 col-lg-10 col-12'); });
osalabs/osafw-asp.net
www/App_Data/template/layout/common.js
JavaScript
mit
334
/** * @jsx React.DOM */ /* not used but thats how you can use touch events * */ //React.initializeTouchEvents(true); /* not used but thats how you can use animation and other transition goodies * */ var ReactCSSTransitionGroup = React.addons.CSSTransitionGroup; /** * we will use yes for true * we will use no for false * * React has some built ins that rely on state being true/false like classSet() * and these will not work with yes/no but can easily be modified / reproduced * * this single app uses the yes/no var so if you want you can switch back to true/false * * */ var yes = 'yes', no = 'no'; //var yes = true, no = false; /* bootstrap components * */ var Flash = ReactBootstrap.Alert; var Btn = ReactBootstrap.Button; var Modal = ReactBootstrap.Modal; /* create the container object * */ var snowUI = { passthrough: {}, //special for passing functions between components }; /* create flash message * */ snowUI.SnowpiFlash = React.createClass({displayName: 'SnowpiFlash', getInitialState: function() { return { isVisible: true }; }, getDefaultProps: function() { return ({showclass:'info'}); }, render: function() { snowlog.log(this.props); if(!this.state.isVisible) return null; var message = this.props.message ? this.props.message : this.props.children; return ( Flash({bsStyle: this.props.showclass, onDismiss: this.dismissFlash}, React.DOM.p(null, message) ) ); }, dismissFlash: function() { this.setState({isVisible: false}); } }); /* my little man component * simple example * */ snowUI.SnowpiMan = React.createClass({displayName: 'SnowpiMan', getDefaultProps: function() { return ({divstyle:{float:'right',}}); }, render: function() { return this.transferPropsTo( React.DOM.div({style: this.props.divstyle, dangerouslySetInnerHTML: {__html: snowtext.logoman}}) ); } }); /** * menu components * */ //main snowUI.leftMenu = React.createClass({displayName: 'leftMenu', getInitialState: function() { return ({ config:this.props.config || {section:snowPath.wallet,wallet:'all',moon:'overview'} }) }, componentWillReceiveProps: function(nextProps) { if(nextProps.config)this.setState({config:nextProps.config}) }, render: function() { var showmenu if(this.state.config.section === snowPath.wallet) { if(this.state.config.wallet && this.state.config.wallet !== 'new') showmenu = snowUI.walletMenu else showmenu = snowUI.defaultMenu } else if(this.state.config.section === snowPath.receive || this.state.config.section === snowPath.settings) { showmenu = snowUI.receiveMenu } else { showmenu = snowUI.defaultMenu } snowlog.log('main menu component',this.state.config) return ( React.DOM.div(null, showmenu({config: this.state.config}), " ") ); } }); //wallet menu snowUI.walletMenu = React.createClass({displayName: 'walletMenu', getInitialState: function() { return ({ config:this.props.config || {section:snowPath.wallet,wallet:false,moon:false} }) }, componentWillReceiveProps: function(nextProps) { if(nextProps.config)this.setState({config:nextProps.config}) }, componentDidUpdate: function() { $('.dogemenulink').removeClass('active'); var moon = this.state.config.moon if(!moon && this.state.config.wallet !== 'new')moon = 'dashboard' $('.dogemenulink[data-snowmoon="'+moon+'"]').addClass('active'); }, componentDidMount: function() { this.componentDidUpdate() }, menuClick: function(e) { e.preventDefault(); var moon = $(e.target).parent()[0].dataset.snowmoon; snowUI.methods.valueRoute(snowPath.wallet + '/' + this.state.config.wallet + '/' + moon); return false }, render: function() { snowlog.log('wallet menu component') return ( React.DOM.div(null, React.DOM.div({id: "menuwallet"}, React.DOM.a({onClick: this.menuClick, 'data-snowmoon': "dashboard", id: "dogedash", 'data-container': "#menuspy", title: "", className: "dogemenulink ", 'data-original-title': "Dashboard"}, " ", React.DOM.span({className: "glyphicon glyphicon-th"}), " Dashboard"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': "accounts", id: "dogeacc", 'data-container': "#menuspy", title: "", className: "dogemenulink", 'data-original-title': "manage wallet accounts"}, " ", React.DOM.span({className: "glyphicon glyphicon-list"}), " Accounts"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': "send", id: "dogesend", 'data-container': "#menuspy", title: "", className: "dogemenulink", 'data-original-title': "send coins"}, " ", React.DOM.span({className: "glyphicon glyphicon-share"}), " Send"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': "transactions", id: "dogetx", 'data-container': "#menuspy", title: "", className: "dogemenulink", 'data-original-title': "sortable transaction list"}, " ", React.DOM.span({className: "glyphicon glyphicon-list-alt"}), " Transactions"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': "update", id: "dogeupdate", 'data-container': "#menuspy", title: "", className: "dogemenulink", 'data-original-title': "update wallet"}, React.DOM.span({className: "glyphicon glyphicon-pencil"}), " Update ", React.DOM.span({id: "updatecoinspan", style: {display:"none"}})) ), "- ") ); } }); //main menu snowUI.receiveMenu = React.createClass({displayName: 'receiveMenu', getInitialState: function() { return ({ config:this.props.config || {section:snowPath.wallet,wallet:'all',moon:'overview'} }) }, componentWillReceiveProps: function(nextProps) { if(nextProps.config)this.setState({config:nextProps.config}) }, componentDidUpdate: function() { $('.dogedccmenulink').removeClass('active'); $('.dogedccmenulink[data-snowmoon="'+this.state.config.section+'"]').addClass('active'); }, menuClick: function(e) { e.preventDefault(); var moon = $(e.target).parent()[0].dataset.snowmoon; snowUI.methods.valueRoute(moon); return false }, render: function() { snowlog.log('receive menu component') return ( React.DOM.div(null, React.DOM.div({id: "menudcc"}, React.DOM.a({onClick: this.menuClick, 'data-snowmoon': snowPath.receive, id: "dogedccsetup", 'data-container': "#menuspy", title: "", className: "dogedccmenulink", 'data-original-title': "Receive coins from strangers. (friends too)"}, " ", React.DOM.span({className: "glyphicon glyphicon-tasks"}), " Receivers"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': snowPath.wallet, id: "dogewallets", 'data-container': "#menuspy", title: "", className: "dogedccmenulink", 'data-original-title': "Digital Coin Wallets"}, " ", React.DOM.span({className: "glyphicon glyphicon-briefcase"}), " Wallets"), React.DOM.a({onClick: this.menuClick, 'data-snowmoon': snowPath.settings, id: "dogedccsettings", 'data-container': "#menuspy", title: "", className: "dogedccmenulink", 'data-original-title': "Digital Coin Coordinator settings"}, " ", React.DOM.span({className: "glyphicon glyphicon-cog"}), " Settings") ) ) ); } }); //default snowUI.defaultMenu = snowUI.receiveMenu //wallet select snowUI.walletSelect = React.createClass({displayName: 'walletSelect', componentDidMount: function() { this.updateSelect(); }, componentDidUpdate: function() { this.updateSelect(); }, componentWillUpdate: function() { $("#walletselect").selectbox("detach"); }, updateSelect: function() { var _this = this $("#walletselect").selectbox({ onChange: function (val, inst) { _this.props.route(val) }, effect: "fade" }); //snowlog.log('wallet select updated') }, render: function() { var wallets; if(this.props.wally instanceof Array) { var wallets = this.props.wally.map(function (w) { return ( React.DOM.option({key: w.key, value: snowPath.wallet + '/' + w.key}, w.name) ); }); } if(this.props.section === snowPath.wallet) { var _df = (this.props.wallet) ? snowPath.wallet + '/' + this.props.wallet : snowPath.wallet; } else { var _df = this.props.section; } //snowlog.log(_df) return this.transferPropsTo( React.DOM.div({className: "list"}, React.DOM.div({className: "walletmsg", style: {display:'none'}}), React.DOM.select({onChange: this.props.route, id: "walletselect", value: _df}, wallets, React.DOM.optgroup(null), React.DOM.option({value: snowPath.wallet + '/new'}, snowtext.menu.plus.name), React.DOM.option({value: snowPath.wallet}, snowtext.menu.list.name), React.DOM.option({value: snowPath.receive}, snowtext.menu.receive.name), React.DOM.option({value: snowPath.settings}, snowtext.menu.settings.name), React.DOM.option({value: snowPath.inq}, snowtext.menu.inqueue.name) ) ) ); } }); var UI = React.createClass({displayName: 'UI', getInitialState: function() { /** * initialize the app * the plan is to keep only active references in root state. * we should use props for the fill outs * */ var _this = this snowUI.methods = { hrefRoute: _this.hrefRoute, valueRoute: _this.valueRoute, updateState: _this.updateState, loaderStart: _this.loaderStart, loaderStop: _this.loaderStop, config: _this.config(), fadeOut: function () { $('#maindiv').removeClass('reactfade-enter reactfade-enter-active'); $('#maindiv').addClass('reactfade-leave reactfade-leave-active'); }, fadeIn: function () { $('#maindiv').removeClass('reactfade-leave reactfade-leave-active'); $('#maindiv').addClass('reactfade-enter-active'); }, } return { section: this.props.section || 'wallet', moon: this.props.moon || false, wallet: this.props.wallet || false, mywallets: [], locatewallet: [], mounted:false }; }, //set up the config object config: function() { var _this = this if(this.state) { return { section:_this.state.section, wallet:_this.state.wallet, moon:_this.state.moon, mywallets: _this.state.mywallets, locatewallet: _this.state.locatewallet } } }, componentDidMount: function() { if(!this.state.mounted) { this.getWallets() } }, getWallets: function () { //grab our initial data snowlog.log('run on mount') $.ajax({url: "/api/snowcoins/local/change-wallet"}) .done(function( resp,status,xhr ) { _csrf = xhr.getResponseHeader("x-snow-token"); snowlog.log('wally',resp.wally) //wallets this.setState({mywallets:resp.wally}); //locater var a = []; var ix = resp.wally.length; for(i=0;i<ix;i++) { a[i]=resp.wally[i].key } this.setState({locatewallet:a}); this.setState({mounted:true}); }.bind(this)); }, componentWillReceiveProps: function(nextProps) { if(nextProps.section !== undefined)this.setState({section:nextProps.section}); if(nextProps.moon !== undefined)this.setState({moon:nextProps.moon}); if(nextProps.wallet !== undefined)this.setState({wallet:nextProps.wallet}); //wallet list if(nextProps.mywallets)this.setState({mywallets:nextProps.mywallets}); //if(nextProps.section)this.loaderStart() return false; }, componentWillUpdate: function() { this.loaderStart() return false }, updateState: function(prop,value) { this.setState({prop:value}); return false }, loaderStart: function() { $('.loader').fadeIn(); return false }, loaderStop: function() { $('.loader').delay(500).fadeOut("slow"); return false }, changeTheme: function() { var mbody = $('body'); if(mbody.hasClass('themeable-snowcoinslight')==true) { mbody.removeClass('themeable-snowcoinslight'); } else { mbody.addClass('themeable-snowcoinslight'); } return false }, valueRoute: function(route) { bone.router.navigate(snowPath.root + route, {trigger:true}); snowlog.log(snowPath.root + route) return false }, hrefRoute: function(route) { route.preventDefault(); bone.router.navigate(snowPath.root + $(route.target)[0].pathname, {trigger:true}); snowlog.log(snowPath.root + $(route.target)[0].pathname) return false }, eggy: function() { eggy(); }, render: function() { //set up our psuedo routes var comp = {} comp[snowPath.wallet]=snowUI.wallet; comp[snowPath.receive]=snowUI.receive; comp[snowPath.settings]=snowUI.settings; comp[snowPath.inq]=snowUI.inq; var mycomp = comp[this.state.section] snowlog.log('check state UI',this.state.mounted); if(this.state.mounted) { var mountwallet = function() { return (snowUI.walletSelect({route: this.valueRoute, section: this.state.section, wallet: this.state.wallet, wally: this.state.mywallets})) }.bind(this) var mountpages = function() { return (mycomp({methods: snowUI.methods, config: this.config()})) }.bind(this) } else { var mountwallet = function(){}; var mountpages = function(){}; } //mount return ( React.DOM.div({id: "snowpi-body"}, React.DOM.div({id: "walletbarspyhelper", style: {display:'block'}}), React.DOM.div({id: "walletbar", className: "affix"}, React.DOM.div({className: "wallet"}, React.DOM.div({className: "button-group"}, Btn({bsStyle: "link", 'data-toggle': "dropdown", className: "dropdown-toggle"}, snowtext.menu.menu.name), React.DOM.ul({className: "dropdown-menu", role: "menu"}, React.DOM.li({className: "nav-item-add"}, " ", React.DOM.a({onClick: this.hrefRoute, href: snowPath.wallet + '/new'}, snowtext.menu.plus.name)), React.DOM.li({className: "nav-item-home"}, " ", React.DOM.a({onClick: this.hrefRoute, href: snowPath.wallet}, snowtext.menu.list.name)), React.DOM.li({className: "nav-item-receive"}, React.DOM.a({onClick: this.hrefRoute, href: snowPath.receive}, snowtext.menu.receive.name)), React.DOM.li({className: "nav-item-settings"}, React.DOM.a({onClick: this.hrefRoute, href: snowPath.settings}, snowtext.menu.settings.name)), React.DOM.li({className: "divider"}), React.DOM.li({className: "nav-item-snowcat"}), React.DOM.li({className: "divider"}), React.DOM.li(null, React.DOM.div(null, React.DOM.div({onClick: this.changeTheme, className: "walletmenuspan changetheme bstooltip", title: "Switch between the light and dark theme", 'data-toggle': "tooltip", 'data-placement': "bottom", 'data-container': "body"}, React.DOM.span({className: "glyphicon glyphicon-adjust"})), React.DOM.div({className: "walletmenuspan bstooltip", title: "inquisive queue", 'data-toggle': "tooltip", 'data-placement': "bottom", 'data-container': "body"}, " ", React.DOM.a({onClick: this.hrefRoute, href: snowPath.inq, className: "nav-item-inq"})), React.DOM.div({className: "walletmenuspan bstooltip", title: "Logout", 'data-toggle': "tooltip", 'data-placement': "right", 'data-container': "body"}, " ", React.DOM.a({href: "/signout"}, " ", React.DOM.span({className: "glyphicon glyphicon-log-out"}))), React.DOM.div({className: "clearfix"}) ) ) ) ) ), mountwallet(), React.DOM.div({className: "logo", onClick: this.eggy}, React.DOM.a({title: "inquisive.io snowcoins build info", 'data-container': "body", 'data-placement': "bottom", 'data-toggle': "tooltip", className: "walletbar-logo"})) ), React.DOM.div({className: "container-fluid"}, React.DOM.div({id: "menuspy", className: "dogemenu col-xs-1 col-md-2", 'data-spy': "affix", 'data-offset-top': "0"}, snowUI.leftMenu({config: this.config()}) ), React.DOM.div({id: "menuspyhelper", className: "dogemenu col-xs-1 col-md-2"}), React.DOM.div({className: "dogeboard col-xs-11 col-md-10"}, snowUI.AppInfo(null), React.DOM.div({className: "dogeboard-left col-xs-12 col-md-12"}, mountpages() ) ) ) /* end snowpi-body */ ) ) } }); //app info snowUI.AppInfo = React.createClass({displayName: 'AppInfo', render: function() { return ( React.DOM.div({id: "easter-egg", style: {display:'none'}}, React.DOM.div(null, React.DOM.div({className: "blocks col-xs-offset-1 col-xs-10 col-md-offset-1 col-md-5 col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-4"}, React.DOM.h4(null, "Get Snowcoins"), React.DOM.div({className: "row"}, React.DOM.div({className: "col-sm-offset-1 col-sm-11"}, React.DOM.a({href: "https://github.com/inquisive/snowcoins", target: "_blank"}, "GitHub / Installation")), React.DOM.div({className: "col-sm-offset-1 col-sm-11"}, " ", React.DOM.a({href: "https://github.com/inquisive/snowcoins/latest.zip", target: "_blank"}, "Download zip"), " | ", React.DOM.a({href: "https://github.com/inquisive/snowcoins/latest.tar.gz", target: "_blank"}, "Download gz")) ), React.DOM.div({style: {borderBottom:'transparent 15px solid'}}), React.DOM.h4(null, "Built With"), React.DOM.div({className: "row"}, React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-4"}, React.DOM.a({href: "http://nodejs.org", target: "_blank"}, "nodejs")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://keystonejs.com", target: "_blank"}, "KeystoneJS")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-4"}, React.DOM.a({href: "http://getbootstrap.com/", target: "_blank"}, "Bootstrap")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "https://github.com/countable/node-dogecoin", target: "_blank"}, "node-dogecoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-4"}, React.DOM.a({href: "http://mongoosejs.com/", target: "_blank"}, "mongoose")) ) ), React.DOM.div({className: "blocks col-xs-offset-1 col-xs-10 col-md-offset-1 col-md-5 col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-4"}, React.DOM.h4(null, "Donate"), React.DOM.div({className: "row"}, React.DOM.div({title: "iq", className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, "iq: ", React.DOM.a({href: "https://inquisive.com/iq/snowkeeper", target: "_blank"}, "snowkeeper")), React.DOM.div({title: "Dogecoin", className: "col-sm-6 col-md-4"}, React.DOM.a({href: "https://snow.snowpi.org/share/dogecoin", target: "_blank"}, "Ðogecoin")), React.DOM.div({title: "Bitcoin", className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "https://snow.snowpi.org/share/bitcoin", target: "_blank"}, "Bitcoin")), React.DOM.div({title: "Litecoin", className: "col-sm-6 col-md-4"}, React.DOM.a({href: "https://snow.snowpi.org/share/litecoin", target: "_blank"}, "Litecoin")), React.DOM.div({title: "Darkcoin", className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "https://snow.snowpi.org/share/darkcoin", target: "_blank"}, "Darkcoin")) ), React.DOM.div({style: {borderBottom:'transparent 15px solid'}}), React.DOM.h4(null, "Digital Coin Wallets"), React.DOM.div({className: "row"}, React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://dogecoin.com", target: "_blank"}, "dogecoin")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://bitcoin.org", target: "_blank"}, "bitcoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://litecoin.org", target: "_blank"}, "litecoin")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://vertcoin.org", target: "_blank"}, "vertcoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://octocoin.org", target: "_blank"}, "888")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://auroracoin.org", target: "_blank"}, "auroracoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://blackcoin.co", target: "_blank"}, "blackcoin")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://digibyte.co", target: "_blank"}, "digibyte")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://digitalcoin.co", target: "_blank"}, "digitalcoin")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://darkcoin.io", target: "_blank"}, "darkcoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://maxcoin.co.uk", target: "_blank"}, "maxcoin")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://mintcoin.co", target: "_blank"}, "mintcoin")), React.DOM.div({className: "col-sm-offset-1 col-sm-5 col-md-offset-1 col-md-5"}, React.DOM.a({href: "http://einsteinium.org", target: "_blank"}, "einsteinium")), React.DOM.div({className: "col-sm-6 col-md-4"}, React.DOM.a({href: "http://peercoin.net", target: "_blank"}, "peercoin ")) ), React.DOM.div({className: "row"} ) ), React.DOM.div({className: "clearfix"}) ) ) ); } });
inquisive/wallet-manager
public/js/.module-cache/ab49b1cc9df6578c57e04eb43cab7040e5bdb3ee.js
JavaScript
mit
21,475
/** * Wrapper for the component that compatible with amd, commonjs and as global object */ (function (root, factory) { if(typeof define === "function" && define.amd) { define(function () { return factory(); }); } else if(typeof module === "object" && module.exports) { module.exports = factory(); } else { root.Treeview = factory(); } }(this, function() { 'use strict';
yjcxy12/react-treeview-component
src/Tree/intro.js
JavaScript
mit
417
module.exports = require('./src/LensedStateMixin');
Laiff/react-lensed-state
index.js
JavaScript
mit
51
/** * Module dependencies */ var utils = require('../utils'); var safeRequire = utils.safeRequire; var cassandra = safeRequire('cassandra-driver'); var Types = cassandra.types; var timeUUID = Types.timeuuid; var util = require('util'); var BaseSQL = require('../sql'); exports.initialize = function initializeSchema(schema, callback) { if (!cassandra) { return; } var s = schema.settings; if (s.url) { var uri = url.parse(s.url); s.host = uri.hostname; s.port = uri.port || '9042'; s.database = uri.pathname.replace(/^\//, ''); s.username = uri.auth && uri.auth.split(':')[0]; s.password = uri.auth && uri.auth.split(':')[1]; } s.host = s.host || 'localhost'; s.port = parseInt(s.port || '9042', 10); s.database = s.database || s.keyspace || 'test'; if (!(s.host instanceof Array)) { s.host = [s.host]; } schema.client = new cassandra.Client({ contactPoints: s.host, protocolOptions: { maxVersion: 3 }, autoPage: true }); // , keyspace: s.database schema.adapter = new Cassandra(schema, schema.client); schema.client.connect(function (err, result) { schema.client.execute("CREATE KEYSPACE IF NOT EXISTS " + s.database.toString() + " WITH replication " + "= {'class' : 'SimpleStrategy', 'replication_factor' : 2};", function (err, data) { console.log('Cassandra connected.'); schema.client.keyspace = s.database; process.nextTick(callback); } ); }); }; function Cassandra(schema, client) { this.name = 'cassandra'; this._models = {}; this.client = client; this.schema = schema; } util.inherits(Cassandra, BaseSQL); Cassandra.prototype.execute = function (sql, callback) { var self = this; var client = self.client; client.execute(sql, callback); }; Cassandra.prototype.query = function (sql, callback) { 'use strict'; var self = this; if (typeof callback !== 'function') { throw new Error('callback should be a function'); } self.execute(sql, function (err, data) { if (err && err.message.match(/does\s+not\s+exist/i)) { self.query('CREATE KEYSPACE IF NOT EXISTS ' + self.schema.settings.database, function (error) { if (!error) { self.execute(sql, callback); } else { callback(err); } }); } else if (err && (err.message.match(/no\s+keyspace\s+has\s+been\s+specified/gi) || parseInt(err.errno) === 1046)) { self.execute('USE ' + self.schema.settings.database + '', function (error) { if (!error) { self.execute(sql, callback); } else { callback(error); } }); } else { var rows = []; data = data || {}; if (data.rows && data.rows.length) { rows = data.rows; } return callback(err, rows); } }); }; /** * Must invoke callback(err, id) * @param {Object} model * @param {Object} data * @param {Function} callback */ Cassandra.prototype.create = function (model, data, callback) { 'use strict'; var self = this; var props = self._models[model].properties; data = data || {}; if (data.id === null) { data.id = timeUUID(); } var keys = []; var questions = []; Object.keys(data).map(function (key) { var val = self.toDatabase(props[key], data[key]); if (val !== 'NULL') { keys.push(key); questions.push(val); } }); var sql = 'INSERT INTO ' + self.tableEscaped(model) + ' (' + keys.join(',') + ') VALUES ('; sql += questions.join(','); sql += ')'; this.query(sql, function (err, info) { callback(err, !err && data.id); }); }; Cassandra.prototype.all = function all(model, filter, callback) { 'use strict'; var self = this, sFields = '*'; if ('function' === typeof filter) { callback = filter; filter = {}; } if (!filter) { filter = {}; } var sql = 'SELECT ' + sFields + ' FROM ' + self.tableEscaped(model); if (filter) { if (filter.fields) { if (typeof filter.fields === 'string') { sFields = self.tableEscaped(filter.fields); } else if (Object.prototype.toString.call(filter.fields) === '[object Array]') { sFields = filter.fields.map(function (field) { return '`' + field + '`'; }).join(', '); } sql = sql.replace('*', sFields); } if (filter.where) { sql += ' ' + self.buildWhere(filter.where, self, model); } if (filter.order) { sql += ' ' + self.buildOrderBy(filter.order); } if (filter.group) { sql += ' ' + self.buildGroupBy(filter.group); } if (filter.limit) { sql += ' ' + self.buildLimit(filter.limit, filter.offset || filter.skip || 0); } } this.query(sql, function (err, data) { if (err) { return callback(err, []); } callback(null, data.map(function (obj) { return self.fromDatabase(model, obj); })); }.bind(this)); return sql; }; Cassandra.prototype.update = function (model, filter, data, callback) { 'use strict'; if ('function' === typeof filter) { return filter(new Error("Get parametrs undefined"), null); } if ('function' === typeof data) { return data(new Error("Set parametrs undefined"), null); } filter = filter.where ? filter.where : filter; var self = this; var combined = []; var props = self._models[model].properties; Object.keys(data).forEach(function (key) { if (props[key] || key === 'id') { var k = '' + key + ''; var v; if (key !== 'id') { v = self.toDatabase(props[key], data[key]); } else { v = data[key]; } combined.push(k + ' = ' + v); } }); var sql = 'UPDATE ' + this.tableEscaped(model); sql += ' SET ' + combined.join(', '); sql += ' ' + self.buildWhere(filter, self, model); this.query(sql, function (err, affected) { callback(err, !err); }); }; Cassandra.prototype.destroyAll = function destroyAll(model, callback) { this.query('TRUNCATE ' + this.tableEscaped(model), function (err) { if (err) { return callback(err, []); } callback(err); }.bind(this)); }; /** * Update existing database tables. * @param {Function} cb */ Cassandra.prototype.autoupdate = function (cb) { 'use strict'; var self = this; var wait = 0; Object.keys(this._models).forEach(function (model) { wait += 1; self.query('SELECT column_name as field, type, validator, index_type, index_name FROM system.schema_columns ' + 'WHERE keyspace_name = \'' + self.schema.settings.database + '\' ' + 'AND columnfamily_name = \'' + self.escapeName(model) + '\'', function (err, data) { var indexes = data.filter(function (m) { return m.index_type !== null || m.type === 'partition_key'; }) || []; if (!err && data.length) { self.alterTable(model, data, indexes || [], done); } else { self.createTable(model, indexes || [], done); } }); }); function done(err) { if (err) { console.log(err); } if (--wait === 0 && cb) { cb(); } } }; Cassandra.prototype.alterTable = function (model, actualFields, actualIndexes, done, checkOnly) { 'use strict'; var self = this; var m = this._models[model]; var propNames = Object.keys(m.properties).filter(function (name) { return !!m.properties[name]; }); var indexNames = m.settings.indexes ? Object.keys(m.settings.indexes).filter(function (name) { return !!m.settings.indexes[name]; }) : []; var sql = []; var ai = {}; if (actualIndexes) { actualIndexes.forEach(function (i) { var name = i.index_name || i.field; if (!ai[name]) { ai[name] = { info: i, columns: [] }; } ai[name].columns.push(i.field); }); } var aiNames = Object.keys(ai); // change/add new fields propNames.forEach(function (propName) { if (propName === 'id') { return; } var found; actualFields.forEach(function (f) { if (f.field === propName) { found = f; } }); if (found) { actualize(propName, found); } else { // ALTER TABLE users ADD top_places list<text>; sql.push('ALTER TABLE ' + self.escapeName(model) + ' ADD ' + self.propertySettingsSQL(model, propName)); } }); // drop columns actualFields.forEach(function (f) { var notFound = !~propNames.indexOf(f.field); if (f.field === 'id') { return; } if (notFound || !m.properties[f.field]) { // ALTER TABLE addamsFamily DROP gender; sql.push('ALTER TABLE ' + self.escapeName(model) + ' DROP ' + f.field + ''); } }); // remove indexes aiNames.forEach(function (indexName) { if (indexName === 'id' || indexName === 'PRIMARY') { return; } if ((indexNames.indexOf(indexName) === -1 && !m.properties[indexName]) || (m.properties[indexName] && !m.properties[indexName].index && !ai[indexName])) { sql.push('DROP INDEX IF EXISTS ' + indexName + ''); } else { // first: check single (only type and kind) if (m.properties[indexName] && !m.properties[indexName].index) { // TODO return; } // second: check multiple indexes var orderMatched = true; if (indexNames.indexOf(indexName) !== -1) { m.settings.indexes[indexName].columns.split(/,\s*/).forEach(function (columnName, i) { if (ai[indexName].columns[i] !== columnName) orderMatched = false; }); } if (!orderMatched) { sql.push('DROP INDEX IF EXISTS ' + indexName + ''); delete ai[indexName]; } } }); // add single-column indexes propNames.forEach(function (propName) { var i = m.properties[propName].index; if (!i) { return; } var found = ai[propName] && ai[propName].info; if (!found) { var type = ''; var kind = ''; if (i.type) { type = 'USING ' + i.type; } if (i.kind) { // kind = i.kind; } // CREATE INDEX IF NOT EXISTS user_state ON myschema.users (state); if (kind && type) { sql.push('CREATE INDEX IF NOT EXISTS ' + propName + ' ON ' + self.escapeName(model) + ' (' + propName + ')'); } else { sql.push('CREATE INDEX IF NOT EXISTS ' + propName + ' ON ' + self.escapeName(model) + ' (' + propName + ')'); } } }); /* // add multi-column indexes indexNames.forEach(function (indexName) { var i = m.settings.indexes[indexName]; var found = ai[indexName] && ai[indexName].info; if (!found) { sql.push('CREATE INDEX IF NOT EXISTS '+indexName+' ON '+self.escapeName(model)+' ('+i.columns+')'); } }); */ if (sql.length) { var query = sql; if (checkOnly) { done(null, true, { statements: sql, query: query }); } else { var slen = query.length; for (var qi in query) { this.query(query[qi] + '', function (err, data) { if (err) console.log(err); if (--slen === 0) { done(); } }); } } } else { done(); } function actualize(propName, oldSettings) { 'use strict'; var newSettings = m.properties[propName]; if (newSettings && changed(newSettings, oldSettings)) { // ALTER TABLE users ALTER bio TYPE text; sql.push('ALTER TABLE ' + self.escapeName(model) + ' ALTER ' + propName + ' TYPE ' + self.propertySettingsSQL(model, propName)); } } function changed(newSettings, oldSettings) { 'use strict'; var type = oldSettings.validator.replace(/ORG\.APACHE\.CASSANDRA\.DB\.MARSHAL\./gi, ''); type = type.replace(/type/gi, '').toLowerCase(); if (/^map/gi.test(type)) { type = 'map<text,text>'; } switch (type) { case 'utf8': type = 'text'; break; case 'int32': type = 'int'; break; case 'long': type = 'bigint'; break; } if (type !== datatype(newSettings) && type !== 'reversed(' + datatype(newSettings) + ')') { return true; } return false; } }; Cassandra.prototype.ensureIndex = function (model, fields, params, callback) { 'use strict'; var self = this, sql = "", keyName = params.name || null, afld = [], kind = ""; Object.keys(fields).forEach(function (field) { if (!keyName) { keyName = "idx_" + field; } afld.push('' + field + ''); }); if (params.unique) { kind = "UNIQUE"; } // CREATE INDEX IF NOT EXISTS xi ON xx5 (x); sql += 'CREATE INDEX IF NOT EXISTS ' + kind + ' INDEX `' + keyName + '` ON `' + model + '` (' + afld.join(', ') + ');'; self.query(sql, callback); }; Cassandra.prototype.buildLimit = function buildLimit(limit, offset) { 'use strict'; return 'LIMIT ' + (offset ? (offset + ', ' + limit) : limit); }; Cassandra.prototype.buildWhere = function buildWhere(conds, adapter, model) { 'use strict'; var cs = [], or = [], self = adapter, props = self._models[model].properties; Object.keys(conds).forEach(function (key) { if (key !== 'or') { cs = parseCond(cs, key, props, conds, self); } else { conds[key].forEach(function (oconds) { Object.keys(oconds).forEach(function (okey) { or = parseCond(or, okey, props, oconds, self); }); }); } }); if (cs.length === 0 && or.length === 0) { return ''; } var orop = ""; if (or.length) { orop = ' (' + or.join(' OR ') + ') '; } orop += (orop !== "" && cs.length > 0) ? ' AND ' : ''; return 'WHERE ' + orop + cs.join(' AND '); }; Cassandra.prototype.buildGroupBy = function buildGroupBy(group) { 'use strict'; if (typeof group === 'string') { group = [group]; } return 'GROUP BY ' + group.join(', '); }; Cassandra.prototype.fromDatabase = function (model, data) { 'use strict'; if (!data) { return null; } var props = this._models[model].properties; Object.keys(data).forEach(function (key) { var val = data[key]; if (props[key]) { if (props[key].type.name === 'Date' && val !== null) { val = new Date(val.toString().replace(/GMT.*$/, 'GMT')); } } data[key] = val; }); return data; }; Cassandra.prototype.propertiesSQL = function (model) { 'use strict'; var self = this; var sql = []; Object.keys(this._models[model].properties).forEach(function (prop) { if (prop === 'id') { return; } return sql.push('' + prop + ' ' + self.propertySettingsSQL(model, prop)); }); var primaryKeys = this._models[model].settings.primaryKeys || []; primaryKeys = primaryKeys.slice(0); if (primaryKeys.length) { for (var i = 0, length = primaryKeys.length; i < length; i++) { primaryKeys[i] = "" + primaryKeys[i] + ""; } sql.push("PRIMARY KEY (" + primaryKeys.join(', ') + ")"); } else { sql.push('id timeuuid PRIMARY KEY'); } return sql.join(',\n '); }; Cassandra.prototype.propertySettingsSQL = function (model, prop) { 'use strict'; var p = this._models[model].properties[prop], field = []; field.push(datatype(p)); return field.join(" "); }; Cassandra.prototype.escapeName = function (name) { 'use strict'; return name.toLowerCase(); }; Cassandra.prototype.toFields = function (model, data) { 'use strict'; var fields = []; var props = this._models[model].properties; Object.keys(data).forEach(function (key) { if (props[key] && key !== 'id') { fields.push(key + ' = ' + this.toDatabase(props[key], data[key])); } }.bind(this)); return fields.join(','); }; Cassandra.prototype.toDatabase = function (prop, val) { 'use strict'; if (val === null) { return 'NULL'; } if (val.constructor.name === 'Object') { var operator = Object.keys(val)[0]; val = val[operator]; if (operator === 'between') { if (prop.type.name === 'Date') { return 'STR_TO_DATE(' + this.toDatabase(prop, val[0]) + ', "%Y-%m-%d %H:%i:%s")' + ' AND STR_TO_DATE(' + this.toDatabase(prop, val[1]) + ', "%Y-%m-%d %H:%i:%s")'; } else { return this.toDatabase(prop, val[0]) + ' AND ' + this.toDatabase(prop, val[1]); } } else if (operator === 'in' || operator === 'inq' || operator === 'nin') { if (!(val.propertyIsEnumerable('length')) && typeof val === 'object' && typeof val.length === 'number') { //if value is array for (var i = 0; i < val.length; i++) { val[i] = this.escapeName(val[i]); } return val.join(','); } else { return val; } } } if (!prop) { return val; } var type = (prop.type.name || '').toLowerCase(); if (type === 'json') { return val; } if (type === 'uuid' || type === 'timeuuid' || type === 'number' || type === 'float' || type === 'integer' || type === 'real') { return val; } if (type === 'date') { if (!val) { return 'NULL'; } if (typeof val === 'string') { val = val.split('.')[0].replace('T', ' '); val = Date.parse(val); } if (typeof val === 'number') { val = new Date(val); } if (val instanceof Date) { val = val.getTime(); } return val; } if (type === "boolean" || type === "tinyint") { return val ? 1 : 0; } return '\'' + val.toString() + '\''; }; function dateToCassandra(val) { 'use strict'; return val.getUTCFullYear() + '-' + fillZeros(val.getUTCMonth() + 1) + '-' + fillZeros(val.getUTCDate()) + ' ' + fillZeros(val.getUTCHours()) + ':' + fillZeros(val.getUTCMinutes()) + ':' + fillZeros(val.getUTCSeconds()); function fillZeros(v) { 'use strict'; return v < 10 ? '0' + v : v; } } function parseCond(cs, key, props, conds, self) { 'use strict'; var keyEscaped = '' + key + ''; var val = self.toDatabase(props[key], conds[key]); if (conds[key] === null) { cs.push(keyEscaped + ' IS NULL'); } else if (conds[key].constructor.name === 'Object') { Object.keys(conds[key]).forEach(function (condType) { val = self.toDatabase(props[key], conds[key][condType]); var sqlCond = keyEscaped; if ((condType === 'inq' || condType === 'nin') && val.length === 0) { cs.push(condType === 'inq' ? 0 : 1); return true; } switch (condType) { case 'gt': sqlCond += ' > '; break; case 'gte': sqlCond += ' >= '; break; case 'lt': sqlCond += ' < '; break; case 'lte': sqlCond += ' <= '; break; case 'between': sqlCond += ' BETWEEN '; break; case 'inq': case 'in': sqlCond += ' IN '; break; case 'nin': sqlCond += ' NOT IN '; break; case 'neq': case 'ne': sqlCond += ' != '; break; case 'regex': sqlCond += ' REGEXP '; break; case 'like': sqlCond += ' LIKE '; break; case 'nlike': sqlCond += ' NOT LIKE '; break; default: sqlCond += ' ' + condType + ' '; break; } sqlCond += (condType === 'in' || condType === 'inq' || condType === 'nin') ? '(' + val + ')' : val; cs.push(sqlCond); }); } else if (/^\//gi.test(conds[key])) { var reg = val.toString().split('/'); cs.push(keyEscaped + ' REGEXP "' + reg[1] + '"'); } else { cs.push(keyEscaped + ' = ' + val); } return cs; } function datatype(p) { 'use strict'; var dt = ''; switch ((p.type.name || 'string').toLowerCase()) { case 'json': dt = 'map<text,text>'; break; case 'text': dt = 'text'; break; case 'int': case 'integer': case 'number': dt = (parseFloat(p.limit) > 11) ? "bigint" : "int"; break; case 'float': case 'double': dt = 'float'; case 'real': dt = 'decimal'; break; case 'timestamp': case 'date': dt = 'timestamp'; break; case 'boolean': case 'bool': dt = 'boolean'; break; case 'uuid': case 'timeuuid': dt = 'uuid'; break; case 'blob': case 'bytes': dt = 'bytes'; break; case 'countercolumn': dt = 'countercolumn'; break; default: dt = 'text'; } return dt; }
philipz/caminte
lib/adapters/cassandra.js
JavaScript
mit
23,406
$(document).ready(function(){ $("#lang").change(function(){ var lang = $("#lang").val(); $.ajax({ "type":"POST", // "url":baseUrl+"home/checklang", "data":"lang="+lang, "async":true, "success":function(result){ window.location=baseUrl+lang; } }) }) })
vungocgiao1510/giao
public/default/js/jquery_code.js
JavaScript
mit
339
/* jshint node: true */ module.exports = function(grunt) { 'use strict'; grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), jshint: { all: [ '*.js', 'spec/*.js' ], options: { jshintrc: '.jshintrc' } }, jasmine: { src: 'method-proxy.js', options: { specs: 'spec/**/*.js' } } }); grunt.loadNpmTasks('grunt-contrib-jshint'); grunt.loadNpmTasks('grunt-contrib-jasmine'); grunt.registerTask('test', ['jshint', 'jasmine']); grunt.registerTask('default', ['test']); };
causes/method-proxy-js
Gruntfile.js
JavaScript
mit
584
var gulp = require('gulp'), sass = require('gulp-sass'), scsslint = require('gulp-scss-lint'); gulp.task('sass', function () { gulp.src('./_sass/**/*.scss') .pipe(sass().on('error', sass.logError)) .pipe(gulp.dest('./css')); }); gulp.task('scsslint', function () { gulp.src('./_sass/**/*.scss') .pipe(scsslint()) }); gulp.task('sass:watch', function () { gulp.watch('./_sass/**/*.scss', ['sass']); }); gulp.task('sass:watch:lint', function () { gulp.watch(['./_sass/**/*.scss', './_sass/**/_*.scss'], ['sass','scsslint']); });
rogeralbinoi/html5-boilerplate-sass-lint
Gulpfile.js
JavaScript
mit
557
'use strict'; // helper to start and stop the redis process. var config = require('./config'); var fs = require('fs'); var path = require('path'); var spawn = require('win-spawn'); var spawnFailed = false; var tcpPortUsed = require('tcp-port-used'); // wait for redis to be listening in // all three modes (ipv4, ipv6, socket). function waitForRedis (available, cb) { if (process.platform === 'win32') return cb(); var ipV4 = false; var id = setInterval(function () { tcpPortUsed.check(config.PORT, '127.0.0.1').then(function (_ipV4) { ipV4 = _ipV4; return tcpPortUsed.check(config.PORT, '::1'); }).then(function (ipV6) { if (ipV6 === available && ipV4 === available && fs.existsSync('/tmp/redis.sock') === available) { clearInterval(id); return cb(); } }); }, 100); } module.exports = { start: function (done, conf) { // spawn redis with our testing configuration. var confFile = conf || path.resolve(__dirname, '../conf/redis.conf'); var rp = spawn("redis-server", [confFile], {}); // capture a failure booting redis, and give // the user running the test some directions. rp.once("exit", function (code) { if (code !== 0) spawnFailed = true; }); // wait for redis to become available, by // checking the port we bind on. waitForRedis(true, function () { // return an object that can be used in // an after() block to shutdown redis. return done(null, { spawnFailed: function () { return spawnFailed; }, stop: function (done) { if (spawnFailed) return done(); rp.once("exit", function (code) { var error = null; if (code !== null && code !== 0) { error = Error('Redis shutdown failed with code ' + code); } waitForRedis(false, function () { return done(error); }); }); rp.kill("SIGTERM"); } }); }); } };
MailOnline/node_redis
test/lib/redis-process.js
JavaScript
mit
2,328
/*global piranha, tinymce */ // // Create a new inline editor // piranha.editor.addInline = function (id, toolbarId) { tinymce.init({ selector: "#" + id, browser_spellcheck: true, fixed_toolbar_container: "#" + toolbarId, menubar: false, branding: false, statusbar: false, inline: true, convert_urls: false, plugins: [ piranha.editorconfig.plugins ], width: "100%", autoresize_min_height: 0, toolbar: piranha.editorconfig.toolbar, extended_valid_elements: piranha.editorconfig.extended_valid_elements, block_formats: piranha.editorconfig.block_formats, style_formats: piranha.editorconfig.style_formats, file_picker_callback: function(callback, value, meta) { // Provide file and text for the link dialog if (meta.filetype == 'file') { piranha.mediapicker.openCurrentFolder(function (data) { callback(data.publicUrl, { text: data.filename }); }, null); } // Provide image and alt text for the image dialog if (meta.filetype == 'image') { piranha.mediapicker.openCurrentFolder(function (data) { callback(data.publicUrl, { alt: "" }); }, "image"); } } }); $("#" + id).parent().append("<a class='tiny-brand' href='https://www.tiny.cloud' target='tiny'>Powered by Tiny</a>"); }; // // Remove the TinyMCE instance with the given id. // piranha.editor.remove = function (id) { tinymce.remove(tinymce.get(id)); $("#" + id).parent().find('.tiny-brand').remove(); };
PiranhaCMS/piranha.core
core/Piranha.Manager.TinyMCE/assets/piranha.editor.js
JavaScript
mit
1,717
'use strict'; import path from 'path'; import autoprefixer from 'autoprefixer-core'; import gulpif from 'gulp-if'; export default function(gulp, plugins, args, config, taskTarget, browserSync) { let dirs = config.directories; let entries = config.entries; let dest = path.join(taskTarget, dirs.styles.replace(/^_/, '')); // Sass compilation gulp.task('sass', () => { gulp.src(path.join(dirs.source, dirs.styles, entries.css)) .pipe(plugins.plumber()) .pipe(plugins.sourcemaps.init()) .pipe(plugins.sass({ outputStyle: 'expanded', precision: 10, includePaths: [ path.join(dirs.source, dirs.styles), path.join(dirs.source, dirs.modules) ] }).on('error', plugins.sass.logError)) .pipe(plugins.postcss([autoprefixer({browsers: ['last 2 version', '> 5%', 'safari 5', 'ios 6', 'android 4']})])) .pipe(plugins.rename(function(path) { // Remove 'source' directory as well as prefixed folder underscores // Ex: 'src/_styles' --> '/styles' path.dirname = path.dirname.replace(dirs.source, '').replace('_', ''); })) .pipe(gulpif(args.production, plugins.minifyCss({rebase: false}))) .pipe(plugins.sourcemaps.write('./')) .pipe(gulp.dest(dest)) .pipe(browserSync.stream({match: '**/*.css'})); }); }
jacekpolak/generator-yeogurt
app/templates/gulp/es6/sass.js
JavaScript
mit
1,348
var Articles = require("../articles"); var summarize = require("../summarize"); var translate = require("../translate"); var pipeline = require("../pipeline"); var veoozInterface = require("./veoozInterface.js"); module.exports = function (socketEnsureLoggedIn, socket) { function handleError(err) { return Promise.reject(err); } function throwError(err) { console.log(socket.id, "Throwing error:", err); socket.emit('new error', err); } function ensureArticleFactory(source) { if (!socket.articleFactory) { socket.articleFactory = new Articles(socket.id, source); } } socket.on('get article list', function (options, callback) { ensureArticleFactory(socket.handshake.query.articleSource); socket.articleFactory.fetchList(options).then(callback, throwError); }); socket.on('access article', function (articleId, langs, options, callback) { ensureArticleFactory(socket.handshake.query.articleSource); var authPromise; if (options.requireAuth) { authPromise = socketEnsureLoggedIn(socket); } else { authPromise = Promise.resolve(); } authPromise .then(function () { return socket.articleFactory.fetchOne(articleId); }, handleError) .then(function (article) { return pipeline.accessArticle(article, langs, options); }, handleError) .then(function (articles) { if (options.initializeLog) { var loggerPromises = []; articles.forEach(function (article) { loggerPromises.push( socket.articleFactory.initializeLogger(article) .then(function (loggerId) { if (!("_meta" in article)) { article._meta = {}; } article._meta.loggerId = loggerId; }, handleError) ); }); return Promise.all(loggerPromises).then(function () { return articles; }, handleError); } else { return articles; } }) .then(callback, handleError) .catch(throwError); }); socket.on('insert logs', function (loggerId, logs, callback) { ensureArticleFactory(socket.handshake.query.articleSource); // Client should ensure that no parallel request for the same loggerId are made. socketEnsureLoggedIn(socket) .then(function () { socket.articleFactory.insertLogs(loggerId, logs) .then(callback, function (err) { console.log(socket.id, "Ignoring error:", err); }); }, function (err) { console.log(socket.id, "Ignoring error:", err); }); }); socket.on('publish article', function (article, callback) { ensureArticleFactory(socket.handshake.query.articleSource); socketEnsureLoggedIn(socket) .then(function (user) { if (!article._meta) { article._meta = {}; } article._meta.username = user.username; return article; }, handleError) .then(function (article) { socket.articleFactory.storeEdited(article) .then(callback, throwError); if (article._meta.rawId) { console.log(socket.id, "Pushing accessible article to Veooz:", article.id); return veoozInterface.pushArticle(article).catch(function (err) { console.log(socket.id, "Error pushing article:", err); }); } }, throwError); }); socket.on('translate text', function (text, from, to, method, callback) { translate.translateText(text, from, to, method) .then(callback, throwError); }); };
nisargjhaveri/news-access
server/handleSocket.js
JavaScript
mit
4,291
'use strict'; var _ = require('lodash'); var moment = require('moment'); var util = require('util'); var articleService = require('../../services/article'); var listOrSingle = require('./lib/listOrSingle'); function parse (params) { var formats = ['YYYY', 'MM', 'DD']; var parts = _.values(params); var len = parts.length; var input = parts.join('-'); var inputFormat = formats.slice(0, len).join('-'); var unit; var textual; if (params.day) { textual = 'MMMM Do, YYYY'; unit = 'day'; } else if (params.month) { textual = 'MMMM, YYYY'; unit = 'month'; } else { textual = 'YYYY'; unit = 'year'; } var when = moment(input, inputFormat); var text = when.format(textual); return { start: when.startOf(unit).toDate(), end: when.clone().endOf(unit).toDate(), text: text }; } function slug (params) { var fmt = 'YYYY/MM/DD'; var keys = Object.keys(params).length; var parts = [params.year, params.month, params.day].splice(0, keys.length); return moment(parts.join('/'), fmt).format(fmt); } module.exports = function (req, res, next) { var parsed = parse(req.params); var handle = listOrSingle(res, { skip: false }, next); var titleFormat = 'Articles published on %s'; var title = util.format(titleFormat, parsed.text); res.viewModel = { model: { title: title, meta: { canonical: '/articles/' + slug(req.params), description: 'This search results page contains all of the ' + title.toLowerCase() } } }; var query = { status: 'published', publication: { $gte: parsed.start, $lt: parsed.end } }; articleService.find(query, handle); };
cshum/ponyfoo
controllers/articles/dated.js
JavaScript
mit
1,693
function onInitSchema(schema, className) { schema.helpers = {}; }; export default onInitSchema;
jagi/meteor-astronomy
lib/modules/helpers/hooks/onInitSchema.js
JavaScript
mit
98
var angular = require('angular'); angular.module('rsInfiniteScrollDemo', [require('rs-infinite-scroll').default]) /*@ngInject*/ .controller('RsDemoController', ['$q', '$timeout', function($q, $timeout) { var ctrl = this; ctrl.scrollProxy = { loadPrevious, loadFollowing }; ctrl.dummyList = []; let init = function() { $timeout(function() { ctrl.dummyList = [ {index: 1}, {index: 2}, {index: 3}, {index: 4}, {index: 5}, {index: 6}, {index: 7}, {index: 8}, {index: 9}, {index: 10} ]; loadFollowing(); }, 5000); }; init(); function loadPrevious() { let first = ctrl.dummyList[0]; return addBefore(first); } function loadFollowing() { let last = ctrl.dummyList[ctrl.dummyList.length-1]; // should be safe after initialization if (!last) { var deferred = $q.defer(); deferred.resolve(); return deferred.promise; } return addAfter(last); } function addAfter(last) { var deferred = $q.defer(); deferred.resolve(); $timeout(() => { if (last.index > 1000) { deferred.resolve(); return; } for (let i = last.index+1; i < last.index+10; i++) { ctrl.dummyList.push({index: i}); } deferred.resolve(); }, 200); return deferred.promise; } function addBefore(first) { var deferred = $q.defer(); deferred.resolve(); $timeout(() => { if (first.index < -1000) { deferred.resolve(); return; } for (let i = first.index-1; i > first.index-10; i--) { ctrl.dummyList.unshift({index: i}); } deferred.resolve(); }, 200); return deferred.promise; } }]);
RetroSquareGroup/rs-infinite-scroll
demo/demo.js
JavaScript
mit
1,907
'use strict'; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = { reddit: { userAgent: 'USER_AGENT', clientId: 'CLIENT ID', clientSecret: 'CLIENT SECRET', username: 'BOT USERNAME', password: 'BOT PASSWORD' }, mods: ['MODERATOR_1', 'MODERATOR_2'] };
cmhoc/fuckmwbot
dist/config.js
JavaScript
mit
308
"use strict"; var inspirationArchitectFactory = require('../inspiration-architect.min'); var should = require('should'); var _get = require('lodash/get'); var _set = require('lodash/set'); var globalTests = require('./global-tests'); var factoryTests = require('./factory-tests'); var config_files = require('../test/fixtures/sample-app/config/*.js', {mode: 'hash', options: {dot: true}}); var empty_config_files = require('../test/fixtures/empty/*.js', {mode: 'hash'}); var provider_files = require('../test/fixtures/sample-app/providers/*.js', {mode: 'hash'}); var empty_provider_files = require('../test/fixtures/empty/*.js', {mode: 'hash'}); factoryTests(inspirationArchitectFactory); describe('browserify tests', function() { describe('different config files', function() { var factory_config = { config_files: config_files }; var Inspiration = inspirationArchitectFactory(factory_config); it('should run the basic tests', function() { globalTests(Inspiration); }); it('should honor the server config files', function(done) { var inspiration = new Inspiration(); inspiration.init(function(err) { if (err) { throw err; } should(inspiration.app.config('a_sample')).equal('one'); should(inspiration.app.config('b_sample')).equal('two'); should(inspiration.app.config('e_sample.f_sample.g_sample')).equal(5); should(inspiration.app.config('external.h_sample')).equal('hello'); done(); }); }); it('should be able to overwrite server config files', function(done) { var config = { a_sample: 'overwritten', b_sample: 'also overwritten', external: { h_sample: 'this is also overwritten' } }; var inspiration = new Inspiration({ config: config }); inspiration.init(function(err) { if (err) { throw err; } should(inspiration.app.config('a_sample')).equal(config.a_sample); should(inspiration.app.config('b_sample')).equal(config.b_sample); should(inspiration.app.config('external.h_sample')).equal(config.external.h_sample); should(inspiration.app.config('external.i_sample')).not.equal(undefined); done(); }); }); }); describe('no config files', function() { var factory_config = { config_files: empty_config_files }; var Inspiration = inspirationArchitectFactory(factory_config); it('should run the basic tests', function() { globalTests(Inspiration); }); it('should be able to overwrite empty server config files', function(done) { var config = { a_sample: 'overwritten', b_sample: 'also overwritten', external: { h_sample: 'this is also overwritten' } }; var inspiration = new Inspiration({ config: config }); inspiration.init(function(err) { if (err) { throw err; } should(inspiration.app.config('a_sample')).equal(config.a_sample); should(inspiration.app.config('b_sample')).equal(config.b_sample); should(inspiration.app.config('external.h_sample')).equal(config.external.h_sample); done(); }); }); }); describe('reference server providers', function() { var factory_config = { provider_files: provider_files }; var Inspiration = inspirationArchitectFactory(factory_config); it('should run the server providers based on the config', function(done) { var inspiration = new Inspiration({ config: { providers: [ 'addSomethingAsync', 'addSomething', function(app, done) { app.doSomethingElse = function() { return 3; }; done(); } ] } }); inspiration.init(function(err) { if (err) { throw err; } inspiration.app.doSomethingAsync().should.equal(1); inspiration.app.doSomething().should.equal(2); inspiration.app.doSomethingElse().should.equal(3); done(); }); }); }); describe('no provider files', function() { var factory_config = { provider_files: empty_provider_files }; var Inspiration = inspirationArchitectFactory(factory_config); it('should run the basic tests', function() { globalTests(Inspiration); }); it('should still run initial providers', function(done) { var inspiration = new Inspiration({ providers: [ function(app, done) { app.something_property = 1; done(); }, function(app, done) { app.something_other_property = 2; done(); } ], config: { providers: [ function(app, done) { app.something_third_property = 3; done(); } ] } }); inspiration.init(function(err) { if (err) { throw err; } inspiration.app.something_property.should.equal(1); inspiration.app.something_other_property.should.equal(2); inspiration.app.something_third_property.should.equal(3); done(); }); }); }); describe('different factory config values combined', function() { var config_env_filename = 'local'; var config_app_filename = 'application'; var config_providers_path = 'these.are.my.providers'; var app_config_path = 'locals.config'; var factory_config = { config_files: {}, config_env_filename: config_env_filename, config_app_filename: config_app_filename, config_providers_path: config_providers_path, app_config_path: app_config_path, provider_files: provider_files }; factory_config.config_files[config_env_filename] = { greeting: 'aloha' }; factory_config.config_files[config_app_filename] = { greeting: 'hello', parting: 'goodbye' }; _set(factory_config.config_files[config_app_filename], config_providers_path, [ 'addSomething' ]); var Inspiration = inspirationArchitectFactory(factory_config); it('should honor the factory config', function(done) { var inspiration = new Inspiration(); inspiration.test = true; inspiration.init(function(err) { if (err) { throw err; } var config = _get(inspiration.app, app_config_path); should(config('greeting')).equal('aloha'); should(config('parting')).equal('goodbye'); inspiration.app.doSomething().should.equal(2); done(); }); }); }); });
musejs/inspiration-architect
test-src/browserify.js
JavaScript
mit
8,096
var amqp=require("amqplib"); amqp.connect('amqp://localhost').then(function(connection){ return connection.createChannel().then(function(ch){ var ex="logs"; ch.assertExchange(ex,'fanout',{durable:true}); var ok=ch.assertQueue('',{exclusive:true}) .then(function(q){ console.log("[x]Waiting for message in '%s' ",q.queue); return ch.bindQueue(q.queue,ex,''); }).then(function(q){ return ch.consume(q.queue,function(msg){ console.log("[x]Receiving message:'%s'",msg.content.toString()); },{noAck:true}); }); }) }).then(null,console.warn);
zhangmingkai4315/RabbitMQ-Nodejs
pub_sub/receive_logs.js
JavaScript
mit
569
/** * pax * https://github.com/reekoheek/pax * * Copyright (c) 2013 PT Sagara Xinix Solusitama * Licensed under the MIT license. * https://github.com/reekoheek/pax/blob/master/LICENSE * * Composer command * */ var spawn = require('child_process').spawn, d = require('simply-deferred'); module.exports = function(pax, args, opts) { var deferred = d.Deferred(), packageFile = 'package.json'; var found = require('matchdep').filterDev('grunt-' + args[0], process.cwd() + '/' + packageFile); if (found.length <= 0) { var insDep = spawn('npm', ['install', 'grunt-' + args[0], '--save-dev'], {stdio: 'inherit'}); insDep.on('close', function(code) { if (code > 0) { deferred.reject(new Error('NPM error occured.')); } else { deferred.resolve(); } }); } else { pax.log.info(args[0], 'already exists.'); deferred.resolve(); } return deferred.promise(); };
krisanalfa/pax
lib/commands/grunt/add.js
JavaScript
mit
1,004
/* globals require module */ const modelRegistrator = require("./utils/model-registrator"); module.exports = modelRegistrator.register("Superhero", { name: { type: String, required: true }, secretIdentity: { type: String, required: true }, alignment: { type: String, required: true }, story: { type: String, required: true }, imageUrl: { type: String, required: true }, fractions: [{}], powers: [{}], city: {}, country: {}, planet: {}, user: {} });
Minkov/Superheroes-Universe
models/superhero-model.js
JavaScript
mit
594
var engine = require('../data.js'); var collection = engine.getCollection('posts'); var requiredKeys = ['title', 'markdown', 'body', 'slug', 'createdAt']; var requiredMessage = 'You must provide at least these keys: ' + requiredKeys.join(', '); function _dummyIndex(err, indexName) { if (err) { throw new Error(err); } console.log('Created', indexName); } collection.ensureIndex('slug', {unique: true}, _dummyIndex); collection.ensureIndex({createdAt: -1}, {w: 1}, _dummyIndex); collection.ensureIndex({tags: 1}, {_tiarr: true}, _dummyIndex); module.exports.list = listPosts; module.exports.listByDate = listPostsByDate; module.exports.listByTag = listPostsByTag; module.exports.get = getPost; module.exports.upsert = upsertPost; module.exports.create = createPost; module.exports.update = updatePost; module.exports.remove = removePost; module.exports.addComment = addComment; function dateLimit(year, month) { var MIN_MONTH = 1; var MAX_MONTH = 12; var currDate = new Date(); var hasMonth = Number.isFinite(month); var upper, lower; year = year || currDate.getFullYear(); month = month || currDate.getMonth(); if (hasMonth) { lower = year + '-' + month + '-1'; if (month + 1 > MAX_MONTH) { upper = (year + 1) + '-1-1'; } else { upper = year + '-' + (month + 1) + '-1'; } } else { lower = year + '-1-1'; upper = (year + 1) + '-1-1'; } return [new Date(Date.parse(lower)), new Date(Date.parse(upper))]; } function clone(original, edited) { var properties = ['title', 'body', 'markdown', 'tags']; properties.forEach(function (key) { original[key] = edited[key]; }); return original; } function validate(data) { var dataKeys = Object.keys(data); var hasKeys = requiredKeys.map(function (key) { return dataKeys.indexOf(key) > -1; }).reduce(function (accum, value) { return accum && value; }); return hasKeys; } function listPosts(options) { var page = options.page || 0; // posts per page var limit = options.limit || 5; // skip how many posts var skip = limit * page; collection.find( {}, { limit: limit, skip: skip, sort: {createdAt: -1} }, options.callback ); } function listPostsByTag(options) { collection.find( {tags: options.tag}, options.callback ); } function listPostsByDate(options) { var limits = dateLimit(options.year, options.month); collection.find( {publishAt: {$gt: limits[0], $lt: limits[1]}}, options.callback ); } function getPost(options) { collection.findOne({slug: options.slug}, options.callback); } function upsertPost(options) { collection.update( {slug: options.slug}, options.data, {upsert: true}, options.callback ); } function createPost(options) { if (!validate(options.data)) { return options.callback(new Error(requiredMessage)); } collection.insert(options.data, options.callback); } function updatePost(options) { getPost({ slug: options.slug, callback: function retrieved(err, item) { collection.update( {slug: options.slug}, clone(item, options.data), options.callback ); } }); } function removePost(options) { collection.remove({slug: options.slug}, options.callback); } function addComment(options) { getPost({ slug: options.slug, callback: function retrieved(err, item) { if (!item.comments) { item.comments = []; } item.comments.push(options.comment); item.comments = item.comments.sort(function sortByDate(a, b) { return b.createdAt.valueOf() - a.createdAt.valueOf(); }); collection.update( {slug: options.slug}, item, options.callback ); } }); }
joaodubas/blog
lib/data-post/index.js
JavaScript
mit
3,760
'use strict'; angular.module('nav', ['playlist']) .controller('NavController', function ($scope, $mdDialog, $location, webRTC, socket) { $scope.showPlaylist = function(ev) { $mdDialog.show({ controller: 'PlaylistController', templateUrl: 'app/components/playlist/playlist.html', parent: angular.element(document.body), targetEvent: ev, clickOutsideToClose:true }) .then(function(answer) { $scope.status = 'You said the information was "' + answer + '".'; }, function() { $scope.status = 'You cancelled the dialog.'; }); }; $scope.joinRoom = function() { //assumes that we are in #/room/:id var ioRoom = $location.path().split('/')[2] webRTC.joinRoom(ioRoom); // Room.getRoom($location.path()) // .then(function (data) { // socket.init(data.id) // }) // .catch(function(err) { // console.error(err); // }) }; //join on nav init $scope.joinRoom(); });
nickfujita/WhiteBoard
public/app/components/nav/nav.js
JavaScript
mit
978
var gulp = require('gulp'); var less = require('gulp-less'); var browserSync = require('browser-sync').create(); var header = require('gulp-header'); var cleanCSS = require('gulp-clean-css'); var rename = require("gulp-rename"); var uglify = require('gulp-uglify'); var filter = require('gulp-filter'); var pkg = require('./package.json'); // Set the banner content var banner = ['/*!\n', ' * Max Rohrer - <%= pkg.title %> v<%= pkg.version %> (<%= pkg.homepage %>)\n', ' * Copyright 2017-' + (new Date()).getFullYear(), ' <%= pkg.author %>\n', ' */\n', '' ].join(''); // Compile LESS files from /less into /css gulp.task('less', function() { var f = filter(['*', '!mixins.less', '!variables.less']); return gulp.src('less/*.less') .pipe(f) .pipe(less()) .pipe(header(banner, { pkg: pkg })) .pipe(gulp.dest('css')) .pipe(browserSync.reload({ stream: true })) }); // Minify compiled CSS gulp.task('minify-css', ['less'], function() { return gulp.src('css/freelancer.css') .pipe(cleanCSS({ compatibility: 'ie8' })) .pipe(rename({ suffix: '.min' })) .pipe(gulp.dest('css')) .pipe(browserSync.reload({ stream: true })) }); // Minify JS gulp.task('minify-js', function() { return gulp.src('js/freelancer.js') .pipe(uglify()) .pipe(header(banner, { pkg: pkg })) .pipe(rename({ suffix: '.min' })) .pipe(gulp.dest('js')) .pipe(browserSync.reload({ stream: true })) }); // Copy vendor libraries from /node_modules into /vendor gulp.task('copy', function() { gulp.src(['node_modules/bootstrap/dist/**/*', '!**/npm.js', '!**/bootstrap-theme.*', '!**/*.map']) .pipe(gulp.dest('vendor/bootstrap')) gulp.src(['node_modules/jquery/dist/jquery.js', 'node_modules/jquery/dist/jquery.min.js']) .pipe(gulp.dest('vendor/jquery')) gulp.src([ 'node_modules/font-awesome/**', '!node_modules/font-awesome/**/*.map', '!node_modules/font-awesome/.npmignore', '!node_modules/font-awesome/*.txt', '!node_modules/font-awesome/*.md', '!node_modules/font-awesome/*.json' ]) .pipe(gulp.dest('vendor/font-awesome')) }) // Run everything gulp.task('default', ['less', 'minify-css', 'minify-js', 'copy']); // Configure the browserSync task gulp.task('browserSync', function() { browserSync.init({ server: { baseDir: '' }, }) }) // Dev task with browserSync gulp.task('dev', ['browserSync', 'less', 'minify-css', 'minify-js'], function() { gulp.watch('less/*.less', ['less']); gulp.watch('css/*.css', ['minify-css']); gulp.watch('js/*.js', ['minify-js']); // Reloads the browser whenever HTML or JS files change gulp.watch('*.html', browserSync.reload); gulp.watch('js/**/*.js', browserSync.reload); });
maxroar/maxroar.github.io
gulpfile.js
JavaScript
mit
2,957
import React from 'react'; import PropTypes from 'prop-types'; import DatePicker from './DatePicker'; import Cell from './Cell'; import { View } from 'react-native'; class CellDatePicker extends React.Component { static defaultProps = { mode: 'datetime', date: new Date() } static proptTypes = { ...Cell.propTypes, onShow: PropTypes.func, onDateSelected: PropTypes.func.isRequired, mode: PropTypes.string.isRequired, date: PropTypes.object, cancelText: PropTypes.string } handleOnDateSelected = (date) => { this.props.onDateSelected(date); } handleDateOnPress = () => { if (this.props.onPress) this.props.onPress(); this._datePicker.open(); } render() { return ( <View> <DatePicker ref={component => this._datePicker = component} date={this.props.date} mode={this.props.mode} onDateSelected={this.handleOnDateSelected} cancelText={this.props.cancelText} /> <Cell onPress={this.handleDateOnPress} {...this.props} /> </View> ); } } export default CellDatePicker;
lodev09/react-native-cell-components
components/CellDatePicker.js
JavaScript
mit
1,159
var outputType = 'ARRAY'; var input = null; var output = null; var fs = require('fs'); var scriptName = process.argv[1].split('/'); scriptName = scriptName[ scriptName.length - 1 ]; function get_usage() { var usage = "\n"; usage += "Usage: " + scriptName + ' <options> <input markdown file>\n'; usage += "options:\n"; usage += get_options('\t') + '\n'; return usage; } function get_options(prefix) { var options = ""; options += prefix + '--array (to output as an array : DEFAULT)\n'; options += prefix + '--string (to output as a flat string)\n'; options += prefix + '--help (to display this output and exit)\n'; return options } function print_usage(exit, code) { console.log(get_usage()); if (exit) { process.exit(code); } } function toString(text) { return '"'+text.replace(/\n/g, '\\n').replace(/"/g, "\\\"") + '"'; } function toArray(text) { var arrayText = ""; arrayText += "[\n"; text = text.replace(/"/g, "\\\""); text.split('\n').map(function(line) { arrayText += '"' + line + '",\n'; }); arrayText += "]"; return arrayText; } // now the main code if (process.argv.length == 4) { if (process.argv[2] == '--array') { outputType = 'ARRAY'; } else if (process.argv[2] == '--string') { outputType = 'STRING'; } else { print_usage(true, -1); } input = process.argv[3]; output = input + '.converted.json'; } else if (process.argv.length == 3) { if (process.argv[2] == '--help') { print_usage(true, 0); } else { input = process.argv[2]; output = input + '.converted.json'; } } else { console.error('Incorrect arguments!'); print_usage(true, -1); } // load the file fs.readFile(input, function(err, data) { if (err) { throw err; } // make it a string data = new String(data); // now convert var outputData = ''; if (outputType == 'ARRAY') { outputData = toArray(data); } else if (outputType == 'STRING') { outputData = toString(data); } // write output fs.writeFile(output, outputData, 'utf8', (err) => { if (err) { throw err; } process.exit(0); }); });
finger563/webgme-codeeditor
tools/docStringConverter.js
JavaScript
mit
2,300
/* This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. */ "use strict"; // Include the required modules var {assert, expect} = require("../../../../lib/assertions"); var prefs = require("../../../../lib/prefs"); var tabs = require("../../../lib/tabs"); var utils = require("../../../../lib/utils"); var prefWindow = require("../../../lib/ui/pref-window"); const BASE_URL = collector.addHttpResource("../../../../data/"); const TEST_DATA = BASE_URL + "layout/mozilla.html"; const PREF_BROWSER_IN_CONTENT = "browser.preferences.inContent"; const PREF_BROWSER_INSTANT_APPLY = "browser.preferences.instantApply"; var setupModule = function(aModule) { aModule.controller = mozmill.getBrowserController(); prefs.setPref(PREF_BROWSER_IN_CONTENT, false); if (mozmill.isWindows) { prefs.setPref(PREF_BROWSER_INSTANT_APPLY, false); } tabs.closeAllTabs(aModule.controller); } var teardownModule = function(aModule) { prefs.clearUserPref(PREF_BROWSER_IN_CONTENT); prefs.clearUserPref(PREF_BROWSER_INSTANT_APPLY); prefs.clearUserPref("browser.startup.homepage"); } /** * Restore home page to default */ var testRestoreHomeToDefault = function() { // Open a web page for the temporary home page controller.open(TEST_DATA); controller.waitForPageLoad(); var link = new elementslib.Link(controller.tabs.activeTab, "Organization"); assert.ok(link.exists(), "'Organization' link has been found"); // Call Preferences dialog and set home page prefWindow.openPreferencesDialog(controller, prefDialogHomePageCallback); // Go to the saved home page and verify it's the correct page controller.click(new elementslib.ID(controller.window.document, "home-button")); controller.waitForPageLoad(); link = new elementslib.Link(controller.tabs.activeTab, "Organization"); assert.ok(link.exists(), "'Organization' link has been found"); // Open Preferences dialog and reset home page to default prefWindow.openPreferencesDialog(controller, prefDialogDefHomePageCallback); // Check that the current homepage is set to the default homepage - about:home var currentHomepage = prefs.getPref("browser.startup.homepage", ""); var defaultHomepage = utils.getDefaultHomepage(); assert.equal(currentHomepage, defaultHomepage, "Default homepage restored"); } /** * Set the current page as home page via the preferences dialog * * @param {MozMillController} aController * MozMillController of the window to operate on */ var prefDialogHomePageCallback = function(aController) { var prefDialog = new prefWindow.preferencesDialog(aController); prefDialog.paneId = 'paneMain'; // Set home page to the current page var useCurrent = new elementslib.ID(aController.window.document, "useCurrent"); aController.waitThenClick(useCurrent); aController.sleep(100); prefDialog.close(true); } var prefDialogDefHomePageCallback = function(aController) { var prefDialog = new prefWindow.preferencesDialog(aController); // Reset home page to the default page var useDefault = new elementslib.ID(aController.window.document, "restoreDefaultHomePage"); aController.waitForElement(useDefault); aController.click(useDefault); // Check that the homepage field has the default placeholder text var dtds = ["chrome://browser/locale/aboutHome.dtd"]; var defaultHomepageTitle = utils.getEntity(dtds, "abouthome.pageTitle"); var browserHomepageField = new elementslib.ID(aController.window.document, "browserHomePage"); var browserHomepagePlaceholderText = browserHomepageField.getNode().placeholder; expect.equal(browserHomepagePlaceholderText, defaultHomepageTitle, "Default homepage title"); prefDialog.close(true); }
lucashmorais/x-Bench
mozmill-env/msys/firefox/tests/functional/testPreferences/testRestoreHomepageToDefault.js
JavaScript
mit
3,833
$(document).ready(function () { var svgContainer = document.getElementById('svgContainer'); if (svgContainer) { var mama = new bodymovin.loadAnimation({ wrapper: svgContainer, autoplay: false, animType: 'svg', loop: false, name: 'test', animationData: JSON.parse(animationData) }); mama.play('test'); mama.setSpeed(1.5, 'test'); mama.setDirection(1, 'test'); $("#svgContainer").mouseenter(function () { mama.stop(); mama.play('test'); mama.setSpeed(1.5, 'test'); mama.setDirection(1, 'test'); }); } });
soywod/MAD
public/js/index.js
JavaScript
mit
697
"use strict" // String interpolation: supports string interpolation via template literals let first = 'Jon'; let last = 'Smith'; console.log(`Hello ${first} ${last}!`); // Hello Jon Smith // Multi-line string const multiLine = ` This is a string with four lines`; console.log (multiLine); // This is // a string // with four // lines
dlinaz/Simple-es6
src/stringFeatures.js
JavaScript
mit
350
import React from 'react'; import { css } from 'emotion'; import { Col, Row } from 'reactstrap'; import Localized from 'components/Localized/Localized'; import Locations from 'components/Locations/Locations'; import { useGameLocations } from 'selectors/gameLocations'; import { useSelectedLocationsCount } from 'selectors/selectedLocationsCount'; import { useConfigSpyCount } from 'selectors/configSpyCount'; import { useGamePrevLocation } from 'selectors/gamePrevLocation'; import { useGameMatchId } from 'selectors/gameMatchId'; import SpyCount from 'components/SpyCount/SpyCount'; import { useGameSpies } from 'selectors/gameSpies'; import { useConfigHideSpyCount } from 'selectors/configHideSpyCount'; import { useGameAllSpies } from 'selectors/gameAllSpies'; import TimerManager from './TimerManager'; export const GameInfo = () => { const [spyCount] = useConfigSpyCount(); const prevLocation = useGamePrevLocation(); const matchId = useGameMatchId(); const spies = useGameSpies(); const [hideSpyCount] = useConfigHideSpyCount(); const allSpies = useGameAllSpies(); const selectedLocationsCount = useSelectedLocationsCount(); const gameLocations = useGameLocations(); return ( <div> <SpyCount spyCount={spyCount} spies={spies} allSpies={allSpies} hideSpyCount={hideSpyCount} className={styles.spiesCountContainer} /> <Row className={styles.locationsContainer}> <Col className="text-center"> <h4><Localized name="interface.game_locations" /> ({selectedLocationsCount})</h4> </Col> </Row> <Locations matchId={matchId} locations={gameLocations} prevLocation={prevLocation} /> <TimerManager /> </div> ); }; const styles = { spiesCountContainer: css({ marginTop: 20, }), locationsContainer: css({ marginTop: 20, }), }; export default React.memo(GameInfo);
adrianocola/spyfall
app/containers/Game/GameInfo.js
JavaScript
mit
1,907
import Ember from 'ember' import config from '../config/environment' export default function () { if (config && config.mirageNamespace) { this.namespace = config.mirageNamespace } this.get('/countries', function ({db}, request) { let search = request.queryParams.p search = search ? search.replace('name:', '') : null const countries = db.countries .filter((country) => { if (search && country.name.indexOf(search) === -1) { return false } return true }) .slice(0, 5) return { countries } }) this.get('/resources', function ({db}, request) { let search = request.queryParams.p search = search ? search.replace('label:', '') : null const resources = db.resources .filter((resource) => { if (search && resource.label.indexOf(search) === -1) { return false } return true }) .slice(0, 5) return { resources } }) this.get('/nodes', function ({db}, request) { const nodes = db.nodes return { nodes } }) ;[ 'models', 'values', 'views' ].forEach((key) => { const pluralizedKey = Ember.String.pluralize(key) this.get(`/${key}`, function ({db}, request) { let items = db[pluralizedKey] if ('modelId' in request.queryParams) { const modelId = request.queryParams.modelId items = items.filter((item) => { return item.modelIds ? item.modelIds.indexOf(modelId) !== -1 : false }) } if ('p' in request.queryParams) { const pQueries = request.queryParams.p.split(',') pQueries.foreach((query) => { let [attr, value] = query.split(':') items = items.filter((item) => { return item[attr] ? item[attr].toLowerCase().indexOf(value.toLowerCase()) !== -1 : false }) }) } return { [key]: items } }) this.get(`/${key}/:id`, function ({db}, request) { return { [key]: db[pluralizedKey].find((item) => item.id === request.params.id) } }) }) this.passthrough() this.passthrough('http://data.consumerfinance.gov/api/**') this.passthrough('http://www.mapquestapi.com/**') }
sandersky/ember-frost-bunsen
tests/dummy/mirage/config.js
JavaScript
mit
2,271
Modernizr.addTest("csspositionsticky",function(){var e="position:",t="sticky",n=document.createElement("modernizr"),r=n.style;return r.cssText=e+Modernizr._prefixes.join(t+";"+e).slice(0,-e.length),r.position.indexOf(t)!==-1});
camoconnell/jasper
js/dist/bower_components/modernizr/feature-detects/css-positionsticky.js
JavaScript
mit
227
'use strict'; describe('Protractor Demo App', function() { // it('should add a todo', function() { // browser.get('https://angularjs.org'); // browser.sleep(5000); // element(by.model('todoList.todoText')).sendKeys('write first protractor test'); // element(by.css('[value="add"]')).click(); // browser.sleep(5000); // var todoList = element.all(by.repeater('todo in todoList.todos')); // expect(todoList.count()).toEqual(3); // expect(todoList.get(2).getText()).toEqual('write first protractor test'); // // You wrote your first test, cross it off the list // todoList.get(2).element(by.css('input')).click(); // var completedAmount = element.all(by.css('.done-true')); // expect(completedAmount.count()).toEqual(2); // browser.sleep(10000); // }); it('should take a quiz' ,function () { //browser.get('http://biotility.herokuapp.com/'); browser.get('http://localhost:3000/'); browser.sleep(2000); element(by.css('[value="Applications_quiz"]')).click(); browser.sleep(1000); element(by.css('[value="start"]')).click(); browser.sleep(1000); element(by.css('[value="1"]')).click(); browser.sleep(2000); element(by.css('[value="next"]')).click(); element(by.css('[value="3"]')).click(); browser.sleep(2000); element(by.css('[value="next"]')).click(); element(by.css('[value="1"]')).click(); browser.sleep(2000); element(by.css('[value="next"]')).click(); element(by.css('[value="T"]')).click(); browser.sleep(2000); element(by.css('[value="next"]')).click(); element(by.css('[value="finished"]')).click(); browser.sleep(2000); // var score = element(by.class('results-s')); // //expect(score.value).toEqual(4); // //var score = angular // expect(score.getText()).toEqual('You got 4 / 4 questions correct.'); // browser.sleep(2000); }); // beforeEach(module( ApplicationConfiguration.registerModule('quiz') )); // var $controller; // beforeEach(inject(function(_$controller_){ // // The injector unwraps the underscores (_) from around the parameter names when matching // $controller = _$controller_; // })); // describe('$QuizController', function() { // it('sets the strength to "strong" if the password length is >8 chars', function() { // var $scope = {}; // var controller = $controller('PasswordController', { $scope: $scope }); // $scope.password = 'longerthaneightchars'; // $scope.grade(); // expect($scope.strength).toEqual('strong'); // }); // }); });
SoftwareEngineering5c/Biotility
modules/quiz/tests/e2e/quiz.e2e.tests.js
JavaScript
mit
2,664
import convexpress from "convexpress"; import * as config from "config"; const options = { info: { title: "lk-app-back", version: "1.0.2" }, host: config.HOST }; export default convexpress(options) .serveSwagger() .convroute(require("api/buckets/post")) .convroute(require("api/deployments/post"));
lk-architecture/lk-app-back
src/api/index.js
JavaScript
mit
342
var multipart = require('./'); var test = require('tape'); test('produces valid mime multipart archive', function(t) { t.plan(1); var content1 = { content: 'thug', mime: 'text/upstart-job', encoding: 'ascii' }; var content2 = { content: 'life' }; var expected = 'From: nobody Thu Apr 09 2015 14:24:54 GMT+0200\r\nMIME-Version: 1.0\r\nContent-Type: multipart/mixed; boundary="4987e8f2-34a1-41a5-a4aa-3bfc3398651d"\r\n\r\n--4987e8f2-34a1-41a5-a4aa-3bfc3398651d\r\nMIME-Version: 1.0\r\nContent-Type: text/upstart-job; charset="ascii"\r\nContent-Transfer-Encoding: 7bit\r\nContent-Disposition: attachment; filename="file0"\r\n\r\nthug\r\n--4987e8f2-34a1-41a5-a4aa-3bfc3398651d\r\nMIME-Version: 1.0\r\nContent-Type: text/plain; charset="utf-8"\r\nContent-Transfer-Encoding: 7bit\r\nContent-Disposition: attachment; filename="file1"\r\n\r\nlife\r\n--4987e8f2-34a1-41a5-a4aa-3bfc3398651d--'; var result = multipart.generate([content1, content2], { boundary: '4987e8f2-34a1-41a5-a4aa-3bfc3398651d', from: 'nobody Thu Apr 09 2015 14:24:54 GMT+0200' }); t.equal(result, expected); }); test('custom-fields', function(t) { t.plan(1); var part = { content: 'thug', mime: 'text/upstart-job', encoding: 'koi8-r', filename: 'thug.txt', }; var expected = 'From: nobody Thu Apr 09 2015 14:24:54 GMT+0200\r\nMIME-Version: 1.0\r\nContent-Type: multipart/mixed; boundary="4987e8f2-34a1-41a5-a4aa-3bfc3398651d"\r\n\r\npreamble\r\n--4987e8f2-34a1-41a5-a4aa-3bfc3398651d\r\nMIME-Version: 1.0\r\nContent-Type: text/upstart-job; charset="koi8-r"\r\nContent-Transfer-Encoding: 7bit\r\nContent-Disposition: attachment; filename="thug.txt"\r\n\r\nthug\r\n--4987e8f2-34a1-41a5-a4aa-3bfc3398651d--\r\nepilogue'; var result = multipart.generate([part], { boundary: '4987e8f2-34a1-41a5-a4aa-3bfc3398651d', from: 'nobody Thu Apr 09 2015 14:24:54 GMT+0200', preamble: 'preamble', epilogue: 'epilogue', }); t.equal(result, expected); });
sergi/mime-multipart
test.js
JavaScript
mit
1,995
export default class FormController { constructor($stateParams, $state, EquipamentoServico, Notification) { this.record = {} this.title = 'Adicionando registro' this._service = EquipamentoServico if ($stateParams.id) { this.title = 'Editando registro' this._service.findById($stateParams.id) .then(data => { this.record = data }) } this._state = $state this._notify = Notification } save() { this._service.save(this.record) .then(resp => { this._notify.success('Registro salvo com sucesso!') this._state.go('equipamento.list') }).catch(erro => { this._notify.error('Erro ao salvar o registro!') console.log(erro) }) } } FormController.$inject = ['$stateParams', '$state', 'EquipamentoServico', 'Notification']
lucionei/chamadotecnico
chamadosTecnicosFinal-app/src/app/equipamentos/form.controller.js
JavaScript
mit
977
/*License (MIT) Copyright © 2013 Matt Diamond Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ (function(window){ var WORKER_PATH = '/static/js/recorderjs/recorderWorker.js'; var Recorder = function(source, cfg){ var config = cfg || {}; var bufferLen = config.bufferLen || 4096; this.context = source.context; if(!this.context.createScriptProcessor){ this.node = this.context.createJavaScriptNode(bufferLen, 2, 2); } else { this.node = this.context.createScriptProcessor(bufferLen, 2, 2); } var worker = new Worker(config.workerPath || WORKER_PATH); worker.postMessage({ command: 'init', config: { sampleRate: this.context.sampleRate } }); var recording = false, currCallback; this.node.onaudioprocess = function(e){ if (!recording) return; worker.postMessage({ command: 'record', buffer: [ e.inputBuffer.getChannelData(0), e.inputBuffer.getChannelData(1) ] }); } this.configure = function(cfg){ for (var prop in cfg){ if (cfg.hasOwnProperty(prop)){ config[prop] = cfg[prop]; } } } this.record = function(){ recording = true; } this.stop = function(){ recording = false; } this.clear = function(){ worker.postMessage({ command: 'clear' }); } this.getBuffers = function(cb) { currCallback = cb || config.callback; worker.postMessage({ command: 'getBuffers' }) } this.exportWAV = function(cb, type){ currCallback = cb || config.callback; type = type || config.type || 'audio/wav'; if (!currCallback) throw new Error('Callback not set'); worker.postMessage({ command: 'exportWAV', type: type }); } this.exportMonoWAV = function(cb, type){ currCallback = cb || config.callback; type = type || config.type || 'audio/wav'; if (!currCallback) throw new Error('Callback not set'); worker.postMessage({ command: 'exportMonoWAV', type: type }); } worker.onmessage = function(e){ var blob = e.data; currCallback(blob); } source.connect(this.node); this.node.connect(this.context.destination); // if the script node is not connected to an output the "onaudioprocess" event is not triggered in chrome. }; Recorder.setupDownload = function(blob, filename){ var url = (window.URL || window.webkitURL).createObjectURL(blob); var link = document.getElementById("save"); link.href = url; link.download = filename || 'output.wav'; } window.Recorder = Recorder; })(window);
gregoryv/record-stuff
static/js/recorderjs/recorder.js
JavaScript
mit
3,692
/***************************************************** * * Designed and programmed by Mohamed Adam Chaieb. * *****************************************************/ /* Constructs a new tile. */ function Tile(position, level) { this.x = position.x; this.y = position.y; this.level = level; }; /* Updates the position of the tile. */ Tile.prototype.updatePosition = function(position) { this.x = position.x; this.y = position.y; };
mac-adam-chaieb/Isometric-2048
js/tile.js
JavaScript
mit
444
import React from 'react'; import createSvgIcon from './utils/createSvgIcon'; export default createSvgIcon( <g><path d="M3.9 12c0-1.71 1.39-3.1 3.1-3.1h4V7H7c-2.76 0-5 2.24-5 5s2.24 5 5 5h4v-1.9H7c-1.71 0-3.1-1.39-3.1-3.1zM8 13h8v-2H8v2zm9-6h-4v1.9h4c1.71 0 3.1 1.39 3.1 3.1s-1.39 3.1-3.1 3.1h-4V17h4c2.76 0 5-2.24 5-5s-2.24-5-5-5z" /></g> , 'InsertLink');
cherniavskii/material-ui
packages/material-ui-icons/src/InsertLink.js
JavaScript
mit
360
import { connect } from 'react-redux'; import { makeSelectClaimForUri } from 'lbry-redux'; import LivestreamLink from './view'; const select = (state, props) => ({ channelClaim: makeSelectClaimForUri(props.uri)(state), }); export default connect(select)(LivestreamLink);
lbryio/lbry-app
ui/component/livestreamLink/index.js
JavaScript
mit
275
var request = require("request"); var util = require("util"); var async = require("async"); var config = require("./config"); var log = require("./log"); var error = require("./error"); var tools = require("./tools"); var buffer = require("./buffer"); var api = {}; //url:http://127.0.0.1/path //data: an object //ifbuff: whether buffer the post //cb(err, result) api.post = function(url, data, ifbuff, cb) { var datastr = tools.objToString(data); async.series([ function(callback) { if(ifbuff){ buffer.get(url + datastr, function(err, res_get){ if(err){ callback(err, null); return; } if(!res_get){ //buffer not hit callback(null, null); }else{ //buffer hit callback(1, tools.stringToObj(res_get)); } }); }else{ //not a buff request callback(null, null); } }, function(callback) { //buffer not hit //request for data options = { method: "POST", url: url, timeout: config.request.timeout, // body:datastr, json:data }; request(options, function(err, res, body){ if(err) { log.toolslog("error", util.format("at api.post: request url:%s, data: %j, error:%s", url, data, err)); callback(error.get("syserr", null)); }else{ //set buffer if(ifbuff){ buffer.set(url + datastr, body); } callback(null, tools.stringToObj(body)); } }); } ], function(err, result){ if(err == 1) { //buffer hit, get from first callback cb(null, result[0]); }else{ //buffer not hit, get from second callback cb(err, result[1]); } }); } api.wait = function(res, listName) { res.wait(listName); } api.nowait = function(res, listName) { res.nowait(listName); } api.sendText = function(res, text) { res.reply(text); } api.sendImage = function(res, mediaId) { res.reply({ type: "image", content: { mediaId: mediaId } }); } api.sendVoice = function(res, mediaId) { res.reply({ type: "voice", content: { mediaId: mediaId } }); } api.sendVideo = function(res, mediaId, thumbMediaId) { res.reply({ type: "video", content: { mediaId: mediaId, thumbMediaId: thumbMediaId } }); } api.sendMusic = function(res, title, description, musicUrl, hqMusicUrl) { res.reply({ title: title, description: description, musicUrl: musicUrl, hqMusicUrl: hqMusicUrl }); } //articls is an array of object of {title, description, picurl, url} /* just like below: articls = [{ title: title, description: description, picurl: picurl, url: url },{ title: title2, description: description2, picurl: picurl2, url: url2 }] */ api.sendTextImage = function(res, articls) { res.reply(articls); } api.writelog = function(level, str) { log.userlog(level, str); } module.exports = api;
JustAnotherCan/wechat-ship
server/core/api.js
JavaScript
mit
2,796
uis.directive('uiSelect', ['$document', 'uiSelectConfig', 'uiSelectMinErr', 'uisOffset', '$compile', '$parse', '$timeout', function($document, uiSelectConfig, uiSelectMinErr, uisOffset, $compile, $parse, $timeout) { return { restrict: 'EA', templateUrl: function(tElement, tAttrs) { var theme = tAttrs.theme || uiSelectConfig.theme; return theme + (angular.isDefined(tAttrs.multiple) ? '/select-multiple.tpl.html' : '/select.tpl.html'); }, replace: true, transclude: true, require: ['uiSelect', '^ngModel'], scope: true, controller: 'uiSelectCtrl', controllerAs: '$select', compile: function(tElement, tAttrs) { // Allow setting ngClass on uiSelect var match = /{(.*)}\s*{(.*)}/.exec(tAttrs.ngClass); if(match) { var combined = '{'+ match[1] +', '+ match[2] +'}'; tAttrs.ngClass = combined; tElement.attr('ng-class', combined); } //Multiple or Single depending if multiple attribute presence if (angular.isDefined(tAttrs.multiple)) tElement.append('<ui-select-multiple/>').removeAttr('multiple'); else tElement.append('<ui-select-single/>'); if (tAttrs.inputId) tElement.querySelectorAll('input.ui-select-search')[0].id = tAttrs.inputId; return function(scope, element, attrs, ctrls, transcludeFn) { var $select = ctrls[0]; var ngModel = ctrls[1]; $select.generatedId = uiSelectConfig.generateId(); $select.baseTitle = attrs.title || 'Select box'; $select.focusserTitle = $select.baseTitle + ' focus'; $select.focusserId = 'focusser-' + $select.generatedId; $select.closeOnSelect = function() { if (angular.isDefined(attrs.closeOnSelect)) { return $parse(attrs.closeOnSelect)(); } else { return uiSelectConfig.closeOnSelect; } }(); scope.$watch('skipFocusser', function() { var skipFocusser = scope.$eval(attrs.skipFocusser); $select.skipFocusser = skipFocusser !== undefined ? skipFocusser : uiSelectConfig.skipFocusser; }); $select.onSelectCallback = $parse(attrs.onSelect); $select.onRemoveCallback = $parse(attrs.onRemove); //Limit the number of selections allowed $select.limit = (angular.isDefined(attrs.limit)) ? parseInt(attrs.limit, 10) : undefined; //Set reference to ngModel from uiSelectCtrl $select.ngModel = ngModel; $select.choiceGrouped = function(group){ return $select.isGrouped && group && group.name; }; if(attrs.tabindex){ attrs.$observe('tabindex', function(value) { $select.focusInput.attr('tabindex', value); element.removeAttr('tabindex'); }); } scope.$watch('$select.items', function(){ }); scope.$watch('searchEnabled', function() { var searchEnabled = scope.$eval(attrs.searchEnabled); $select.searchEnabled = searchEnabled !== undefined ? searchEnabled : uiSelectConfig.searchEnabled; }); scope.$watch('sortable', function() { var sortable = scope.$eval(attrs.sortable); $select.sortable = sortable !== undefined ? sortable : uiSelectConfig.sortable; }); attrs.$observe('disabled', function() { // No need to use $eval() (thanks to ng-disabled) since we already get a boolean instead of a string $select.disabled = attrs.disabled !== undefined ? attrs.disabled : false; }); attrs.$observe('resetSearchInput', function() { // $eval() is needed otherwise we get a string instead of a boolean var resetSearchInput = scope.$eval(attrs.resetSearchInput); $select.resetSearchInput = resetSearchInput !== undefined ? resetSearchInput : true; }); attrs.$observe('paste', function() { $select.paste = scope.$eval(attrs.paste); }); attrs.$observe('tagging', function() { if(attrs.tagging !== undefined) { // $eval() is needed otherwise we get a string instead of a boolean var taggingEval = scope.$eval(attrs.tagging); $select.tagging = {isActivated: true, fct: taggingEval !== true ? taggingEval : undefined}; } else { $select.tagging = {isActivated: false, fct: undefined}; } }); attrs.$observe('taggingLabel', function() { if(attrs.tagging !== undefined ) { // check eval for FALSE, in this case, we disable the labels // associated with tagging if ( attrs.taggingLabel === 'false' ) { $select.taggingLabel = false; } else { $select.taggingLabel = attrs.taggingLabel !== undefined ? attrs.taggingLabel : '(new)'; } } }); attrs.$observe('taggingTokens', function() { if (attrs.tagging !== undefined) { var tokens = attrs.taggingTokens !== undefined ? attrs.taggingTokens.split('|') : [',','ENTER']; $select.taggingTokens = {isActivated: true, tokens: tokens }; } }); //Automatically gets focus when loaded if (angular.isDefined(attrs.autofocus)){ $timeout(function(){ $select.setFocus(); }); } //Gets focus based on scope event name (e.g. focus-on='SomeEventName') if (angular.isDefined(attrs.focusOn)){ scope.$on(attrs.focusOn, function() { $timeout(function(){ $select.setFocus(); }); }); } function onDocumentClick(e) { if (!$select.open) return; //Skip it if dropdown is close var contains = false; if (window.jQuery) { // Firefox 3.6 does not support element.contains() // See Node.contains https://developer.mozilla.org/en-US/docs/Web/API/Node.contains contains = window.jQuery.contains(element[0], e.target); } else { contains = element[0].contains(e.target); } if (!contains && !$select.clickTriggeredSelect) { var skipFocusser; if (!$select.skipFocusser) { //Will lose focus only with certain targets var focusableControls = ['input','button','textarea','select']; var targetController = angular.element(e.target).controller('uiSelect'); //To check if target is other ui-select skipFocusser = targetController && targetController !== $select; //To check if target is other ui-select if (!skipFocusser) skipFocusser = ~focusableControls.indexOf(e.target.tagName.toLowerCase()); //Check if target is input, button or textarea } else { skipFocusser = true; } $select.close(skipFocusser); scope.$digest(); } $select.clickTriggeredSelect = false; } // See Click everywhere but here event http://stackoverflow.com/questions/12931369 $document.on('click', onDocumentClick); scope.$on('$destroy', function() { $document.off('click', onDocumentClick); }); // Move transcluded elements to their correct position in main template transcludeFn(scope, function(clone) { // See Transclude in AngularJS http://blog.omkarpatil.com/2012/11/transclude-in-angularjs.html // One day jqLite will be replaced by jQuery and we will be able to write: // var transcludedElement = clone.filter('.my-class') // instead of creating a hackish DOM element: var transcluded = angular.element('<div>').append(clone); var transcludedMatch = transcluded.querySelectorAll('.ui-select-match'); transcludedMatch.removeAttr('ui-select-match'); //To avoid loop in case directive as attr transcludedMatch.removeAttr('data-ui-select-match'); // Properly handle HTML5 data-attributes if (transcludedMatch.length !== 1) { throw uiSelectMinErr('transcluded', "Expected 1 .ui-select-match but got '{0}'.", transcludedMatch.length); } element.querySelectorAll('.ui-select-match').replaceWith(transcludedMatch); var transcludedChoices = transcluded.querySelectorAll('.ui-select-choices'); transcludedChoices.removeAttr('ui-select-choices'); //To avoid loop in case directive as attr transcludedChoices.removeAttr('data-ui-select-choices'); // Properly handle HTML5 data-attributes if (transcludedChoices.length !== 1) { throw uiSelectMinErr('transcluded', "Expected 1 .ui-select-choices but got '{0}'.", transcludedChoices.length); } element.querySelectorAll('.ui-select-choices').replaceWith(transcludedChoices); var transcludedNoChoice = transcluded.querySelectorAll('.ui-select-no-choice'); transcludedNoChoice.removeAttr('ui-select-no-choice'); //To avoid loop in case directive as attr transcludedNoChoice.removeAttr('data-ui-select-no-choice'); // Properly handle HTML5 data-attributes if (transcludedNoChoice.length == 1) { element.querySelectorAll('.ui-select-no-choice').replaceWith(transcludedNoChoice); } }); // Support for appending the select field to the body when its open var appendToBody = scope.$eval(attrs.appendToBody); if (appendToBody !== undefined ? appendToBody : uiSelectConfig.appendToBody) { scope.$watch('$select.open', function(isOpen) { if (isOpen) { positionDropdown(); } else { resetDropdown(); } }); // Move the dropdown back to its original location when the scope is destroyed. Otherwise // it might stick around when the user routes away or the select field is otherwise removed scope.$on('$destroy', function() { resetDropdown(); }); } // Hold on to a reference to the .ui-select-container element for appendToBody support var placeholder = null, originalWidth = ''; function positionDropdown() { // Remember the absolute position of the element var offset = uisOffset(element); // Clone the element into a placeholder element to take its original place in the DOM placeholder = angular.element('<div class="ui-select-placeholder"></div>'); placeholder[0].style.width = offset.width + 'px'; placeholder[0].style.height = offset.height + 'px'; element.after(placeholder); // Remember the original value of the element width inline style, so it can be restored // when the dropdown is closed originalWidth = element[0].style.width; // Now move the actual dropdown element to the end of the body $document.find('body').append(element); element[0].style.position = 'absolute'; element[0].style.left = offset.left + 'px'; element[0].style.top = offset.top + 'px'; element[0].style.width = offset.width + 'px'; } function resetDropdown() { if (placeholder === null) { // The dropdown has not actually been display yet, so there's nothing to reset return; } // Move the dropdown element back to its original location in the DOM placeholder.replaceWith(element); placeholder = null; element[0].style.position = ''; element[0].style.left = ''; element[0].style.top = ''; element[0].style.width = originalWidth; // Set focus back on to the moved element $select.setFocus(); } // Hold on to a reference to the .ui-select-dropdown element for direction support. var dropdown = null, directionUpClassName = 'direction-up'; // Support changing the direction of the dropdown if there isn't enough space to render it. scope.$watch('$select.open', function() { if ($select.dropdownPosition === 'auto' || $select.dropdownPosition === 'up'){ scope.calculateDropdownPos(); } }); var setDropdownPosUp = function(offset, offsetDropdown){ offset = offset || uisOffset(element); offsetDropdown = offsetDropdown || uisOffset(dropdown); dropdown[0].style.position = 'absolute'; dropdown[0].style.top = (offsetDropdown.height * -1) + 'px'; element.addClass(directionUpClassName); }; var setDropdownPosDown = function(offset, offsetDropdown){ element.removeClass(directionUpClassName); offset = offset || uisOffset(element); offsetDropdown = offsetDropdown || uisOffset(dropdown); dropdown[0].style.position = ''; dropdown[0].style.top = ''; }; scope.calculateDropdownPos = function(){ if ($select.open) { dropdown = angular.element(element).querySelectorAll('.ui-select-dropdown'); if (dropdown.length === 0) { return; } // Hide the dropdown so there is no flicker until $timeout is done executing. dropdown[0].style.opacity = 0; // Delay positioning the dropdown until all choices have been added so its height is correct. $timeout(function(){ if ($select.dropdownPosition === 'up'){ //Go UP setDropdownPosUp(); }else{ //AUTO element.removeClass(directionUpClassName); var offset = uisOffset(element); var offsetDropdown = uisOffset(dropdown); //https://code.google.com/p/chromium/issues/detail?id=342307#c4 var scrollTop = $document[0].documentElement.scrollTop || $document[0].body.scrollTop; //To make it cross browser (blink, webkit, IE, Firefox). // Determine if the direction of the dropdown needs to be changed. if (offset.top + offset.height + offsetDropdown.height > scrollTop + $document[0].documentElement.clientHeight) { //Go UP setDropdownPosUp(offset, offsetDropdown); }else{ //Go DOWN setDropdownPosDown(offset, offsetDropdown); } } // Display the dropdown once it has been positioned. dropdown[0].style.opacity = 1; }); } else { if (dropdown === null || dropdown.length === 0) { return; } // Reset the position of the dropdown. dropdown[0].style.position = ''; dropdown[0].style.top = ''; element.removeClass(directionUpClassName); } }; }; } }; }]);
90TechSAS/ui-select
src/uiSelectDirective.js
JavaScript
mit
15,230
import {singularize} from './noun'; export { singularize };
Yomguithereal/talisman
src/inflectors/spanish/index.js
JavaScript
mit
63
module.exports={ "file":1, // fname, mode, contents "filedelete":2, // fname "checkout":3, // fname "checkin":4, // fname "ping":5, // - "pong":6, // - "edit":{ "open":100, // fname "close":101, // fname "open_ok":102, // fname "open_err":103, // fname "close_ok":104, // fname "close_err":105 // fname } };
tomsmeding/gvajnez
msgtype.js
JavaScript
mit
329
var Cheerleaders = angular.module('Cheerleaders', [ 'ngRoute', 'ngDragDrop', 'angularjs-dropdown-multiselect']); Cheerleaders.config(function ($routeProvider) { $routeProvider.when('/', { templateUrl: 'partials/index.html', controller: 'routineIndexController', access: {restricted: true} }) .when('/login', { templateUrl: 'partials/login.html', controller: 'loginController', access: {restricted: false} }) .when('/logout', { controller: 'logoutController', access: {restricted: true} }) .when('/register', { templateUrl: 'partials/register.html', controller: 'registerController', access: {restricted: false} }).when('/routine/:id', { templateUrl: 'partials/routineViewer.html', controller: 'routineController', access: {restricted: true} }).when('/config', { templateUrl : 'partials/config.html', controller: 'routineController', access: {restricted: true} }) .otherwise({ redirectTo: '/' }); }); Cheerleaders.run(function ($rootScope, $location, $route, AuthService) { //console.log($rootScope); //console.log($location); //console.log($route); //console.log(AuthService); $rootScope.$on('$routeChangeStart', function (event, next, current) { AuthService.getUserStatus() .then(function(){ if (next.access.restricted && !AuthService.isLoggedIn()){ $location.path('/login'); $route.reload(); } }); }); });
richard-mack/cheer-planner
client/app.js
JavaScript
mit
1,525
import assert from "assert"; import BufSamples from "../../../src/scapi/units/BufSamples"; describe("scapi/units/BufSamples", () => { it(".kr should create control rate node", () => { const node = BufSamples.kr(1); assert.deepEqual(node, { type: "BufSamples", rate: "control", props: [ 1 ] }); }); it(".ir should create scalar rate node", () => { const node = BufSamples.ir(1); assert.deepEqual(node, { type: "BufSamples", rate: "scalar", props: [ 1 ] }); }); it("default rate is control", () => { const node = BufSamples(); assert.deepEqual(node, { type: "BufSamples", rate: "control", props: [ 0 ] }); }); });
mohayonao/neume
test/scapi/units/BufSamples.js
JavaScript
mit
684
import { combineReducers } from 'redux'; import { routerReducer as routing } from 'react-router-redux'; import account from '../reducers/account'; import authentication from '../reducers/authentication'; import user from '../reducers/user'; import modelPortfolio from '../reducers/modelPortfolio'; import portfolio from '../reducers/portfolio'; import investmentAmount from '../reducers/investmentAmount'; import message from '../reducers/message'; import rebalancing from '../reducers/rebalancing'; import view from '../reducers/view'; import * as types from '../types'; const isFetching = (state = false, action) => { switch (action.type) { case types.CREATE_REQUEST: return true; case types.REQUEST_SUCCESS: case types.REQUEST_FAILURE: return false; default: return state; } }; const rootReducer = combineReducers({ isFetching, authentication, account, modelPortfolio, portfolio, user, investmentAmount, message, rebalancing, view, routing, }); export default rootReducer;
AlexisDeschamps/portfolio-rebalancer
app/reducers/index.js
JavaScript
mit
1,039
var mongo = require('mongodb'); var fs = require('fs'); var path = require("path"); var Server = mongo.Server, Db = mongo.Db, BSON = mongo.BSONPure; var server = new Server('localhost', 27017, {auto_reconnect: true}); db = new Db('vivudb', server); function getExtPart(str){ var n=str.split("."); return n[n.length - 1]; } function getNamePart(str){ var n=str.split("."); return n[0]; } function removeSubstring(str,strrm){ var newstr = str.replace(strrm,""); return newstr; } exports.uploadAudio = function(req, res){ var addInbox = function(inbox) { console.log("Starting add Inbox: "); console.log(inbox); console.log(inbox.UserID); var gcm = new GLOBAL.GCMessage; var saveInbox = function( ){ db.collection('inboxs', function(err, collection) { collection.insert(inbox, {safe:true}, function(err, result) { if (err) { res.send({'error':'An error has occurred'}); } else{ console.log('Success: ' + JSON.stringify(result[0])); res.send(result[0]); } }); }); // end Inbox collection } var findDeviceByUserIdAndSend = function (id) { console.log("findDeviceByUserIdAndSend"); console.log('Retrieving all devices by user id: ' + id); // get all device by userId db.collection('devices', function(err, collection) { collection.find({'UserID':id.toString()}).toArray(function(err, items) { var ltsDevicesIds = []; for(var i = 0;i <items.length;i++){ ltsDevicesIds.push(items[i].DeviceID); } gcm.addRegIdList(ltsDevicesIds); gcm.addMessageData("inbox",inbox); gcm.send( ); saveInbox( ); }); // end device collection }); } // step 2.1 var increaseNoInbox = function (noCfs) { // increase Inbox Id console.log("increaseNoInbox"); inbox.InboxID = ++noCfs; findDeviceByUserIdAndSend(inbox.UserID); } // step 2.2 var userUnknown = function( ) { console.log("userUnknown"); res.send({'unknown':'There are no user in this system'}); } // step 1 var getNoCfsByUserId = function(userid){ try{ console.log("getNoCfsByUserId: "+ userid); db.collection('users', function(err, users) { users.findOne({'UserID':userid}, function(err, item) { if(item != null){ item.noCfs++; users.save(item); increaseNoInbox(item.noCfs); } else{ userUnknown(); } }); }); } catch(e){ console.log("Error at getNoCfsByUserId"); } } getNoCfsByUserId(inbox.UserID); }// end add inbox function var inbox = JSON.parse(req.body.json); console.log("json: "); console.log(inbox); //update Inbox var updateInbox = function(seqNo){ try{ var link = GLOBAL.HOSTNAME + "/cfs/audio/"+seqNo; inbox.ContentVoice = link; addInbox(inbox); } catch(e){ console.log("error in updateInbox in uploadAudio "); res.send({error:"Error from server"}); } } var saveAudio = function(seqNo){ console.log('Adding New Audio'); staticDir = removeSubstring(GLOBAL.__dirname,"/vivuserver/trunk"); //var audioDir = GLOBAL.__dirname + "/public/audio/"; var audioDir = staticDir + "/staticserver/public/audio/"; console.log("audio Dir: "+audioDir); //var fileName = req.files.source.name; var fileName = seqNo+"."+getExtPart(req.files.source.name); console.log("source: "+req.files.source.path); console.log("dest: "+audioDir + fileName); fs.rename(req.files.source.path, audioDir + fileName, function(err){ if(err != null){ console.log("Server cant rename"); console.log(err); res.send({error:"Error from server"}); } else{ console.log("Success rename"); var soundlib = new GLOBAL.Sound; var sourcepart = getNamePart(fileName); soundlib.convertWavToMp3(audioDir + fileName,audioDir + sourcepart+".mp3",function( ){ fs.unlink(audioDir + fileName,function(err){ console.log("Error delete file: " + err); }); }); updateInbox(seqNo); res.send("Ok"); } } ); } var insertSequence = function( ){ var sequences = {sequenceNo:1}; db.collection('sequences', function(err, collection) { collection.insert(sequences, {safe:true}, function(err, result) { if (err) { console.log("Error when insert first sequence"); res.send({'error':'An error has occurred'}); } else { console.log('Success: ' + JSON.stringify(result[0])); saveAudio(result[0].sequenceNo); } }); }); } var updateSequence = function( ){ db.collection('sequences', function(err, sequences) { sequences.findOne({}, function(err, item) { item.sequenceNo++; sequences.save(item); saveAudio(item.sequenceNo); }); }); } db.collection('sequences', function(err, sequences) { sequences.find().toArray(function(err, items) { if(items.length == 0){ insertSequence( ); } else{ updateSequence( ); } }); }); }
tonycaovn/vivuserver
services/audio.js
JavaScript
mit
5,449
var gulp = require('gulp'); var connect = require('gulp-connect'); var wiredep = require('wiredep').stream; var $ = require('gulp-load-plugins')(); var del = require('del'); var jsReporter = require('jshint-stylish'); var annotateAdfPlugin = require('ng-annotate-adf-plugin'); var pkg = require('./package.json'); var annotateOptions = { plugin: [ annotateAdfPlugin ] }; var templateOptions = { root: '{widgetsPath}/deviceInventory/src', module: 'adf.widget.deviceInventory' }; /** lint **/ gulp.task('csslint', function(){ gulp.src('src/**/*.css') .pipe($.csslint()) .pipe($.csslint.reporter()); }); gulp.task('jslint', function(){ gulp.src('src/**/*.js') .pipe($.jshint()) .pipe($.jshint.reporter(jsReporter)); }); gulp.task('lint', ['csslint', 'jslint']); /** serve **/ gulp.task('templates', function(){ return gulp.src('src/**/*.html') .pipe($.angularTemplatecache('templates.tpl.js', templateOptions)) .pipe(gulp.dest('.tmp/dist')); }); gulp.task('sample', ['templates'], function(){ var files = gulp.src(['src/**/*.js', 'src/**/*.css', 'src/**/*.less', '.tmp/dist/*.js']) .pipe($.if('*.js', $.angularFilesort())); gulp.src('sample/index.html') .pipe(wiredep({ directory: './components/', bowerJson: require('./bower.json'), devDependencies: true, dependencies: true })) .pipe($.inject(files)) .pipe(gulp.dest('.tmp/dist')) .pipe(connect.reload()); }); gulp.task('watch', function(){ gulp.watch(['src/**'], ['sample']); }); gulp.task('serve', ['watch', 'sample'], function(){ connect.server({ root: ['.tmp/dist', '.'], livereload: true, port: 9002 }); }); /** build **/ gulp.task('css', function(){ gulp.src(['src/**/*.css', 'src/**/*.less']) .pipe($.if('*.less', $.less())) .pipe($.concat(pkg.name + '.css')) .pipe(gulp.dest('dist')) .pipe($.rename(pkg.name + '.min.css')) .pipe($.minifyCss()) .pipe(gulp.dest('dist')); }); gulp.task('js', function() { gulp.src(['src/**/*.js', 'src/**/*.html']) .pipe($.if('*.html', $.minifyHtml())) .pipe($.if('*.html', $.angularTemplatecache(pkg.name + '.tpl.js', templateOptions))) .pipe($.angularFilesort()) .pipe($.if('*.js', $.replace(/'use strict';/g, ''))) .pipe($.concat(pkg.name + '.js')) .pipe($.headerfooter('(function(window, undefined) {\'use strict\';\n', '})(window);')) .pipe($.ngAnnotate(annotateOptions)) .pipe(gulp.dest('dist')) .pipe($.rename(pkg.name + '.min.js')) .pipe($.uglify()) .pipe(gulp.dest('dist')); }); /** clean **/ gulp.task('clean', function(cb){ del(['dist', '.tmp'], cb); }); gulp.task('default', ['css', 'js']);
reshak/angular-dashboard-framework
sample/widgets/deviceInventory/gulpfile.js
JavaScript
mit
2,787
/** @license React vundefined * react.development.js * * Copyright (c) Facebook, Inc. and its affiliates. * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ (function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' ? factory(exports) : typeof define === 'function' && define.amd ? define(['exports'], factory) : (global = global || self, factory(global.React = {})); }(this, (function (exports) { 'use strict'; var ReactVersion = '18.0.0-bdd6d5064-20211001'; // ATTENTION // When adding new symbols to this file, // Please consider also adding to 'react-devtools-shared/src/backend/ReactSymbols' // The Symbol used to tag the ReactElement-like types. If there is no native Symbol // nor polyfill, then a plain number is used for performance. var REACT_ELEMENT_TYPE = 0xeac7; var REACT_PORTAL_TYPE = 0xeaca; exports.Fragment = 0xeacb; exports.StrictMode = 0xeacc; exports.Profiler = 0xead2; var REACT_PROVIDER_TYPE = 0xeacd; var REACT_CONTEXT_TYPE = 0xeace; var REACT_FORWARD_REF_TYPE = 0xead0; exports.Suspense = 0xead1; exports.SuspenseList = 0xead8; var REACT_MEMO_TYPE = 0xead3; var REACT_LAZY_TYPE = 0xead4; var REACT_SCOPE_TYPE = 0xead7; var REACT_OPAQUE_ID_TYPE = 0xeae0; var REACT_DEBUG_TRACING_MODE_TYPE = 0xeae1; var REACT_OFFSCREEN_TYPE = 0xeae2; var REACT_LEGACY_HIDDEN_TYPE = 0xeae3; var REACT_CACHE_TYPE = 0xeae4; if (typeof Symbol === 'function' && Symbol.for) { var symbolFor = Symbol.for; REACT_ELEMENT_TYPE = symbolFor('react.element'); REACT_PORTAL_TYPE = symbolFor('react.portal'); exports.Fragment = symbolFor('react.fragment'); exports.StrictMode = symbolFor('react.strict_mode'); exports.Profiler = symbolFor('react.profiler'); REACT_PROVIDER_TYPE = symbolFor('react.provider'); REACT_CONTEXT_TYPE = symbolFor('react.context'); REACT_FORWARD_REF_TYPE = symbolFor('react.forward_ref'); exports.Suspense = symbolFor('react.suspense'); exports.SuspenseList = symbolFor('react.suspense_list'); REACT_MEMO_TYPE = symbolFor('react.memo'); REACT_LAZY_TYPE = symbolFor('react.lazy'); REACT_SCOPE_TYPE = symbolFor('react.scope'); REACT_OPAQUE_ID_TYPE = symbolFor('react.opaque.id'); REACT_DEBUG_TRACING_MODE_TYPE = symbolFor('react.debug_trace_mode'); REACT_OFFSCREEN_TYPE = symbolFor('react.offscreen'); REACT_LEGACY_HIDDEN_TYPE = symbolFor('react.legacy_hidden'); REACT_CACHE_TYPE = symbolFor('react.cache'); } var MAYBE_ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator; var FAUX_ITERATOR_SYMBOL = '@@iterator'; function getIteratorFn(maybeIterable) { if (maybeIterable === null || typeof maybeIterable !== 'object') { return null; } var maybeIterator = MAYBE_ITERATOR_SYMBOL && maybeIterable[MAYBE_ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL]; if (typeof maybeIterator === 'function') { return maybeIterator; } return null; } var hasOwnProperty = Object.prototype.hasOwnProperty; var _assign = function (to, from) { for (var key in from) { if (hasOwnProperty.call(from, key)) { to[key] = from[key]; } } }; var assign = Object.assign || function (target, sources) { if (target == null) { throw new TypeError('Object.assign target cannot be null or undefined'); } var to = Object(target); for (var nextIndex = 1; nextIndex < arguments.length; nextIndex++) { var nextSource = arguments[nextIndex]; if (nextSource != null) { _assign(to, Object(nextSource)); } } return to; }; /** * Keeps track of the current dispatcher. */ var ReactCurrentDispatcher = { /** * @internal * @type {ReactComponent} */ current: null }; /** * Keeps track of the current batch's configuration such as how long an update * should suspend for if it needs to. */ var ReactCurrentBatchConfig = { transition: 0 }; { ReactCurrentBatchConfig._updatedFibers = new Set(); } var ReactCurrentActQueue = { current: null, // Our internal tests use a custom implementation of `act` that works by // mocking the Scheduler package. Use this field to disable the `act` warning. // TODO: Maybe the warning should be disabled by default, and then turned // on at the testing frameworks layer? Instead of what we do now, which // is check if a `jest` global is defined. disableActWarning: false, // Used to reproduce behavior of `batchedUpdates` in legacy mode. isBatchingLegacy: false, didScheduleLegacyUpdate: false }; /** * Keeps track of the current owner. * * The current owner is the component who should own any components that are * currently being constructed. */ var ReactCurrentOwner = { /** * @internal * @type {ReactComponent} */ current: null }; var ReactDebugCurrentFrame = {}; var currentExtraStackFrame = null; function setExtraStackFrame(stack) { { currentExtraStackFrame = stack; } } { ReactDebugCurrentFrame.setExtraStackFrame = function (stack) { { currentExtraStackFrame = stack; } }; // Stack implementation injected by the current renderer. ReactDebugCurrentFrame.getCurrentStack = null; ReactDebugCurrentFrame.getStackAddendum = function () { var stack = ''; // Add an extra top frame while an element is being validated if (currentExtraStackFrame) { stack += currentExtraStackFrame; } // Delegate to the injected renderer-specific implementation var impl = ReactDebugCurrentFrame.getCurrentStack; if (impl) { stack += impl() || ''; } return stack; }; } var ReactSharedInternals = { ReactCurrentDispatcher: ReactCurrentDispatcher, ReactCurrentBatchConfig: ReactCurrentBatchConfig, ReactCurrentOwner: ReactCurrentOwner, // Used by renderers to avoid bundling object-assign twice in UMD bundles: assign: assign }; { ReactSharedInternals.ReactDebugCurrentFrame = ReactDebugCurrentFrame; ReactSharedInternals.ReactCurrentActQueue = ReactCurrentActQueue; } // by calls to these methods by a Babel plugin. // // In PROD (or in packages without access to React internals), // they are left as they are instead. function warn(format) { { { for (var _len = arguments.length, args = new Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { args[_key - 1] = arguments[_key]; } printWarning('warn', format, args); } } } function error(format) { { { for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) { args[_key2 - 1] = arguments[_key2]; } printWarning('error', format, args); } } } function printWarning(level, format, args) { // When changing this logic, you might want to also // update consoleWithStackDev.www.js as well. { var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame; var stack = ReactDebugCurrentFrame.getStackAddendum(); if (stack !== '') { format += '%s'; args = args.concat([stack]); } // eslint-disable-next-line react-internal/safe-string-coercion var argsWithFormat = args.map(function (item) { return String(item); }); // Careful: RN currently depends on this prefix argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it // breaks IE9: https://github.com/facebook/react/issues/13610 // eslint-disable-next-line react-internal/no-production-logging Function.prototype.apply.call(console[level], console, argsWithFormat); } } var didWarnStateUpdateForUnmountedComponent = {}; function warnNoop(publicInstance, callerName) { { var _constructor = publicInstance.constructor; var componentName = _constructor && (_constructor.displayName || _constructor.name) || 'ReactClass'; var warningKey = componentName + "." + callerName; if (didWarnStateUpdateForUnmountedComponent[warningKey]) { return; } error("Can't call %s on a component that is not yet mounted. " + 'This is a no-op, but it might indicate a bug in your application. ' + 'Instead, assign to `this.state` directly or define a `state = {};` ' + 'class property with the desired state in the %s component.', callerName, componentName); didWarnStateUpdateForUnmountedComponent[warningKey] = true; } } /** * This is the abstract API for an update queue. */ var ReactNoopUpdateQueue = { /** * Checks whether or not this composite component is mounted. * @param {ReactClass} publicInstance The instance we want to test. * @return {boolean} True if mounted, false otherwise. * @protected * @final */ isMounted: function (publicInstance) { return false; }, /** * Forces an update. This should only be invoked when it is known with * certainty that we are **not** in a DOM transaction. * * You may want to call this when you know that some deeper aspect of the * component's state has changed but `setState` was not called. * * This will not invoke `shouldComponentUpdate`, but it will invoke * `componentWillUpdate` and `componentDidUpdate`. * * @param {ReactClass} publicInstance The instance that should rerender. * @param {?function} callback Called after component is updated. * @param {?string} callerName name of the calling function in the public API. * @internal */ enqueueForceUpdate: function (publicInstance, callback, callerName) { warnNoop(publicInstance, 'forceUpdate'); }, /** * Replaces all of the state. Always use this or `setState` to mutate state. * You should treat `this.state` as immutable. * * There is no guarantee that `this.state` will be immediately updated, so * accessing `this.state` after calling this method may return the old value. * * @param {ReactClass} publicInstance The instance that should rerender. * @param {object} completeState Next state. * @param {?function} callback Called after component is updated. * @param {?string} callerName name of the calling function in the public API. * @internal */ enqueueReplaceState: function (publicInstance, completeState, callback, callerName) { warnNoop(publicInstance, 'replaceState'); }, /** * Sets a subset of the state. This only exists because _pendingState is * internal. This provides a merging strategy that is not available to deep * properties which is confusing. TODO: Expose pendingState or don't use it * during the merge. * * @param {ReactClass} publicInstance The instance that should rerender. * @param {object} partialState Next partial state to be merged with state. * @param {?function} callback Called after component is updated. * @param {?string} Name of the calling function in the public API. * @internal */ enqueueSetState: function (publicInstance, partialState, callback, callerName) { warnNoop(publicInstance, 'setState'); } }; var emptyObject = {}; { Object.freeze(emptyObject); } /** * Base class helpers for the updating state of a component. */ function Component(props, context, updater) { this.props = props; this.context = context; // If a component has string refs, we will assign a different object later. this.refs = emptyObject; // We initialize the default updater but the real one gets injected by the // renderer. this.updater = updater || ReactNoopUpdateQueue; } Component.prototype.isReactComponent = {}; /** * Sets a subset of the state. Always use this to mutate * state. You should treat `this.state` as immutable. * * There is no guarantee that `this.state` will be immediately updated, so * accessing `this.state` after calling this method may return the old value. * * There is no guarantee that calls to `setState` will run synchronously, * as they may eventually be batched together. You can provide an optional * callback that will be executed when the call to setState is actually * completed. * * When a function is provided to setState, it will be called at some point in * the future (not synchronously). It will be called with the up to date * component arguments (state, props, context). These values can be different * from this.* because your function may be called after receiveProps but before * shouldComponentUpdate, and this new state, props, and context will not yet be * assigned to this. * * @param {object|function} partialState Next partial state or function to * produce next partial state to be merged with current state. * @param {?function} callback Called after state is updated. * @final * @protected */ Component.prototype.setState = function (partialState, callback) { if (typeof partialState !== 'object' && typeof partialState !== 'function' && partialState != null) { throw Error( 'setState(...): takes an object of state variables to update or a ' + 'function which returns an object of state variables.' ); } this.updater.enqueueSetState(this, partialState, callback, 'setState'); }; /** * Forces an update. This should only be invoked when it is known with * certainty that we are **not** in a DOM transaction. * * You may want to call this when you know that some deeper aspect of the * component's state has changed but `setState` was not called. * * This will not invoke `shouldComponentUpdate`, but it will invoke * `componentWillUpdate` and `componentDidUpdate`. * * @param {?function} callback Called after update is complete. * @final * @protected */ Component.prototype.forceUpdate = function (callback) { this.updater.enqueueForceUpdate(this, callback, 'forceUpdate'); }; /** * Deprecated APIs. These APIs used to exist on classic React classes but since * we would like to deprecate them, we're not going to move them over to this * modern base class. Instead, we define a getter that warns if it's accessed. */ { var deprecatedAPIs = { isMounted: ['isMounted', 'Instead, make sure to clean up subscriptions and pending requests in ' + 'componentWillUnmount to prevent memory leaks.'], replaceState: ['replaceState', 'Refactor your code to use setState instead (see ' + 'https://github.com/facebook/react/issues/3236).'] }; var defineDeprecationWarning = function (methodName, info) { Object.defineProperty(Component.prototype, methodName, { get: function () { warn('%s(...) is deprecated in plain JavaScript React classes. %s', info[0], info[1]); return undefined; } }); }; for (var fnName in deprecatedAPIs) { if (deprecatedAPIs.hasOwnProperty(fnName)) { defineDeprecationWarning(fnName, deprecatedAPIs[fnName]); } } } function ComponentDummy() {} ComponentDummy.prototype = Component.prototype; /** * Convenience component with default shallow equality check for sCU. */ function PureComponent(props, context, updater) { this.props = props; this.context = context; // If a component has string refs, we will assign a different object later. this.refs = emptyObject; this.updater = updater || ReactNoopUpdateQueue; } var pureComponentPrototype = PureComponent.prototype = new ComponentDummy(); pureComponentPrototype.constructor = PureComponent; // Avoid an extra prototype jump for these methods. assign(pureComponentPrototype, Component.prototype); pureComponentPrototype.isPureReactComponent = true; // an immutable object with a single mutable value function createRef() { var refObject = { current: null }; { Object.seal(refObject); } return refObject; } var isArrayImpl = Array.isArray; // eslint-disable-next-line no-redeclare function isArray(a) { return isArrayImpl(a); } /* * The `'' + value` pattern (used in in perf-sensitive code) throws for Symbol * and Temporal.* types. See https://github.com/facebook/react/pull/22064. * * The functions in this module will throw an easier-to-understand, * easier-to-debug exception with a clear errors message message explaining the * problem. (Instead of a confusing exception thrown inside the implementation * of the `value` object). */ // $FlowFixMe only called in DEV, so void return is not possible. function typeName(value) { { // toStringTag is needed for namespaced types like Temporal.Instant var hasToStringTag = typeof Symbol === 'function' && Symbol.toStringTag; var type = hasToStringTag && value[Symbol.toStringTag] || value.constructor.name || 'Object'; return type; } } // $FlowFixMe only called in DEV, so void return is not possible. function willCoercionThrow(value) { { if (value !== null && typeof value === 'object' && value.$$typeof === REACT_OPAQUE_ID_TYPE) { // OpaqueID type is expected to throw, so React will handle it. Not sure if // it's expected that string coercion will throw, but we'll assume it's OK. // See https://github.com/facebook/react/issues/20127. return; } try { testStringCoercion(value); return false; } catch (e) { return true; } } } function testStringCoercion(value) { // If you ended up here by following an exception call stack, here's what's // happened: you supplied an object or symbol value to React (as a prop, key, // DOM attribute, CSS property, string ref, etc.) and when React tried to // coerce it to a string using `'' + value`, an exception was thrown. // // The most common types that will cause this exception are `Symbol` instances // and Temporal objects like `Temporal.Instant`. But any object that has a // `valueOf` or `[Symbol.toPrimitive]` method that throws will also cause this // exception. (Library authors do this to prevent users from using built-in // numeric operators like `+` or comparison operators like `>=` because custom // methods are needed to perform accurate arithmetic or comparison.) // // To fix the problem, coerce this object or symbol value to a string before // passing it to React. The most reliable way is usually `String(value)`. // // To find which value is throwing, check the browser or debugger console. // Before this exception was thrown, there should be `console.error` output // that shows the type (Symbol, Temporal.PlainDate, etc.) that caused the // problem and how that type was used: key, atrribute, input value prop, etc. // In most cases, this console output also shows the component and its // ancestor components where the exception happened. // // eslint-disable-next-line react-internal/safe-string-coercion return '' + value; } function checkKeyStringCoercion(value) { { if (willCoercionThrow(value)) { error('The provided key is an unsupported type %s.' + ' This value must be coerced to a string before before using it here.', typeName(value)); return testStringCoercion(value); // throw (to help callers find troubleshooting comments) } } } function getWrappedName(outerType, innerType, wrapperName) { var displayName = outerType.displayName; if (displayName) { return displayName; } var functionName = innerType.displayName || innerType.name || ''; return functionName !== '' ? wrapperName + "(" + functionName + ")" : wrapperName; } // Keep in sync with react-reconciler/getComponentNameFromFiber function getContextName(type) { return type.displayName || 'Context'; } // Note that the reconciler package should generally prefer to use getComponentNameFromFiber() instead. function getComponentNameFromType(type) { if (type == null) { // Host root, text node or just invalid type. return null; } { if (typeof type.tag === 'number') { error('Received an unexpected object in getComponentNameFromType(). ' + 'This is likely a bug in React. Please file an issue.'); } } if (typeof type === 'function') { return type.displayName || type.name || null; } if (typeof type === 'string') { return type; } switch (type) { case exports.Fragment: return 'Fragment'; case REACT_PORTAL_TYPE: return 'Portal'; case exports.Profiler: return 'Profiler'; case exports.StrictMode: return 'StrictMode'; case exports.Suspense: return 'Suspense'; case exports.SuspenseList: return 'SuspenseList'; case REACT_CACHE_TYPE: return 'Cache'; } if (typeof type === 'object') { switch (type.$$typeof) { case REACT_CONTEXT_TYPE: var context = type; return getContextName(context) + '.Consumer'; case REACT_PROVIDER_TYPE: var provider = type; return getContextName(provider._context) + '.Provider'; case REACT_FORWARD_REF_TYPE: return getWrappedName(type, type.render, 'ForwardRef'); case REACT_MEMO_TYPE: var outerName = type.displayName || null; if (outerName !== null) { return outerName; } return getComponentNameFromType(type.type) || 'Memo'; case REACT_LAZY_TYPE: { var lazyComponent = type; var payload = lazyComponent._payload; var init = lazyComponent._init; try { return getComponentNameFromType(init(payload)); } catch (x) { return null; } } } } return null; } var hasOwnProperty$1 = Object.prototype.hasOwnProperty; var RESERVED_PROPS = { key: true, ref: true, __self: true, __source: true }; var specialPropKeyWarningShown, specialPropRefWarningShown, didWarnAboutStringRefs; { didWarnAboutStringRefs = {}; } function hasValidRef(config) { { if (hasOwnProperty$1.call(config, 'ref')) { var getter = Object.getOwnPropertyDescriptor(config, 'ref').get; if (getter && getter.isReactWarning) { return false; } } } return config.ref !== undefined; } function hasValidKey(config) { { if (hasOwnProperty$1.call(config, 'key')) { var getter = Object.getOwnPropertyDescriptor(config, 'key').get; if (getter && getter.isReactWarning) { return false; } } } return config.key !== undefined; } function defineKeyPropWarningGetter(props, displayName) { var warnAboutAccessingKey = function () { { if (!specialPropKeyWarningShown) { specialPropKeyWarningShown = true; error('%s: `key` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName); } } }; warnAboutAccessingKey.isReactWarning = true; Object.defineProperty(props, 'key', { get: warnAboutAccessingKey, configurable: true }); } function defineRefPropWarningGetter(props, displayName) { var warnAboutAccessingRef = function () { { if (!specialPropRefWarningShown) { specialPropRefWarningShown = true; error('%s: `ref` is not a prop. Trying to access it will result ' + 'in `undefined` being returned. If you need to access the same ' + 'value within the child component, you should pass it as a different ' + 'prop. (https://reactjs.org/link/special-props)', displayName); } } }; warnAboutAccessingRef.isReactWarning = true; Object.defineProperty(props, 'ref', { get: warnAboutAccessingRef, configurable: true }); } function warnIfStringRefCannotBeAutoConverted(config) { { if (typeof config.ref === 'string' && ReactCurrentOwner.current && config.__self && ReactCurrentOwner.current.stateNode !== config.__self) { var componentName = getComponentNameFromType(ReactCurrentOwner.current.type); if (!didWarnAboutStringRefs[componentName]) { error('Component "%s" contains the string ref "%s". ' + 'Support for string refs will be removed in a future major release. ' + 'This case cannot be automatically converted to an arrow function. ' + 'We ask you to manually fix this case by using useRef() or createRef() instead. ' + 'Learn more about using refs safely here: ' + 'https://reactjs.org/link/strict-mode-string-ref', componentName, config.ref); didWarnAboutStringRefs[componentName] = true; } } } } /** * Factory method to create a new React element. This no longer adheres to * the class pattern, so do not use new to call it. Also, instanceof check * will not work. Instead test $$typeof field against Symbol.for('react.element') to check * if something is a React Element. * * @param {*} type * @param {*} props * @param {*} key * @param {string|object} ref * @param {*} owner * @param {*} self A *temporary* helper to detect places where `this` is * different from the `owner` when React.createElement is called, so that we * can warn. We want to get rid of owner and replace string `ref`s with arrow * functions, and as long as `this` and owner are the same, there will be no * change in behavior. * @param {*} source An annotation object (added by a transpiler or otherwise) * indicating filename, line number, and/or other information. * @internal */ var ReactElement = function (type, key, ref, self, source, owner, props) { var element = { // This tag allows us to uniquely identify this as a React Element $$typeof: REACT_ELEMENT_TYPE, // Built-in properties that belong on the element type: type, key: key, ref: ref, props: props, // Record the component responsible for creating this element. _owner: owner }; { // The validation flag is currently mutative. We put it on // an external backing store so that we can freeze the whole object. // This can be replaced with a WeakMap once they are implemented in // commonly used development environments. element._store = {}; // To make comparing ReactElements easier for testing purposes, we make // the validation flag non-enumerable (where possible, which should // include every environment we run tests in), so the test framework // ignores it. Object.defineProperty(element._store, 'validated', { configurable: false, enumerable: false, writable: true, value: false }); // self and source are DEV only properties. Object.defineProperty(element, '_self', { configurable: false, enumerable: false, writable: false, value: self }); // Two elements created in two different places should be considered // equal for testing purposes and therefore we hide it from enumeration. Object.defineProperty(element, '_source', { configurable: false, enumerable: false, writable: false, value: source }); if (Object.freeze) { Object.freeze(element.props); Object.freeze(element); } } return element; }; /** * Create and return a new ReactElement of the given type. * See https://reactjs.org/docs/react-api.html#createelement */ function createElement(type, config, children) { var propName; // Reserved names are extracted var props = {}; var key = null; var ref = null; var self = null; var source = null; if (config != null) { if (hasValidRef(config)) { ref = config.ref; { warnIfStringRefCannotBeAutoConverted(config); } } if (hasValidKey(config)) { { checkKeyStringCoercion(config.key); } key = '' + config.key; } self = config.__self === undefined ? null : config.__self; source = config.__source === undefined ? null : config.__source; // Remaining properties are added to a new props object for (propName in config) { if (hasOwnProperty$1.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) { props[propName] = config[propName]; } } } // Children can be more than one argument, and those are transferred onto // the newly allocated props object. var childrenLength = arguments.length - 2; if (childrenLength === 1) { props.children = children; } else if (childrenLength > 1) { var childArray = Array(childrenLength); for (var i = 0; i < childrenLength; i++) { childArray[i] = arguments[i + 2]; } { if (Object.freeze) { Object.freeze(childArray); } } props.children = childArray; } // Resolve default props if (type && type.defaultProps) { var defaultProps = type.defaultProps; for (propName in defaultProps) { if (props[propName] === undefined) { props[propName] = defaultProps[propName]; } } } { if (key || ref) { var displayName = typeof type === 'function' ? type.displayName || type.name || 'Unknown' : type; if (key) { defineKeyPropWarningGetter(props, displayName); } if (ref) { defineRefPropWarningGetter(props, displayName); } } } return ReactElement(type, key, ref, self, source, ReactCurrentOwner.current, props); } function cloneAndReplaceKey(oldElement, newKey) { var newElement = ReactElement(oldElement.type, newKey, oldElement.ref, oldElement._self, oldElement._source, oldElement._owner, oldElement.props); return newElement; } /** * Clone and return a new ReactElement using element as the starting point. * See https://reactjs.org/docs/react-api.html#cloneelement */ function cloneElement(element, config, children) { if (element === null || element === undefined) { throw Error( "React.cloneElement(...): The argument must be a React element, but you passed " + element + "." ); } var propName; // Original props are copied var props = assign({}, element.props); // Reserved names are extracted var key = element.key; var ref = element.ref; // Self is preserved since the owner is preserved. var self = element._self; // Source is preserved since cloneElement is unlikely to be targeted by a // transpiler, and the original source is probably a better indicator of the // true owner. var source = element._source; // Owner will be preserved, unless ref is overridden var owner = element._owner; if (config != null) { if (hasValidRef(config)) { // Silently steal the ref from the parent. ref = config.ref; owner = ReactCurrentOwner.current; } if (hasValidKey(config)) { { checkKeyStringCoercion(config.key); } key = '' + config.key; } // Remaining properties override existing props var defaultProps; if (element.type && element.type.defaultProps) { defaultProps = element.type.defaultProps; } for (propName in config) { if (hasOwnProperty$1.call(config, propName) && !RESERVED_PROPS.hasOwnProperty(propName)) { if (config[propName] === undefined && defaultProps !== undefined) { // Resolve default props props[propName] = defaultProps[propName]; } else { props[propName] = config[propName]; } } } } // Children can be more than one argument, and those are transferred onto // the newly allocated props object. var childrenLength = arguments.length - 2; if (childrenLength === 1) { props.children = children; } else if (childrenLength > 1) { var childArray = Array(childrenLength); for (var i = 0; i < childrenLength; i++) { childArray[i] = arguments[i + 2]; } props.children = childArray; } return ReactElement(element.type, key, ref, self, source, owner, props); } /** * Verifies the object is a ReactElement. * See https://reactjs.org/docs/react-api.html#isvalidelement * @param {?object} object * @return {boolean} True if `object` is a ReactElement. * @final */ function isValidElement(object) { return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE; } var SEPARATOR = '.'; var SUBSEPARATOR = ':'; /** * Escape and wrap key so it is safe to use as a reactid * * @param {string} key to be escaped. * @return {string} the escaped key. */ function escape(key) { var escapeRegex = /[=:]/g; var escaperLookup = { '=': '=0', ':': '=2' }; var escapedString = key.replace(escapeRegex, function (match) { return escaperLookup[match]; }); return '$' + escapedString; } /** * TODO: Test that a single child and an array with one item have the same key * pattern. */ var didWarnAboutMaps = false; var userProvidedKeyEscapeRegex = /\/+/g; function escapeUserProvidedKey(text) { return text.replace(userProvidedKeyEscapeRegex, '$&/'); } /** * Generate a key string that identifies a element within a set. * * @param {*} element A element that could contain a manual key. * @param {number} index Index that is used if a manual key is not provided. * @return {string} */ function getElementKey(element, index) { // Do some typechecking here since we call this blindly. We want to ensure // that we don't block potential future ES APIs. if (typeof element === 'object' && element !== null && element.key != null) { // Explicit key { checkKeyStringCoercion(element.key); } return escape('' + element.key); } // Implicit key determined by the index in the set return index.toString(36); } function mapIntoArray(children, array, escapedPrefix, nameSoFar, callback) { var type = typeof children; if (type === 'undefined' || type === 'boolean') { // All of the above are perceived as null. children = null; } var invokeCallback = false; if (children === null) { invokeCallback = true; } else { switch (type) { case 'string': case 'number': invokeCallback = true; break; case 'object': switch (children.$$typeof) { case REACT_ELEMENT_TYPE: case REACT_PORTAL_TYPE: invokeCallback = true; } } } if (invokeCallback) { var _child = children; var mappedChild = callback(_child); // If it's the only child, treat the name as if it was wrapped in an array // so that it's consistent if the number of children grows: var childKey = nameSoFar === '' ? SEPARATOR + getElementKey(_child, 0) : nameSoFar; if (isArray(mappedChild)) { var escapedChildKey = ''; if (childKey != null) { escapedChildKey = escapeUserProvidedKey(childKey) + '/'; } mapIntoArray(mappedChild, array, escapedChildKey, '', function (c) { return c; }); } else if (mappedChild != null) { if (isValidElement(mappedChild)) { { // The `if` statement here prevents auto-disabling of the safe // coercion ESLint rule, so we must manually disable it below. // $FlowFixMe Flow incorrectly thinks React.Portal doesn't have a key if (mappedChild.key && (!_child || _child.key !== mappedChild.key)) { checkKeyStringCoercion(mappedChild.key); } } mappedChild = cloneAndReplaceKey(mappedChild, // Keep both the (mapped) and old keys if they differ, just as // traverseAllChildren used to do for objects as children escapedPrefix + ( // $FlowFixMe Flow incorrectly thinks React.Portal doesn't have a key mappedChild.key && (!_child || _child.key !== mappedChild.key) ? // $FlowFixMe Flow incorrectly thinks existing element's key can be a number // eslint-disable-next-line react-internal/safe-string-coercion escapeUserProvidedKey('' + mappedChild.key) + '/' : '') + childKey); } array.push(mappedChild); } return 1; } var child; var nextName; var subtreeCount = 0; // Count of children found in the current subtree. var nextNamePrefix = nameSoFar === '' ? SEPARATOR : nameSoFar + SUBSEPARATOR; if (isArray(children)) { for (var i = 0; i < children.length; i++) { child = children[i]; nextName = nextNamePrefix + getElementKey(child, i); subtreeCount += mapIntoArray(child, array, escapedPrefix, nextName, callback); } } else { var iteratorFn = getIteratorFn(children); if (typeof iteratorFn === 'function') { var iterableChildren = children; { // Warn about using Maps as children if (iteratorFn === iterableChildren.entries) { if (!didWarnAboutMaps) { warn('Using Maps as children is not supported. ' + 'Use an array of keyed ReactElements instead.'); } didWarnAboutMaps = true; } } var iterator = iteratorFn.call(iterableChildren); var step; var ii = 0; while (!(step = iterator.next()).done) { child = step.value; nextName = nextNamePrefix + getElementKey(child, ii++); subtreeCount += mapIntoArray(child, array, escapedPrefix, nextName, callback); } } else if (type === 'object') { // eslint-disable-next-line react-internal/safe-string-coercion var childrenString = String(children); throw Error( "Objects are not valid as a React child (found: " + (childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString) + "). " + 'If you meant to render a collection of children, use an array ' + 'instead.' ); } } return subtreeCount; } /** * Maps children that are typically specified as `props.children`. * * See https://reactjs.org/docs/react-api.html#reactchildrenmap * * The provided mapFunction(child, index) will be called for each * leaf child. * * @param {?*} children Children tree container. * @param {function(*, int)} func The map function. * @param {*} context Context for mapFunction. * @return {object} Object containing the ordered map of results. */ function mapChildren(children, func, context) { if (children == null) { return children; } var result = []; var count = 0; mapIntoArray(children, result, '', '', function (child) { return func.call(context, child, count++); }); return result; } /** * Count the number of children that are typically specified as * `props.children`. * * See https://reactjs.org/docs/react-api.html#reactchildrencount * * @param {?*} children Children tree container. * @return {number} The number of children. */ function countChildren(children) { var n = 0; mapChildren(children, function () { n++; // Don't return anything }); return n; } /** * Iterates through children that are typically specified as `props.children`. * * See https://reactjs.org/docs/react-api.html#reactchildrenforeach * * The provided forEachFunc(child, index) will be called for each * leaf child. * * @param {?*} children Children tree container. * @param {function(*, int)} forEachFunc * @param {*} forEachContext Context for forEachContext. */ function forEachChildren(children, forEachFunc, forEachContext) { mapChildren(children, function () { forEachFunc.apply(this, arguments); // Don't return anything. }, forEachContext); } /** * Flatten a children object (typically specified as `props.children`) and * return an array with appropriately re-keyed children. * * See https://reactjs.org/docs/react-api.html#reactchildrentoarray */ function toArray(children) { return mapChildren(children, function (child) { return child; }) || []; } /** * Returns the first child in a collection of children and verifies that there * is only one child in the collection. * * See https://reactjs.org/docs/react-api.html#reactchildrenonly * * The current implementation of this function assumes that a single child gets * passed without a wrapper, but the purpose of this helper function is to * abstract away the particular structure of children. * * @param {?object} children Child collection structure. * @return {ReactElement} The first and only `ReactElement` contained in the * structure. */ function onlyChild(children) { if (!isValidElement(children)) { throw Error( 'React.Children.only expected to receive a single React element child.' ); } return children; } function createContext(defaultValue) { // TODO: Second argument used to be an optional `calculateChangedBits` // function. Warn to reserve for future use? var context = { $$typeof: REACT_CONTEXT_TYPE, // As a workaround to support multiple concurrent renderers, we categorize // some renderers as primary and others as secondary. We only expect // there to be two concurrent renderers at most: React Native (primary) and // Fabric (secondary); React DOM (primary) and React ART (secondary). // Secondary renderers store their context values on separate fields. _currentValue: defaultValue, _currentValue2: defaultValue, // Used to track how many concurrent renderers this context currently // supports within in a single renderer. Such as parallel server rendering. _threadCount: 0, // These are circular Provider: null, Consumer: null }; context.Provider = { $$typeof: REACT_PROVIDER_TYPE, _context: context }; var hasWarnedAboutUsingNestedContextConsumers = false; var hasWarnedAboutUsingConsumerProvider = false; var hasWarnedAboutDisplayNameOnConsumer = false; { // A separate object, but proxies back to the original context object for // backwards compatibility. It has a different $$typeof, so we can properly // warn for the incorrect usage of Context as a Consumer. var Consumer = { $$typeof: REACT_CONTEXT_TYPE, _context: context }; // $FlowFixMe: Flow complains about not setting a value, which is intentional here Object.defineProperties(Consumer, { Provider: { get: function () { if (!hasWarnedAboutUsingConsumerProvider) { hasWarnedAboutUsingConsumerProvider = true; error('Rendering <Context.Consumer.Provider> is not supported and will be removed in ' + 'a future major release. Did you mean to render <Context.Provider> instead?'); } return context.Provider; }, set: function (_Provider) { context.Provider = _Provider; } }, _currentValue: { get: function () { return context._currentValue; }, set: function (_currentValue) { context._currentValue = _currentValue; } }, _currentValue2: { get: function () { return context._currentValue2; }, set: function (_currentValue2) { context._currentValue2 = _currentValue2; } }, _threadCount: { get: function () { return context._threadCount; }, set: function (_threadCount) { context._threadCount = _threadCount; } }, Consumer: { get: function () { if (!hasWarnedAboutUsingNestedContextConsumers) { hasWarnedAboutUsingNestedContextConsumers = true; error('Rendering <Context.Consumer.Consumer> is not supported and will be removed in ' + 'a future major release. Did you mean to render <Context.Consumer> instead?'); } return context.Consumer; } }, displayName: { get: function () { return context.displayName; }, set: function (displayName) { if (!hasWarnedAboutDisplayNameOnConsumer) { warn('Setting `displayName` on Context.Consumer has no effect. ' + "You should set it directly on the context with Context.displayName = '%s'.", displayName); hasWarnedAboutDisplayNameOnConsumer = true; } } } }); // $FlowFixMe: Flow complains about missing properties because it doesn't understand defineProperty context.Consumer = Consumer; } { context._currentRenderer = null; context._currentRenderer2 = null; } return context; } var Uninitialized = -1; var Pending = 0; var Resolved = 1; var Rejected = 2; function lazyInitializer(payload) { if (payload._status === Uninitialized) { var ctor = payload._result; var thenable = ctor(); // Transition to the next state. // This might throw either because it's missing or throws. If so, we treat it // as still uninitialized and try again next time. Which is the same as what // happens if the ctor or any wrappers processing the ctor throws. This might // end up fixing it if the resolution was a concurrency bug. thenable.then(function (moduleObject) { if (payload._status === Pending || payload._status === Uninitialized) { // Transition to the next state. var resolved = payload; resolved._status = Resolved; resolved._result = moduleObject; } }, function (error) { if (payload._status === Pending || payload._status === Uninitialized) { // Transition to the next state. var rejected = payload; rejected._status = Rejected; rejected._result = error; } }); if (payload._status === Uninitialized) { // In case, we're still uninitialized, then we're waiting for the thenable // to resolve. Set it as pending in the meantime. var pending = payload; pending._status = Pending; pending._result = thenable; } } if (payload._status === Resolved) { var moduleObject = payload._result; { if (moduleObject === undefined) { error('lazy: Expected the result of a dynamic imp' + 'ort() call. ' + 'Instead received: %s\n\nYour code should look like: \n ' + // Break up imports to avoid accidentally parsing them as dependencies. 'const MyComponent = lazy(() => imp' + "ort('./MyComponent'))\n\n" + 'Did you accidentally put curly braces around the import?', moduleObject); } } { if (!('default' in moduleObject)) { error('lazy: Expected the result of a dynamic imp' + 'ort() call. ' + 'Instead received: %s\n\nYour code should look like: \n ' + // Break up imports to avoid accidentally parsing them as dependencies. 'const MyComponent = lazy(() => imp' + "ort('./MyComponent'))", moduleObject); } } return moduleObject.default; } else { throw payload._result; } } function lazy(ctor) { var payload = { // We use these fields to store the result. _status: Uninitialized, _result: ctor }; var lazyType = { $$typeof: REACT_LAZY_TYPE, _payload: payload, _init: lazyInitializer }; { // In production, this would just set it on the object. var defaultProps; var propTypes; // $FlowFixMe Object.defineProperties(lazyType, { defaultProps: { configurable: true, get: function () { return defaultProps; }, set: function (newDefaultProps) { error('React.lazy(...): It is not supported to assign `defaultProps` to ' + 'a lazy component import. Either specify them where the component ' + 'is defined, or create a wrapping component around it.'); defaultProps = newDefaultProps; // Match production behavior more closely: // $FlowFixMe Object.defineProperty(lazyType, 'defaultProps', { enumerable: true }); } }, propTypes: { configurable: true, get: function () { return propTypes; }, set: function (newPropTypes) { error('React.lazy(...): It is not supported to assign `propTypes` to ' + 'a lazy component import. Either specify them where the component ' + 'is defined, or create a wrapping component around it.'); propTypes = newPropTypes; // Match production behavior more closely: // $FlowFixMe Object.defineProperty(lazyType, 'propTypes', { enumerable: true }); } } }); } return lazyType; } function forwardRef(render) { { if (render != null && render.$$typeof === REACT_MEMO_TYPE) { error('forwardRef requires a render function but received a `memo` ' + 'component. Instead of forwardRef(memo(...)), use ' + 'memo(forwardRef(...)).'); } else if (typeof render !== 'function') { error('forwardRef requires a render function but was given %s.', render === null ? 'null' : typeof render); } else { if (render.length !== 0 && render.length !== 2) { error('forwardRef render functions accept exactly two parameters: props and ref. %s', render.length === 1 ? 'Did you forget to use the ref parameter?' : 'Any additional parameter will be undefined.'); } } if (render != null) { if (render.defaultProps != null || render.propTypes != null) { error('forwardRef render functions do not support propTypes or defaultProps. ' + 'Did you accidentally pass a React component?'); } } } var elementType = { $$typeof: REACT_FORWARD_REF_TYPE, render: render }; { var ownName; Object.defineProperty(elementType, 'displayName', { enumerable: false, configurable: true, get: function () { return ownName; }, set: function (name) { ownName = name; // The inner component shouldn't inherit this display name in most cases, // because the component may be used elsewhere. // But it's nice for anonymous functions to inherit the name, // so that our component-stack generation logic will display their frames. // An anonymous function generally suggests a pattern like: // React.forwardRef((props, ref) => {...}); // This kind of inner function is not used elsewhere so the side effect is okay. if (!render.name && !render.displayName) { render.displayName = name; } } }); } return elementType; } // Filter certain DOM attributes (e.g. src, href) if their values are empty strings. var enableCache = false; // Only used in www builds. var enableScopeAPI = false; // Experimental Create Event Handle API. var warnOnSubscriptionInsideStartTransition = false; var REACT_MODULE_REFERENCE = 0; if (typeof Symbol === 'function') { REACT_MODULE_REFERENCE = Symbol.for('react.module.reference'); } function isValidElementType(type) { if (typeof type === 'string' || typeof type === 'function') { return true; } // Note: typeof might be other than 'symbol' or 'number' (e.g. if it's a polyfill). if (type === exports.Fragment || type === exports.Profiler || type === REACT_DEBUG_TRACING_MODE_TYPE || type === exports.StrictMode || type === exports.Suspense || type === exports.SuspenseList || type === REACT_LEGACY_HIDDEN_TYPE || type === REACT_OFFSCREEN_TYPE || enableScopeAPI || enableCache ) { return true; } if (typeof type === 'object' && type !== null) { if (type.$$typeof === REACT_LAZY_TYPE || type.$$typeof === REACT_MEMO_TYPE || type.$$typeof === REACT_PROVIDER_TYPE || type.$$typeof === REACT_CONTEXT_TYPE || type.$$typeof === REACT_FORWARD_REF_TYPE || // This needs to include all possible module reference object // types supported by any Flight configuration anywhere since // we don't know which Flight build this will end up being used // with. type.$$typeof === REACT_MODULE_REFERENCE || type.getModuleId !== undefined) { return true; } } return false; } function memo(type, compare) { { if (!isValidElementType(type)) { error('memo: The first argument must be a component. Instead ' + 'received: %s', type === null ? 'null' : typeof type); } } var elementType = { $$typeof: REACT_MEMO_TYPE, type: type, compare: compare === undefined ? null : compare }; { var ownName; Object.defineProperty(elementType, 'displayName', { enumerable: false, configurable: true, get: function () { return ownName; }, set: function (name) { ownName = name; // The inner component shouldn't inherit this display name in most cases, // because the component may be used elsewhere. // But it's nice for anonymous functions to inherit the name, // so that our component-stack generation logic will display their frames. // An anonymous function generally suggests a pattern like: // React.memo((props) => {...}); // This kind of inner function is not used elsewhere so the side effect is okay. if (!type.name && !type.displayName) { type.displayName = name; } } }); } return elementType; } function resolveDispatcher() { var dispatcher = ReactCurrentDispatcher.current; { if (dispatcher === null) { error('Invalid hook call. Hooks can only be called inside of the body of a function component. This could happen for' + ' one of the following reasons:\n' + '1. You might have mismatching versions of React and the renderer (such as React DOM)\n' + '2. You might be breaking the Rules of Hooks\n' + '3. You might have more than one copy of React in the same app\n' + 'See https://reactjs.org/link/invalid-hook-call for tips about how to debug and fix this problem.'); } } // Will result in a null access error if accessed outside render phase. We // intentionally don't throw our own error because this is in a hot path. // Also helps ensure this is inlined. return dispatcher; } function useContext(Context) { var dispatcher = resolveDispatcher(); { // TODO: add a more generic warning for invalid values. if (Context._context !== undefined) { var realContext = Context._context; // Don't deduplicate because this legitimately causes bugs // and nobody should be using this in existing code. if (realContext.Consumer === Context) { error('Calling useContext(Context.Consumer) is not supported, may cause bugs, and will be ' + 'removed in a future major release. Did you mean to call useContext(Context) instead?'); } else if (realContext.Provider === Context) { error('Calling useContext(Context.Provider) is not supported. ' + 'Did you mean to call useContext(Context) instead?'); } } } return dispatcher.useContext(Context); } function useState(initialState) { var dispatcher = resolveDispatcher(); return dispatcher.useState(initialState); } function useReducer(reducer, initialArg, init) { var dispatcher = resolveDispatcher(); return dispatcher.useReducer(reducer, initialArg, init); } function useRef(initialValue) { var dispatcher = resolveDispatcher(); return dispatcher.useRef(initialValue); } function useEffect(create, deps) { var dispatcher = resolveDispatcher(); return dispatcher.useEffect(create, deps); } function useLayoutEffect(create, deps) { var dispatcher = resolveDispatcher(); return dispatcher.useLayoutEffect(create, deps); } function useCallback(callback, deps) { var dispatcher = resolveDispatcher(); return dispatcher.useCallback(callback, deps); } function useMemo(create, deps) { var dispatcher = resolveDispatcher(); return dispatcher.useMemo(create, deps); } function useImperativeHandle(ref, create, deps) { var dispatcher = resolveDispatcher(); return dispatcher.useImperativeHandle(ref, create, deps); } function useDebugValue(value, formatterFn) { { var dispatcher = resolveDispatcher(); return dispatcher.useDebugValue(value, formatterFn); } } function useTransition() { var dispatcher = resolveDispatcher(); return dispatcher.useTransition(); } function useDeferredValue(value) { var dispatcher = resolveDispatcher(); return dispatcher.useDeferredValue(value); } function useOpaqueIdentifier() { var dispatcher = resolveDispatcher(); return dispatcher.useOpaqueIdentifier(); } function useMutableSource(source, getSnapshot, subscribe) { var dispatcher = resolveDispatcher(); return dispatcher.useMutableSource(source, getSnapshot, subscribe); } // Helpers to patch console.logs to avoid logging during side-effect free // replaying on render function. This currently only patches the object // lazily which won't cover if the log function was extracted eagerly. // We could also eagerly patch the method. var disabledDepth = 0; var prevLog; var prevInfo; var prevWarn; var prevError; var prevGroup; var prevGroupCollapsed; var prevGroupEnd; function disabledLog() {} disabledLog.__reactDisabledLog = true; function disableLogs() { { if (disabledDepth === 0) { /* eslint-disable react-internal/no-production-logging */ prevLog = console.log; prevInfo = console.info; prevWarn = console.warn; prevError = console.error; prevGroup = console.group; prevGroupCollapsed = console.groupCollapsed; prevGroupEnd = console.groupEnd; // https://github.com/facebook/react/issues/19099 var props = { configurable: true, enumerable: true, value: disabledLog, writable: true }; // $FlowFixMe Flow thinks console is immutable. Object.defineProperties(console, { info: props, log: props, warn: props, error: props, group: props, groupCollapsed: props, groupEnd: props }); /* eslint-enable react-internal/no-production-logging */ } disabledDepth++; } } function reenableLogs() { { disabledDepth--; if (disabledDepth === 0) { /* eslint-disable react-internal/no-production-logging */ var props = { configurable: true, enumerable: true, writable: true }; // $FlowFixMe Flow thinks console is immutable. Object.defineProperties(console, { log: assign({}, props, { value: prevLog }), info: assign({}, props, { value: prevInfo }), warn: assign({}, props, { value: prevWarn }), error: assign({}, props, { value: prevError }), group: assign({}, props, { value: prevGroup }), groupCollapsed: assign({}, props, { value: prevGroupCollapsed }), groupEnd: assign({}, props, { value: prevGroupEnd }) }); /* eslint-enable react-internal/no-production-logging */ } if (disabledDepth < 0) { error('disabledDepth fell below zero. ' + 'This is a bug in React. Please file an issue.'); } } } var ReactCurrentDispatcher$1 = ReactSharedInternals.ReactCurrentDispatcher; var prefix; function describeBuiltInComponentFrame(name, source, ownerFn) { { if (prefix === undefined) { // Extract the VM specific prefix used by each line. try { throw Error(); } catch (x) { var match = x.stack.trim().match(/\n( *(at )?)/); prefix = match && match[1] || ''; } } // We use the prefix to ensure our stacks line up with native stack frames. return '\n' + prefix + name; } } var reentry = false; var componentFrameCache; { var PossiblyWeakMap = typeof WeakMap === 'function' ? WeakMap : Map; componentFrameCache = new PossiblyWeakMap(); } function describeNativeComponentFrame(fn, construct) { // If something asked for a stack inside a fake render, it should get ignored. if ( !fn || reentry) { return ''; } { var frame = componentFrameCache.get(fn); if (frame !== undefined) { return frame; } } var control; reentry = true; var previousPrepareStackTrace = Error.prepareStackTrace; // $FlowFixMe It does accept undefined. Error.prepareStackTrace = undefined; var previousDispatcher; { previousDispatcher = ReactCurrentDispatcher$1.current; // Set the dispatcher in DEV because this might be call in the render function // for warnings. ReactCurrentDispatcher$1.current = null; disableLogs(); } try { // This should throw. if (construct) { // Something should be setting the props in the constructor. var Fake = function () { throw Error(); }; // $FlowFixMe Object.defineProperty(Fake.prototype, 'props', { set: function () { // We use a throwing setter instead of frozen or non-writable props // because that won't throw in a non-strict mode function. throw Error(); } }); if (typeof Reflect === 'object' && Reflect.construct) { // We construct a different control for this case to include any extra // frames added by the construct call. try { Reflect.construct(Fake, []); } catch (x) { control = x; } Reflect.construct(fn, [], Fake); } else { try { Fake.call(); } catch (x) { control = x; } fn.call(Fake.prototype); } } else { try { throw Error(); } catch (x) { control = x; } fn(); } } catch (sample) { // This is inlined manually because closure doesn't do it for us. if (sample && control && typeof sample.stack === 'string') { // This extracts the first frame from the sample that isn't also in the control. // Skipping one frame that we assume is the frame that calls the two. var sampleLines = sample.stack.split('\n'); var controlLines = control.stack.split('\n'); var s = sampleLines.length - 1; var c = controlLines.length - 1; while (s >= 1 && c >= 0 && sampleLines[s] !== controlLines[c]) { // We expect at least one stack frame to be shared. // Typically this will be the root most one. However, stack frames may be // cut off due to maximum stack limits. In this case, one maybe cut off // earlier than the other. We assume that the sample is longer or the same // and there for cut off earlier. So we should find the root most frame in // the sample somewhere in the control. c--; } for (; s >= 1 && c >= 0; s--, c--) { // Next we find the first one that isn't the same which should be the // frame that called our sample function and the control. if (sampleLines[s] !== controlLines[c]) { // In V8, the first line is describing the message but other VMs don't. // If we're about to return the first line, and the control is also on the same // line, that's a pretty good indicator that our sample threw at same line as // the control. I.e. before we entered the sample frame. So we ignore this result. // This can happen if you passed a class to function component, or non-function. if (s !== 1 || c !== 1) { do { s--; c--; // We may still have similar intermediate frames from the construct call. // The next one that isn't the same should be our match though. if (c < 0 || sampleLines[s] !== controlLines[c]) { // V8 adds a "new" prefix for native classes. Let's remove it to make it prettier. var _frame = '\n' + sampleLines[s].replace(' at new ', ' at '); { if (typeof fn === 'function') { componentFrameCache.set(fn, _frame); } } // Return the line we found. return _frame; } } while (s >= 1 && c >= 0); } break; } } } } finally { reentry = false; { ReactCurrentDispatcher$1.current = previousDispatcher; reenableLogs(); } Error.prepareStackTrace = previousPrepareStackTrace; } // Fallback to just using the name if we couldn't make it throw. var name = fn ? fn.displayName || fn.name : ''; var syntheticFrame = name ? describeBuiltInComponentFrame(name) : ''; { if (typeof fn === 'function') { componentFrameCache.set(fn, syntheticFrame); } } return syntheticFrame; } function describeFunctionComponentFrame(fn, source, ownerFn) { { return describeNativeComponentFrame(fn, false); } } function shouldConstruct(Component) { var prototype = Component.prototype; return !!(prototype && prototype.isReactComponent); } function describeUnknownElementTypeFrameInDEV(type, source, ownerFn) { if (type == null) { return ''; } if (typeof type === 'function') { { return describeNativeComponentFrame(type, shouldConstruct(type)); } } if (typeof type === 'string') { return describeBuiltInComponentFrame(type); } switch (type) { case exports.Suspense: return describeBuiltInComponentFrame('Suspense'); case exports.SuspenseList: return describeBuiltInComponentFrame('SuspenseList'); } if (typeof type === 'object') { switch (type.$$typeof) { case REACT_FORWARD_REF_TYPE: return describeFunctionComponentFrame(type.render); case REACT_MEMO_TYPE: // Memo may contain any component type so we recursively resolve it. return describeUnknownElementTypeFrameInDEV(type.type, source, ownerFn); case REACT_LAZY_TYPE: { var lazyComponent = type; var payload = lazyComponent._payload; var init = lazyComponent._init; try { // Lazy may contain any component type so we recursively resolve it. return describeUnknownElementTypeFrameInDEV(init(payload), source, ownerFn); } catch (x) {} } } } return ''; } var loggedTypeFailures = {}; var ReactDebugCurrentFrame$1 = ReactSharedInternals.ReactDebugCurrentFrame; function setCurrentlyValidatingElement(element) { { if (element) { var owner = element._owner; var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null); ReactDebugCurrentFrame$1.setExtraStackFrame(stack); } else { ReactDebugCurrentFrame$1.setExtraStackFrame(null); } } } function checkPropTypes(typeSpecs, values, location, componentName, element) { { // $FlowFixMe This is okay but Flow doesn't know it. var has = Function.call.bind(hasOwnProperty$1); for (var typeSpecName in typeSpecs) { if (has(typeSpecs, typeSpecName)) { var error$1 = void 0; // Prop type validation may throw. In case they do, we don't want to // fail the render phase where it didn't fail before. So we log it. // After these have been cleaned up, we'll let them throw. try { // This is intentionally an invariant that gets caught. It's the same // behavior as without this statement except with a better message. if (typeof typeSpecs[typeSpecName] !== 'function') { // eslint-disable-next-line react-internal/prod-error-codes var err = Error((componentName || 'React class') + ': ' + location + ' type `' + typeSpecName + '` is invalid; ' + 'it must be a function, usually from the `prop-types` package, but received `' + typeof typeSpecs[typeSpecName] + '`.' + 'This often happens because of typos such as `PropTypes.function` instead of `PropTypes.func`.'); err.name = 'Invariant Violation'; throw err; } error$1 = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED'); } catch (ex) { error$1 = ex; } if (error$1 && !(error$1 instanceof Error)) { setCurrentlyValidatingElement(element); error('%s: type specification of %s' + ' `%s` is invalid; the type checker ' + 'function must return `null` or an `Error` but returned a %s. ' + 'You may have forgotten to pass an argument to the type checker ' + 'creator (arrayOf, instanceOf, objectOf, oneOf, oneOfType, and ' + 'shape all require an argument).', componentName || 'React class', location, typeSpecName, typeof error$1); setCurrentlyValidatingElement(null); } if (error$1 instanceof Error && !(error$1.message in loggedTypeFailures)) { // Only monitor this failure once because there tends to be a lot of the // same error. loggedTypeFailures[error$1.message] = true; setCurrentlyValidatingElement(element); error('Failed %s type: %s', location, error$1.message); setCurrentlyValidatingElement(null); } } } } } function setCurrentlyValidatingElement$1(element) { { if (element) { var owner = element._owner; var stack = describeUnknownElementTypeFrameInDEV(element.type, element._source, owner ? owner.type : null); setExtraStackFrame(stack); } else { setExtraStackFrame(null); } } } var propTypesMisspellWarningShown; { propTypesMisspellWarningShown = false; } function getDeclarationErrorAddendum() { if (ReactCurrentOwner.current) { var name = getComponentNameFromType(ReactCurrentOwner.current.type); if (name) { return '\n\nCheck the render method of `' + name + '`.'; } } return ''; } function getSourceInfoErrorAddendum(source) { if (source !== undefined) { var fileName = source.fileName.replace(/^.*[\\\/]/, ''); var lineNumber = source.lineNumber; return '\n\nCheck your code at ' + fileName + ':' + lineNumber + '.'; } return ''; } function getSourceInfoErrorAddendumForProps(elementProps) { if (elementProps !== null && elementProps !== undefined) { return getSourceInfoErrorAddendum(elementProps.__source); } return ''; } /** * Warn if there's no key explicitly set on dynamic arrays of children or * object keys are not valid. This allows us to keep track of children between * updates. */ var ownerHasKeyUseWarning = {}; function getCurrentComponentErrorInfo(parentType) { var info = getDeclarationErrorAddendum(); if (!info) { var parentName = typeof parentType === 'string' ? parentType : parentType.displayName || parentType.name; if (parentName) { info = "\n\nCheck the top-level render call using <" + parentName + ">."; } } return info; } /** * Warn if the element doesn't have an explicit key assigned to it. * This element is in an array. The array could grow and shrink or be * reordered. All children that haven't already been validated are required to * have a "key" property assigned to it. Error statuses are cached so a warning * will only be shown once. * * @internal * @param {ReactElement} element Element that requires a key. * @param {*} parentType element's parent's type. */ function validateExplicitKey(element, parentType) { if (!element._store || element._store.validated || element.key != null) { return; } element._store.validated = true; var currentComponentErrorInfo = getCurrentComponentErrorInfo(parentType); if (ownerHasKeyUseWarning[currentComponentErrorInfo]) { return; } ownerHasKeyUseWarning[currentComponentErrorInfo] = true; // Usually the current owner is the offender, but if it accepts children as a // property, it may be the creator of the child that's responsible for // assigning it a key. var childOwner = ''; if (element && element._owner && element._owner !== ReactCurrentOwner.current) { // Give the component that originally created this child. childOwner = " It was passed a child from " + getComponentNameFromType(element._owner.type) + "."; } { setCurrentlyValidatingElement$1(element); error('Each child in a list should have a unique "key" prop.' + '%s%s See https://reactjs.org/link/warning-keys for more information.', currentComponentErrorInfo, childOwner); setCurrentlyValidatingElement$1(null); } } /** * Ensure that every element either is passed in a static location, in an * array with an explicit keys property defined, or in an object literal * with valid key property. * * @internal * @param {ReactNode} node Statically passed child of any type. * @param {*} parentType node's parent's type. */ function validateChildKeys(node, parentType) { if (typeof node !== 'object') { return; } if (isArray(node)) { for (var i = 0; i < node.length; i++) { var child = node[i]; if (isValidElement(child)) { validateExplicitKey(child, parentType); } } } else if (isValidElement(node)) { // This element was passed in a valid location. if (node._store) { node._store.validated = true; } } else if (node) { var iteratorFn = getIteratorFn(node); if (typeof iteratorFn === 'function') { // Entry iterators used to provide implicit keys, // but now we print a separate warning for them later. if (iteratorFn !== node.entries) { var iterator = iteratorFn.call(node); var step; while (!(step = iterator.next()).done) { if (isValidElement(step.value)) { validateExplicitKey(step.value, parentType); } } } } } } /** * Given an element, validate that its props follow the propTypes definition, * provided by the type. * * @param {ReactElement} element */ function validatePropTypes(element) { { var type = element.type; if (type === null || type === undefined || typeof type === 'string') { return; } var propTypes; if (typeof type === 'function') { propTypes = type.propTypes; } else if (typeof type === 'object' && (type.$$typeof === REACT_FORWARD_REF_TYPE || // Note: Memo only checks outer props here. // Inner props are checked in the reconciler. type.$$typeof === REACT_MEMO_TYPE)) { propTypes = type.propTypes; } else { return; } if (propTypes) { // Intentionally inside to avoid triggering lazy initializers: var name = getComponentNameFromType(type); checkPropTypes(propTypes, element.props, 'prop', name, element); } else if (type.PropTypes !== undefined && !propTypesMisspellWarningShown) { propTypesMisspellWarningShown = true; // Intentionally inside to avoid triggering lazy initializers: var _name = getComponentNameFromType(type); error('Component %s declared `PropTypes` instead of `propTypes`. Did you misspell the property assignment?', _name || 'Unknown'); } if (typeof type.getDefaultProps === 'function' && !type.getDefaultProps.isReactClassApproved) { error('getDefaultProps is only used on classic React.createClass ' + 'definitions. Use a static property named `defaultProps` instead.'); } } } /** * Given a fragment, validate that it can only be provided with fragment props * @param {ReactElement} fragment */ function validateFragmentProps(fragment) { { var keys = Object.keys(fragment.props); for (var i = 0; i < keys.length; i++) { var key = keys[i]; if (key !== 'children' && key !== 'key') { setCurrentlyValidatingElement$1(fragment); error('Invalid prop `%s` supplied to `React.Fragment`. ' + 'React.Fragment can only have `key` and `children` props.', key); setCurrentlyValidatingElement$1(null); break; } } if (fragment.ref !== null) { setCurrentlyValidatingElement$1(fragment); error('Invalid attribute `ref` supplied to `React.Fragment`.'); setCurrentlyValidatingElement$1(null); } } } function createElementWithValidation(type, props, children) { var validType = isValidElementType(type); // We warn in this case but don't throw. We expect the element creation to // succeed and there will likely be errors in render. if (!validType) { var info = ''; if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) { info += ' You likely forgot to export your component from the file ' + "it's defined in, or you might have mixed up default and named imports."; } var sourceInfo = getSourceInfoErrorAddendumForProps(props); if (sourceInfo) { info += sourceInfo; } else { info += getDeclarationErrorAddendum(); } var typeString; if (type === null) { typeString = 'null'; } else if (isArray(type)) { typeString = 'array'; } else if (type !== undefined && type.$$typeof === REACT_ELEMENT_TYPE) { typeString = "<" + (getComponentNameFromType(type.type) || 'Unknown') + " />"; info = ' Did you accidentally export a JSX literal instead of a component?'; } else { typeString = typeof type; } { error('React.createElement: type is invalid -- expected a string (for ' + 'built-in components) or a class/function (for composite ' + 'components) but got: %s.%s', typeString, info); } } var element = createElement.apply(this, arguments); // The result can be nullish if a mock or a custom function is used. // TODO: Drop this when these are no longer allowed as the type argument. if (element == null) { return element; } // Skip key warning if the type isn't valid since our key validation logic // doesn't expect a non-string/function type and can throw confusing errors. // We don't want exception behavior to differ between dev and prod. // (Rendering will throw with a helpful message and as soon as the type is // fixed, the key warnings will appear.) if (validType) { for (var i = 2; i < arguments.length; i++) { validateChildKeys(arguments[i], type); } } if (type === exports.Fragment) { validateFragmentProps(element); } else { validatePropTypes(element); } return element; } var didWarnAboutDeprecatedCreateFactory = false; function createFactoryWithValidation(type) { var validatedFactory = createElementWithValidation.bind(null, type); validatedFactory.type = type; { if (!didWarnAboutDeprecatedCreateFactory) { didWarnAboutDeprecatedCreateFactory = true; warn('React.createFactory() is deprecated and will be removed in ' + 'a future major release. Consider using JSX ' + 'or use React.createElement() directly instead.'); } // Legacy hook: remove it Object.defineProperty(validatedFactory, 'type', { enumerable: false, get: function () { warn('Factory.type is deprecated. Access the class directly ' + 'before passing it to createFactory.'); Object.defineProperty(this, 'type', { value: type }); return type; } }); } return validatedFactory; } function cloneElementWithValidation(element, props, children) { var newElement = cloneElement.apply(this, arguments); for (var i = 2; i < arguments.length; i++) { validateChildKeys(arguments[i], newElement.type); } validatePropTypes(newElement); return newElement; } function createMutableSource(source, getVersion) { var mutableSource = { _getVersion: getVersion, _source: source, _workInProgressVersionPrimary: null, _workInProgressVersionSecondary: null }; { mutableSource._currentPrimaryRenderer = null; mutableSource._currentSecondaryRenderer = null; // Used to detect side effects that update a mutable source during render. // See https://github.com/facebook/react/issues/19948 mutableSource._currentlyRenderingFiber = null; mutableSource._initialVersionAsOfFirstRender = null; } return mutableSource; } var enableSchedulerDebugging = false; var enableProfiling = false; var frameYieldMs = 5; function push(heap, node) { var index = heap.length; heap.push(node); siftUp(heap, node, index); } function peek(heap) { return heap.length === 0 ? null : heap[0]; } function pop(heap) { if (heap.length === 0) { return null; } var first = heap[0]; var last = heap.pop(); if (last !== first) { heap[0] = last; siftDown(heap, last, 0); } return first; } function siftUp(heap, node, i) { var index = i; while (index > 0) { var parentIndex = index - 1 >>> 1; var parent = heap[parentIndex]; if (compare(parent, node) > 0) { // The parent is larger. Swap positions. heap[parentIndex] = node; heap[index] = parent; index = parentIndex; } else { // The parent is smaller. Exit. return; } } } function siftDown(heap, node, i) { var index = i; var length = heap.length; var halfLength = length >>> 1; while (index < halfLength) { var leftIndex = (index + 1) * 2 - 1; var left = heap[leftIndex]; var rightIndex = leftIndex + 1; var right = heap[rightIndex]; // If the left or right node is smaller, swap with the smaller of those. if (compare(left, node) < 0) { if (rightIndex < length && compare(right, left) < 0) { heap[index] = right; heap[rightIndex] = node; index = rightIndex; } else { heap[index] = left; heap[leftIndex] = node; index = leftIndex; } } else if (rightIndex < length && compare(right, node) < 0) { heap[index] = right; heap[rightIndex] = node; index = rightIndex; } else { // Neither child is smaller. Exit. return; } } } function compare(a, b) { // Compare sort index first, then task id. var diff = a.sortIndex - b.sortIndex; return diff !== 0 ? diff : a.id - b.id; } // TODO: Use symbols? var ImmediatePriority = 1; var UserBlockingPriority = 2; var NormalPriority = 3; var LowPriority = 4; var IdlePriority = 5; function markTaskErrored(task, ms) { } /* eslint-disable no-var */ var getCurrentTime; var hasPerformanceNow = typeof performance === 'object' && typeof performance.now === 'function'; if (hasPerformanceNow) { var localPerformance = performance; getCurrentTime = function () { return localPerformance.now(); }; } else { var localDate = Date; var initialTime = localDate.now(); getCurrentTime = function () { return localDate.now() - initialTime; }; } // Max 31 bit integer. The max integer size in V8 for 32-bit systems. // Math.pow(2, 30) - 1 // 0b111111111111111111111111111111 var maxSigned31BitInt = 1073741823; // Times out immediately var IMMEDIATE_PRIORITY_TIMEOUT = -1; // Eventually times out var USER_BLOCKING_PRIORITY_TIMEOUT = 250; var NORMAL_PRIORITY_TIMEOUT = 5000; var LOW_PRIORITY_TIMEOUT = 10000; // Never times out var IDLE_PRIORITY_TIMEOUT = maxSigned31BitInt; // Tasks are stored on a min heap var taskQueue = []; var timerQueue = []; // Incrementing id counter. Used to maintain insertion order. var taskIdCounter = 1; // Pausing the scheduler is useful for debugging. var currentTask = null; var currentPriorityLevel = NormalPriority; // This is set while performing work, to prevent re-entrance. var isPerformingWork = false; var isHostCallbackScheduled = false; var isHostTimeoutScheduled = false; // Capture local references to native APIs, in case a polyfill overrides them. var localSetTimeout = typeof setTimeout === 'function' ? setTimeout : null; var localClearTimeout = typeof clearTimeout === 'function' ? clearTimeout : null; var localSetImmediate = typeof setImmediate !== 'undefined' ? setImmediate : null; // IE and Node.js + jsdom var isInputPending = typeof navigator !== 'undefined' && navigator.scheduling !== undefined && navigator.scheduling.isInputPending !== undefined ? navigator.scheduling.isInputPending.bind(navigator.scheduling) : null; function advanceTimers(currentTime) { // Check for tasks that are no longer delayed and add them to the queue. var timer = peek(timerQueue); while (timer !== null) { if (timer.callback === null) { // Timer was cancelled. pop(timerQueue); } else if (timer.startTime <= currentTime) { // Timer fired. Transfer to the task queue. pop(timerQueue); timer.sortIndex = timer.expirationTime; push(taskQueue, timer); } else { // Remaining timers are pending. return; } timer = peek(timerQueue); } } function handleTimeout(currentTime) { isHostTimeoutScheduled = false; advanceTimers(currentTime); if (!isHostCallbackScheduled) { if (peek(taskQueue) !== null) { isHostCallbackScheduled = true; requestHostCallback(flushWork); } else { var firstTimer = peek(timerQueue); if (firstTimer !== null) { requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime); } } } } function flushWork(hasTimeRemaining, initialTime) { isHostCallbackScheduled = false; if (isHostTimeoutScheduled) { // We scheduled a timeout but it's no longer needed. Cancel it. isHostTimeoutScheduled = false; cancelHostTimeout(); } isPerformingWork = true; var previousPriorityLevel = currentPriorityLevel; try { if (enableProfiling) { try { return workLoop(hasTimeRemaining, initialTime); } catch (error) { if (currentTask !== null) { var currentTime = getCurrentTime(); markTaskErrored(currentTask, currentTime); currentTask.isQueued = false; } throw error; } } else { // No catch in prod code path. return workLoop(hasTimeRemaining, initialTime); } } finally { currentTask = null; currentPriorityLevel = previousPriorityLevel; isPerformingWork = false; } } function workLoop(hasTimeRemaining, initialTime) { var currentTime = initialTime; advanceTimers(currentTime); currentTask = peek(taskQueue); while (currentTask !== null && !(enableSchedulerDebugging )) { if (currentTask.expirationTime > currentTime && (!hasTimeRemaining || shouldYieldToHost())) { // This currentTask hasn't expired, and we've reached the deadline. break; } var callback = currentTask.callback; if (typeof callback === 'function') { currentTask.callback = null; currentPriorityLevel = currentTask.priorityLevel; var didUserCallbackTimeout = currentTask.expirationTime <= currentTime; var continuationCallback = callback(didUserCallbackTimeout); currentTime = getCurrentTime(); if (typeof continuationCallback === 'function') { currentTask.callback = continuationCallback; } else { if (currentTask === peek(taskQueue)) { pop(taskQueue); } } advanceTimers(currentTime); } else { pop(taskQueue); } currentTask = peek(taskQueue); } // Return whether there's additional work if (currentTask !== null) { return true; } else { var firstTimer = peek(timerQueue); if (firstTimer !== null) { requestHostTimeout(handleTimeout, firstTimer.startTime - currentTime); } return false; } } function unstable_runWithPriority(priorityLevel, eventHandler) { switch (priorityLevel) { case ImmediatePriority: case UserBlockingPriority: case NormalPriority: case LowPriority: case IdlePriority: break; default: priorityLevel = NormalPriority; } var previousPriorityLevel = currentPriorityLevel; currentPriorityLevel = priorityLevel; try { return eventHandler(); } finally { currentPriorityLevel = previousPriorityLevel; } } function unstable_next(eventHandler) { var priorityLevel; switch (currentPriorityLevel) { case ImmediatePriority: case UserBlockingPriority: case NormalPriority: // Shift down to normal priority priorityLevel = NormalPriority; break; default: // Anything lower than normal priority should remain at the current level. priorityLevel = currentPriorityLevel; break; } var previousPriorityLevel = currentPriorityLevel; currentPriorityLevel = priorityLevel; try { return eventHandler(); } finally { currentPriorityLevel = previousPriorityLevel; } } function unstable_wrapCallback(callback) { var parentPriorityLevel = currentPriorityLevel; return function () { // This is a fork of runWithPriority, inlined for performance. var previousPriorityLevel = currentPriorityLevel; currentPriorityLevel = parentPriorityLevel; try { return callback.apply(this, arguments); } finally { currentPriorityLevel = previousPriorityLevel; } }; } function unstable_scheduleCallback(priorityLevel, callback, options) { var currentTime = getCurrentTime(); var startTime; if (typeof options === 'object' && options !== null) { var delay = options.delay; if (typeof delay === 'number' && delay > 0) { startTime = currentTime + delay; } else { startTime = currentTime; } } else { startTime = currentTime; } var timeout; switch (priorityLevel) { case ImmediatePriority: timeout = IMMEDIATE_PRIORITY_TIMEOUT; break; case UserBlockingPriority: timeout = USER_BLOCKING_PRIORITY_TIMEOUT; break; case IdlePriority: timeout = IDLE_PRIORITY_TIMEOUT; break; case LowPriority: timeout = LOW_PRIORITY_TIMEOUT; break; case NormalPriority: default: timeout = NORMAL_PRIORITY_TIMEOUT; break; } var expirationTime = startTime + timeout; var newTask = { id: taskIdCounter++, callback: callback, priorityLevel: priorityLevel, startTime: startTime, expirationTime: expirationTime, sortIndex: -1 }; if (startTime > currentTime) { // This is a delayed task. newTask.sortIndex = startTime; push(timerQueue, newTask); if (peek(taskQueue) === null && newTask === peek(timerQueue)) { // All tasks are delayed, and this is the task with the earliest delay. if (isHostTimeoutScheduled) { // Cancel an existing timeout. cancelHostTimeout(); } else { isHostTimeoutScheduled = true; } // Schedule a timeout. requestHostTimeout(handleTimeout, startTime - currentTime); } } else { newTask.sortIndex = expirationTime; push(taskQueue, newTask); // wait until the next time we yield. if (!isHostCallbackScheduled && !isPerformingWork) { isHostCallbackScheduled = true; requestHostCallback(flushWork); } } return newTask; } function unstable_pauseExecution() { } function unstable_continueExecution() { if (!isHostCallbackScheduled && !isPerformingWork) { isHostCallbackScheduled = true; requestHostCallback(flushWork); } } function unstable_getFirstCallbackNode() { return peek(taskQueue); } function unstable_cancelCallback(task) { // remove from the queue because you can't remove arbitrary nodes from an // array based heap, only the first one.) task.callback = null; } function unstable_getCurrentPriorityLevel() { return currentPriorityLevel; } var isMessageLoopRunning = false; var scheduledHostCallback = null; var taskTimeoutID = -1; // Scheduler periodically yields in case there is other work on the main // thread, like user events. By default, it yields multiple times per frame. // It does not attempt to align with frame boundaries, since most tasks don't // need to be frame aligned; for those that do, use requestAnimationFrame. var frameInterval = frameYieldMs; var startTime = -1; function shouldYieldToHost() { var timeElapsed = getCurrentTime() - startTime; if (timeElapsed < frameInterval) { // The main thread has only been blocked for a really short amount of time; // smaller than a single frame. Don't yield yet. return false; } // The main thread has been blocked for a non-negligible amount of time. We return true; } function requestPaint() { } function forceFrameRate(fps) { if (fps < 0 || fps > 125) { // Using console['error'] to evade Babel and ESLint console['error']('forceFrameRate takes a positive int between 0 and 125, ' + 'forcing frame rates higher than 125 fps is not supported'); return; } if (fps > 0) { frameInterval = Math.floor(1000 / fps); } else { // reset the framerate frameInterval = frameYieldMs; } } var performWorkUntilDeadline = function () { if (scheduledHostCallback !== null) { var currentTime = getCurrentTime(); // Keep track of the start time so we can measure how long the main thread // has been blocked. startTime = currentTime; var hasTimeRemaining = true; // If a scheduler task throws, exit the current browser task so the // error can be observed. // // Intentionally not using a try-catch, since that makes some debugging // techniques harder. Instead, if `scheduledHostCallback` errors, then // `hasMoreWork` will remain true, and we'll continue the work loop. var hasMoreWork = true; try { hasMoreWork = scheduledHostCallback(hasTimeRemaining, currentTime); } finally { if (hasMoreWork) { // If there's more work, schedule the next message event at the end // of the preceding one. schedulePerformWorkUntilDeadline(); } else { isMessageLoopRunning = false; scheduledHostCallback = null; } } } else { isMessageLoopRunning = false; } // Yielding to the browser will give it a chance to paint, so we can }; var schedulePerformWorkUntilDeadline; if (typeof localSetImmediate === 'function') { // Node.js and old IE. // There's a few reasons for why we prefer setImmediate. // // Unlike MessageChannel, it doesn't prevent a Node.js process from exiting. // (Even though this is a DOM fork of the Scheduler, you could get here // with a mix of Node.js 15+, which has a MessageChannel, and jsdom.) // https://github.com/facebook/react/issues/20756 // // But also, it runs earlier which is the semantic we want. // If other browsers ever implement it, it's better to use it. // Although both of these would be inferior to native scheduling. schedulePerformWorkUntilDeadline = function () { localSetImmediate(performWorkUntilDeadline); }; } else if (typeof MessageChannel !== 'undefined') { // DOM and Worker environments. // We prefer MessageChannel because of the 4ms setTimeout clamping. var channel = new MessageChannel(); var port = channel.port2; channel.port1.onmessage = performWorkUntilDeadline; schedulePerformWorkUntilDeadline = function () { port.postMessage(null); }; } else { // We should only fallback here in non-browser environments. schedulePerformWorkUntilDeadline = function () { localSetTimeout(performWorkUntilDeadline, 0); }; } function requestHostCallback(callback) { scheduledHostCallback = callback; if (!isMessageLoopRunning) { isMessageLoopRunning = true; schedulePerformWorkUntilDeadline(); } } function requestHostTimeout(callback, ms) { taskTimeoutID = localSetTimeout(function () { callback(getCurrentTime()); }, ms); } function cancelHostTimeout() { localClearTimeout(taskTimeoutID); taskTimeoutID = -1; } var unstable_requestPaint = requestPaint; var unstable_Profiling = null; var Scheduler = /*#__PURE__*/Object.freeze({ __proto__: null, unstable_ImmediatePriority: ImmediatePriority, unstable_UserBlockingPriority: UserBlockingPriority, unstable_NormalPriority: NormalPriority, unstable_IdlePriority: IdlePriority, unstable_LowPriority: LowPriority, unstable_runWithPriority: unstable_runWithPriority, unstable_next: unstable_next, unstable_scheduleCallback: unstable_scheduleCallback, unstable_cancelCallback: unstable_cancelCallback, unstable_wrapCallback: unstable_wrapCallback, unstable_getCurrentPriorityLevel: unstable_getCurrentPriorityLevel, unstable_shouldYield: shouldYieldToHost, unstable_requestPaint: unstable_requestPaint, unstable_continueExecution: unstable_continueExecution, unstable_pauseExecution: unstable_pauseExecution, unstable_getFirstCallbackNode: unstable_getFirstCallbackNode, get unstable_now () { return getCurrentTime; }, unstable_forceFrameRate: forceFrameRate, unstable_Profiling: unstable_Profiling }); var ReactSharedInternals$1 = { ReactCurrentDispatcher: ReactCurrentDispatcher, ReactCurrentOwner: ReactCurrentOwner, ReactCurrentBatchConfig: ReactCurrentBatchConfig, // Used by renderers to avoid bundling object-assign twice in UMD bundles: assign: assign, // Re-export the schedule API(s) for UMD bundles. // This avoids introducing a dependency on a new UMD global in a minor update, // Since that would be a breaking change (e.g. for all existing CodeSandboxes). // This re-export is only required for UMD bundles; // CJS bundles use the shared NPM package. Scheduler: Scheduler }; { ReactSharedInternals$1.ReactCurrentActQueue = ReactCurrentActQueue; ReactSharedInternals$1.ReactDebugCurrentFrame = ReactDebugCurrentFrame; } function startTransition(scope) { var prevTransition = ReactCurrentBatchConfig.transition; ReactCurrentBatchConfig.transition = 1; try { scope(); } finally { ReactCurrentBatchConfig.transition = prevTransition; { if (prevTransition !== 1 && warnOnSubscriptionInsideStartTransition && ReactCurrentBatchConfig._updatedFibers) { var updatedFibersCount = ReactCurrentBatchConfig._updatedFibers.size; if (updatedFibersCount > 10) { warn('Detected a large number of updates inside startTransition. ' + 'If this is due to a subscription please re-write it to use React provided hooks. ' + 'Otherwise concurrent mode guarantees are off the table.'); } ReactCurrentBatchConfig._updatedFibers.clear(); } } } } var didWarnAboutMessageChannel = false; var enqueueTaskImpl = null; function enqueueTask(task) { if (enqueueTaskImpl === null) { try { // read require off the module object to get around the bundlers. // we don't want them to detect a require and bundle a Node polyfill. var requireString = ('require' + Math.random()).slice(0, 7); var nodeRequire = module && module[requireString]; // assuming we're in node, let's try to get node's // version of setImmediate, bypassing fake timers if any. enqueueTaskImpl = nodeRequire.call(module, 'timers').setImmediate; } catch (_err) { // we're in a browser // we can't use regular timers because they may still be faked // so we try MessageChannel+postMessage instead enqueueTaskImpl = function (callback) { { if (didWarnAboutMessageChannel === false) { didWarnAboutMessageChannel = true; if (typeof MessageChannel === 'undefined') { error('This browser does not have a MessageChannel implementation, ' + 'so enqueuing tasks via await act(async () => ...) will fail. ' + 'Please file an issue at https://github.com/facebook/react/issues ' + 'if you encounter this warning.'); } } } var channel = new MessageChannel(); channel.port1.onmessage = callback; channel.port2.postMessage(undefined); }; } } return enqueueTaskImpl(task); } var actScopeDepth = 0; var didWarnNoAwaitAct = false; function act(callback) { { // `act` calls can be nested, so we track the depth. This represents the // number of `act` scopes on the stack. var prevActScopeDepth = actScopeDepth; actScopeDepth++; if (ReactCurrentActQueue.current === null) { // This is the outermost `act` scope. Initialize the queue. The reconciler // will detect the queue and use it instead of Scheduler. ReactCurrentActQueue.current = []; } var prevIsBatchingLegacy = ReactCurrentActQueue.isBatchingLegacy; var result; try { // Used to reproduce behavior of `batchedUpdates` in legacy mode. Only // set to `true` while the given callback is executed, not for updates // triggered during an async event, because this is how the legacy // implementation of `act` behaved. ReactCurrentActQueue.isBatchingLegacy = true; result = callback(); // Replicate behavior of original `act` implementation in legacy mode, // which flushed updates immediately after the scope function exits, even // if it's an async function. if (!prevIsBatchingLegacy && ReactCurrentActQueue.didScheduleLegacyUpdate) { var queue = ReactCurrentActQueue.current; if (queue !== null) { ReactCurrentActQueue.didScheduleLegacyUpdate = false; flushActQueue(queue); } } } catch (error) { popActScope(prevActScopeDepth); throw error; } finally { ReactCurrentActQueue.isBatchingLegacy = prevIsBatchingLegacy; } if (result !== null && typeof result === 'object' && typeof result.then === 'function') { var thenableResult = result; // The callback is an async function (i.e. returned a promise). Wait // for it to resolve before exiting the current scope. var wasAwaited = false; var thenable = { then: function (resolve, reject) { wasAwaited = true; thenableResult.then(function (returnValue) { popActScope(prevActScopeDepth); if (actScopeDepth === 0) { // We've exited the outermost act scope. Recursively flush the // queue until there's no remaining work. recursivelyFlushAsyncActWork(returnValue, resolve, reject); } else { resolve(returnValue); } }, function (error) { // The callback threw an error. popActScope(prevActScopeDepth); reject(error); }); } }; { if (!didWarnNoAwaitAct && typeof Promise !== 'undefined') { // eslint-disable-next-line no-undef Promise.resolve().then(function () {}).then(function () { if (!wasAwaited) { didWarnNoAwaitAct = true; error('You called act(async () => ...) without await. ' + 'This could lead to unexpected testing behaviour, ' + 'interleaving multiple act calls and mixing their ' + 'scopes. ' + 'You should - await act(async () => ...);'); } }); } } return thenable; } else { var returnValue = result; // The callback is not an async function. Exit the current scope // immediately, without awaiting. popActScope(prevActScopeDepth); if (actScopeDepth === 0) { // Exiting the outermost act scope. Flush the queue. var _queue = ReactCurrentActQueue.current; if (_queue !== null) { flushActQueue(_queue); ReactCurrentActQueue.current = null; } // Return a thenable. If the user awaits it, we'll flush again in // case additional work was scheduled by a microtask. var _thenable = { then: function (resolve, reject) { // Confirm we haven't re-entered another `act` scope, in case // the user does something weird like await the thenable // multiple times. if (ReactCurrentActQueue.current === null) { // Recursively flush the queue until there's no remaining work. ReactCurrentActQueue.current = []; recursivelyFlushAsyncActWork(returnValue, resolve, reject); } else { resolve(returnValue); } } }; return _thenable; } else { // Since we're inside a nested `act` scope, the returned thenable // immediately resolves. The outer scope will flush the queue. var _thenable2 = { then: function (resolve, reject) { resolve(returnValue); } }; return _thenable2; } } } } function popActScope(prevActScopeDepth) { { if (prevActScopeDepth !== actScopeDepth - 1) { error('You seem to have overlapping act() calls, this is not supported. ' + 'Be sure to await previous act() calls before making a new one. '); } actScopeDepth = prevActScopeDepth; } } function recursivelyFlushAsyncActWork(returnValue, resolve, reject) { { var queue = ReactCurrentActQueue.current; if (queue !== null) { try { flushActQueue(queue); enqueueTask(function () { if (queue.length === 0) { // No additional work was scheduled. Finish. ReactCurrentActQueue.current = null; resolve(returnValue); } else { // Keep flushing work until there's none left. recursivelyFlushAsyncActWork(returnValue, resolve, reject); } }); } catch (error) { reject(error); } } else { resolve(returnValue); } } } var isFlushing = false; function flushActQueue(queue) { { if (!isFlushing) { // Prevent re-entrance. isFlushing = true; var i = 0; try { for (; i < queue.length; i++) { var callback = queue[i]; do { callback = callback(true); } while (callback !== null); } queue.length = 0; } catch (error) { // If something throws, leave the remaining callbacks on the queue. queue = queue.slice(i + 1); throw error; } finally { isFlushing = false; } } } } var createElement$1 = createElementWithValidation ; var cloneElement$1 = cloneElementWithValidation ; var createFactory = createFactoryWithValidation ; var Children = { map: mapChildren, forEach: forEachChildren, count: countChildren, toArray: toArray, only: onlyChild }; exports.Children = Children; exports.Component = Component; exports.PureComponent = PureComponent; exports.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED = ReactSharedInternals$1; exports.cloneElement = cloneElement$1; exports.createContext = createContext; exports.createElement = createElement$1; exports.createFactory = createFactory; exports.createRef = createRef; exports.forwardRef = forwardRef; exports.isValidElement = isValidElement; exports.lazy = lazy; exports.memo = memo; exports.startTransition = startTransition; exports.unstable_act = act; exports.unstable_createMutableSource = createMutableSource; exports.unstable_useMutableSource = useMutableSource; exports.unstable_useOpaqueIdentifier = useOpaqueIdentifier; exports.useCallback = useCallback; exports.useContext = useContext; exports.useDebugValue = useDebugValue; exports.useDeferredValue = useDeferredValue; exports.useEffect = useEffect; exports.useImperativeHandle = useImperativeHandle; exports.useLayoutEffect = useLayoutEffect; exports.useMemo = useMemo; exports.useReducer = useReducer; exports.useRef = useRef; exports.useState = useState; exports.useTransition = useTransition; exports.version = ReactVersion; })));
cdnjs/cdnjs
ajax/libs/react/18.0.0-alpha-bdd6d5064-20211001/umd/react.development.js
JavaScript
mit
112,128
angular.module('ExampleCtrl', []).controller('ExampleCtrl', ['$scope', function($scope) { $scope.createItems = function() { $scope.items = []; for (var i = 0; i < 100; i++) { $scope.items[i] = { ratio: Math.max(0.4, Math.random() * 2), color: '#' + ('000000' + Math.floor(Math.random()*16777215).toString(16)).slice(-6) }; } }; $scope.createItems(); } ]); angular.module('ExampleApp', ['hj.columnify', 'ExampleCtrl']).config(function() {});
homerjam/angular-columnify
example/app.js
JavaScript
mit
557
var _ = require('lodash'), EventEmitter = require('events').EventEmitter, config = require('./config'), Channel = require('./channel'), Connection = require('./connection'), Bus = require('./bus'), API = require('./utils'); var subscribedChannels; function Gusher (applicationKey, options) { options || (options = {}); subscribedChannels = {}; this.options = options; this.bus = new Bus(); this.connection = new Connection(this.bus); } Gusher.prototype.subscribe = function (channelName) { var channel = new Channel(channelName, this.bus); subscribedChannels[channelName] = channel; return channel; }; Gusher.prototype.unsubscribe = function (channelName) { }; Gusher.prototype.allChannels = function () { return _.values(subscribedChannels); }; Gusher.prototype.disconnect = function () { this.connection.disconnect(); //TODO actually unsubscribe from each channel }; module.exports = { gusher: Gusher, api: API };
dobrite/gusher
src/javascripts/gusher.js
JavaScript
mit
1,015
var less = require('less'); var lessStr = '.class { width: (1+1)}'; less.render(lessStr, function(e, output) { console.log(output.css); }); console.log(less.render(lessStr));
escray/besike-nodejs-harp
lessExample.js
JavaScript
mit
177
import React from "react"; import { SelectAddressModal } from "../ImportAccount"; import { roundingNumber } from "../../utils/converter" import PathSelector from "../../containers/CommonElements/PathSelector"; const ImportByDeviceView = (props) => { function choosePath(dpath) { let inputPath = document.getElementById('form-input-custom-path'); let selectedPath = dpath.value; if (!selectedPath) { selectedPath = inputPath.value; dpath = { value: selectedPath, desc: 'Your Custom Path' }; } props.choosePath(dpath); props.analytics.callTrack("trackChoosePathColdWallet", selectedPath); } function getAddress(formAddress) { let data = { address: formAddress.addressString, type: props.walletType, path: props.currentDPath.value + '/' + formAddress.index, }; if (props.currentDPath.bip44) { data.path = `${props.currentDPath.value}/${formAddress.index}'/0/0`; } props.getAddress(data); } function getCurrentList() { let currentListHtml = props.currentAddresses.map((address) => { return ( <div className={"address-item"} key={address.addressString}> <div className="address-item__address"> <div class="name text-lowercase theme__text-6"> <label class="mb-0"> <span class="hash">{address.addressString.slice(0, 12)}...{address.addressString.slice(-8)}</span> </label> </div> </div> <div class="address-item__import"> <div class="balance theme__text-6 common__flexbox-normal" title={address.balance}> {address.balance == '-1' ? <img src={require(`../../../assets/img/${props.theme === 'dark' ? 'waiting-black' : 'waiting-white'}.svg`)}/> : roundingNumber(address.balance) } ETH </div> <div class="import" onClick={() => getAddress(address)}> {props.translate("import.import") || "Import"} </div> </div> </div> ) }) return currentListHtml; } function getListPathHtml() { return ( <PathSelector listItem={props.allDPaths} choosePath={choosePath} walletType={props.walletType} currentDPath={props.currentDPath} analytics={props.analytics} /> ) } function getSelectAddressHtml() { return ( <div className={"import-modal"}> <div class="import-modal__header cold-wallet"> <div className="import-modal__header--title"> {props.translate(`modal.select_${props.walletType}_address`) || 'Select address'} </div> <div class="x" onClick={props.onRequestClose}>&times;</div> </div> <div class="import-modal__body"> <div class="cold-wallet__path"> <div class="cold-wallet__path--title"> {props.translate("modal.select_hd_path") || "Select HD derivation path"} </div> <div className="cold-wallet__path--choose-path theme__background-44"> {getListPathHtml()} </div> </div> {props.isLoading && ( <div className="text-center"> <img src={require(`../../../assets/img/${props.theme === 'dark' ? 'waiting-black' : 'waiting-white'}.svg`)}/> </div> )} {!props.isLoading && ( <div className="cold-wallet__address theme__text-6"> <div className="cold-wallet__address--title"> {props.translate("modal.select_address") || "Select the address you would like to interact with"} </div> <div className="address-list animated fadeIn"> {getCurrentList()} </div> </div> )} </div> <div className={"import-modal__footer import-modal__footer--cold-wallet theme__background-2"}> <div className={'address-button address-button-previous ' + (props.isFirstList ? 'disabled' : '')} onClick={props.getPreAddress}> <div className={"address-arrow address-arrow-left theme__arrow-icon"}/> </div> <div className="address-button address-button-next" onClick={props.getMoreAddress}> <div className={"address-arrow address-arrow-right theme__arrow-icon"}/> </div> </div> </div> ) } return ([ <div key='coldwallet'>{props.content}</div>, <SelectAddressModal key="modal" isOpen={props.modalOpen} onRequestClose={props.onRequestClose} content={getSelectAddressHtml()} translate={props.translate} walletType={props.walletType} /> ]) } export default ImportByDeviceView
KyberNetwork/KyberWallet
src/js/components/ImportAccount/ImportByDeviceView.js
JavaScript
mit
4,782
const Discord = require('discord.js'); const client = new Discord.Client({ forceFetchUsers: true, autoReconnect: true, disableEveryone: true, }); const settings = require('./auth.json'); const chalk = require('chalk'); const fs = require('fs'); const moment = require('moment'); require('./util/eventLoader')(client); client.on('message', function (message) { if (message.channel.isPrivate) { return; } if (message.everyoneMentioned) { return; } if (message.type === 'dm') { return; } }); const log = message => { console.log(`[${moment().format('YYYY-MM-DD HH:mm:ss')}] ${message}`); }; client.commands = new Discord.Collection(); client.aliases = new Discord.Collection(); fs.readdir('./commands/', (err, files) => { if (err) console.error(err); log(`Loading a total of ${files.length} commands.`); files.forEach(f => { let props = require(`./commands/${f}`); log(`Loading Command: ${props.help.name}. ✔️`); client.commands.set(props.help.name, props); props.conf.aliases.forEach(alias => { client.aliases.set(alias, props.help.name); }); }); }); client.reload = command => { return new Promise((resolve, reject) => { try { delete require.cache[require.resolve(`./commands/${command}`)]; let cmd = require(`./commands/${command}`); client.commands.delete(command); client.aliases.forEach((cmd, alias) => { if (cmd === command) client.aliases.delete(alias); }); client.commands.set(command, cmd); cmd.conf.aliases.forEach(alias => { client.aliases.set(alias, cmd.help.name); }); resolve(); } catch (e) { reject(e); } }); }; client.elevation = message => { /* This function should resolve to an ELEVATION level which is then sent to the command handler for verification*/ if(!message.guild) return; let permlvl = 0; let follower = message.guild.roles.find('name', settings.followerrolename); if (follower && message.member.roles.has(follower.id)) permlvl = 1; let player = message.guild.roles.find('name', settings.playerrolename); if (player && message.member.roles.has(player.id)) permlvl = 2; let overseer = message.guild.roles.find('name', settings.overseerrolename); if (overseer && message.member.roles.has(overseer.id)) permlvl = 3; let trusted = message.guild.roles.find('name', settings.trustedrolename); if (trusted && message.member.roles.has(trusted.id)) permlvl = 4; let overlord = message.guild.roles.find('name', settings.overlordrolename); if (overlord && message.member.roles.has(overlord.id)) permlvl = 5; if (message.author.id === settings.ownerid) permlvl = 5; return permlvl; }; // var regToken = /[\w\d]{24}\.[\w\d]{6}\.[\w\d-_]{27}/g; // // client.on('warn', e => { // console.log(chalk.bgYellow(e.replace(regToken, 'that was redacted'))); // }); // // client.on('error', e => { // console.log(chalk.bgRed(e.replace(regToken, 'that was redacted'))); // }); client.login(settings.token);
Ryahn/SoEBot
bot.js
JavaScript
mit
2,929
require('server.babel'); // babel registration (runtime transpilation for node) const path = require('path'); const LodashModuleReplacementPlugin = require('lodash-webpack-plugin'); const ExtractTextPlugin = require('extract-text-webpack-plugin'); const autoprefixer = require('autoprefixer'); const webpack = require('webpack'); const webpackIsomorphicToolsConfig = require('./webpack-isomorphic-tools'); const WebpackIsomorphicToolsPlugin = require('webpack-isomorphic-tools/plugin'); const webpackIsomorphicTools = new WebpackIsomorphicToolsPlugin( webpackIsomorphicToolsConfig ); module.exports = { performance: { hints: false, }, context: path.resolve('./'), entry: { main: [ 'src/less/styles.less', // entry point for styles 'src/js/client.jsx', // entry point for js ], }, output: { path: path.resolve('public/assets'), filename: '[name]-[hash].js', chunkFilename: '[name]-[chunkhash].js', publicPath: '/assets/', }, module: { loaders: [ { test: /\.jsx?$/, exclude: /(node_modules|bower_components)/, use: [ { loader: 'babel-loader', options: { cacheDirectory: true, // disable babel sourcemaps to see the transpiled code when debugging sourceMap: false, plugins: ['lodash'], }, }, ], }, { test: /\.css$/, use: ExtractTextPlugin.extract({ fallback: 'style-loader', use: [ { loader: 'css-loader', options: { sourceMap: false, importLoaders: 1, }, }, { loader: 'postcss-loader', options: { sourceMap: false, plugins() { return [autoprefixer]; }, }, }, ], }), }, { test: /\.less$/, use: ExtractTextPlugin.extract({ fallback: 'style-loader', use: [ { loader: 'css-loader', options: { sourceMap: false, minimize: true, importLoaders: 2, }, }, { loader: 'postcss-loader', options: { sourceMap: false, plugins() { return [autoprefixer]; }, }, }, { loader: 'less-loader', options: { sourceMap: false, }, }, ], }), }, { test: /\.woff(\?v=\d+\.\d+\.\d+)?$/, use: { loader: 'url-loader', options: { limit: 10000, mimetype: 'application/font-woff', }, }, // loader: 'url?limit=10000&mimetype=application/font-woff', }, { test: /\.woff2(\?v=\d+\.\d+\.\d+)?$/, use: { loader: 'url-loader', options: { limit: 10000, mimetype: 'application/font-woff', }, }, // loader: 'url?limit=10000&mimetype=application/font-woff', }, { test: /\.ttf(\?v=\d+\.\d+\.\d+)?$/, use: { loader: 'url-loader', options: { limit: 10000, mimetype: 'application/octet-stream', }, }, // loader: 'url?limit=10000&mimetype=application/octet-stream', }, { test: /\.eot(\?v=\d+\.\d+\.\d+)?$/, use: { loader: 'url-loader', options: { limit: 10000, mimetype: 'application/vnd.ms-fontobject', }, }, }, { test: /\.svg(\?v=\d+\.\d+\.\d+)?$/, use: { loader: 'url-loader', options: { limit: 10000, mimetype: 'image/svg+xml', }, }, }, { test: /\.otf(\?v=\d+\.\d+\.\d+)?$/, use: ['file-loader'], }, { test: webpackIsomorphicTools.regular_expression('images'), use: { loader: 'url-loader', options: { limit: 10240, }, }, // loader: 'url-loader?limit=10240', }, ], }, resolve: { modules: ['./', 'node_modules'], extensions: ['.json', '.js', '.jsx'], }, plugins: [ new ExtractTextPlugin({ filename: '[name]-[chunkhash].css', allChunks: true, }), new webpack.DefinePlugin({ 'process.env': { NODE_ENV: '"production"', }, __CLIENT__: true, __DEVTOOLS__: false, }), new LodashModuleReplacementPlugin({ // collections: true, // shorthands: true }), // ignore dev config new webpack.IgnorePlugin(/\.\/dev/, /\/config$/), // optimizations new webpack.optimize.UglifyJsPlugin({ compress: { warnings: false, }, sourceMap: false, }), webpackIsomorphicTools, ], };
sankalplakhina/isomorphic-universal-react-redux-boilerplate-seed
webpack/prod.config.js
JavaScript
mit
5,226
require('dotenv').config(); import http from 'http'; import https from 'https'; import Koa from 'koa'; import Io from 'socket.io'; import KoaBody from 'koa-body'; import cors from 'kcors'; import Router from 'koa-router'; import Socket from './socket'; import crypto from 'crypto'; import mailer from './utils/mailer'; import koaStatic from 'koa-static'; import koaSend from 'koa-send'; import { pollForInactiveRooms } from './inactive_rooms'; import getStore from './store'; const env = process.env.NODE_ENV || 'development'; const app = new Koa(); const PORT = process.env.PORT || 3001; const router = new Router(); const koaBody = new KoaBody(); const appName = process.env.HEROKU_APP_NAME; const isReviewApp = /-pr-/.test(appName); const siteURL = process.env.SITE_URL; const store = getStore(); if ((siteURL || env === 'development') && !isReviewApp) { app.use( cors({ origin: env === 'development' ? '*' : siteURL, allowMethods: ['GET', 'HEAD', 'POST'], credentials: true, }), ); } router.post('/abuse/:roomId', koaBody, async ctx => { let { roomId } = ctx.params; roomId = roomId.trim(); if (process.env.ABUSE_FROM_EMAIL_ADDRESS && process.env.ABUSE_TO_EMAIL_ADDRESS) { const abuseForRoomExists = await store.get('abuse', roomId); if (!abuseForRoomExists) { mailer.send({ from: process.env.ABUSE_FROM_EMAIL_ADDRESS, to: process.env.ABUSE_TO_EMAIL_ADDRESS, subject: 'Darkwire Abuse Notification', text: `Room ID: ${roomId}`, }); } } await store.inc('abuse', roomId); ctx.status = 200; }); app.use(router.routes()); const apiHost = process.env.API_HOST; const cspDefaultSrc = `'self'${apiHost ? ` https://${apiHost} wss://${apiHost}` : ''}`; function setStaticFileHeaders(ctx) { ctx.set({ 'strict-transport-security': 'max-age=31536000', 'Content-Security-Policy': `default-src ${cspDefaultSrc} 'unsafe-inline'; img-src 'self' data:;`, 'X-Frame-Options': 'deny', 'X-XSS-Protection': '1; mode=block', 'X-Content-Type-Options': 'nosniff', 'Referrer-Policy': 'no-referrer', 'Feature-Policy': "geolocation 'none'; vr 'none'; payment 'none'; microphone 'none'", }); } const clientDistDirectory = process.env.CLIENT_DIST_DIRECTORY; if (clientDistDirectory) { app.use(async (ctx, next) => { setStaticFileHeaders(ctx); await koaStatic(clientDistDirectory, { maxage: ctx.req.url === '/' ? 60 * 1000 : 365 * 24 * 60 * 60 * 1000, // one minute in ms for html doc, one year for css, js, etc })(ctx, next); }); app.use(async ctx => { setStaticFileHeaders(ctx); await koaSend(ctx, 'index.html', { root: clientDistDirectory }); }); } else { app.use(async ctx => { ctx.body = { ready: true }; }); } const protocol = (process.env.PROTOCOL || 'http') === 'http' ? http : https; const server = protocol.createServer(app.callback()); const io = Io(server, { pingInterval: 20000, pingTimeout: 5000, }); // Only use socket adapter if store has one if (store.hasSocketAdapter) { io.adapter(store.getSocketAdapter()); } const roomHashSecret = process.env.ROOM_HASH_SECRET; const getRoomIdHash = id => { if (env === 'development') { return id; } if (roomHashSecret) { return crypto.createHmac('sha256', roomHashSecret).update(id).digest('hex'); } return crypto.createHash('sha256').update(id).digest('hex'); }; export const getIO = () => io; io.on('connection', async socket => { const roomId = socket.handshake.query.roomId; const roomIdHash = getRoomIdHash(roomId); let room = await store.get('rooms', roomIdHash); room = JSON.parse(room || '{}'); new Socket({ roomIdOriginal: roomId, roomId: roomIdHash, socket, room, }); }); const init = async () => { server.listen(PORT, () => { console.log(`Darkwire is online at port ${PORT}`); }); pollForInactiveRooms(); }; init();
seripap/darkwire.io
server/src/index.js
JavaScript
mit
3,919
angular.module('zfaModal', ['foundation']) .provider('zfaModal', function () { var configs = {}; function register (modalId, config) { if (typeof modalId === 'string') { return configs[modalId] = config; }else{ throw new Error('zfaModalProvider: modalId should be defined'); } } return { register: register, $get: function (zfaModalFactory, FoundationApi) { return { open: function (modalId, modalConfig) { var newConfig = configs[modalId] || register(modalId,modalConfig); newConfig.locals = angular.extend({}, newConfig.locals, modalConfig); //Overwrite old config return zfaModalFactory.createModal(newConfig); }, close: function (id) { FoundationApi.publish(id, 'close'); } } } } });
Miklecc/foundation-apps-modal
src/zfaModalProvider.js
JavaScript
mit
1,054
'use strict'; /** * @ngdoc directive * @name myDashingApp.directive:widgetText * @description * # widgetText */ angular.module('myDashingApp') .directive('widgetText', function () { return { template: '<div><div class="title">{{data.title}}</div><div class="value">{{data.value}}</div><div updated-at="data.updatedAt"></div></div>', restrict: 'A', scope:{ 'data': '=widgetText' } }; });
GuyMograbi/ng-dashing
app/scripts/directives/widgettext.js
JavaScript
mit
482
window.dev1(1);
delambo/gettit
test/assets/dev1/js/test2.js
JavaScript
mit
16
var searchData= [ ['parseprocinfo',['ParseProcInfo',['../tinyoslib_8h.html#ab98738d69f4b198fbcad1a6f2e20a44d',1,'tinyoslib.c']]], ['pipe',['Pipe',['../group__syscalls.html#gab6355ce54e047c31538ed5ed9108b5b3',1,'Pipe(pipe_t *pipe):&#160;kernel_pipe.c'],['../group__syscalls.html#gab6355ce54e047c31538ed5ed9108b5b3',1,'Pipe(pipe_t *pipe):&#160;kernel_pipe.c']]] ];
TedPap/opsys
doc/html/search/functions_b.js
JavaScript
mit
367
var util = require('util') , StoreError = require('jsr-error') , CommandArgLength = StoreError.CommandArgLength , InvalidFloat = StoreError.InvalidFloat , Constants = require('jsr-constants') , AbstractCommand = require('jsr-exec').DatabaseCommand; /** * Handler for the ZADD command. */ function SortedSetAdd() { AbstractCommand.apply(this, arguments); } util.inherits(SortedSetAdd, AbstractCommand); /** * Validate the ZADD command. */ function validate(cmd, args, info) { AbstractCommand.prototype.validate.apply(this, arguments); var i , num; if((args.length - 1) % 2 !== 0) { throw new CommandArgLength(cmd); } for(i = 1;i < args.length;i += 2) { num = parseFloat('' + args[i]); if(isNaN(num)) { throw InvalidFloat; } args[i] = num; } } SortedSetAdd.prototype.validate = validate; module.exports = new SortedSetAdd(Constants.MAP.zadd);
freeformsystems/jsr-server
lib/command/database/zset/zadd.js
JavaScript
mit
907
var expect = require('expect.js'), _ = require('lodash'), RevisionGuard = require('../../lib/revisionGuard'), revGuardStore = require('../../lib/revisionGuardStore'); describe('revisionGuard', function () { var store; before(function (done) { revGuardStore.create(function (err, s) { store = s; done(); }) }); describe('creating a new guard', function () { it('it should not throw an error', function () { expect(function () { new RevisionGuard(store); }).not.to.throwError(); }); it('it should return a correct object', function () { var guard = new RevisionGuard(store); expect(guard.definition).to.be.an('object'); expect(guard.defineEvent).to.be.a('function'); expect(guard.onEventMissing).to.be.a('function'); }); describe('defining the event structure', function() { var guard; beforeEach(function () { guard = new RevisionGuard(store); }); describe('using the defaults', function () { it('it should apply the defaults', function() { var defaults = _.cloneDeep(guard.definition); guard.defineEvent({ payload: 'data', aggregate: 'aggName', context: 'ctx.Name', revision: 'rev', version: 'v.', meta: 'pass' }); expect(defaults.correlationId).to.eql(guard.definition.correlationId); expect(defaults.id).to.eql(guard.definition.id); expect(guard.definition.payload).to.eql('data'); expect(defaults.payload).not.to.eql(guard.definition.payload); expect(defaults.name).to.eql(guard.definition.name); expect(defaults.aggregateId).to.eql(guard.definition.aggregateId); expect(guard.definition.aggregate).to.eql('aggName'); expect(defaults.aggregate).not.to.eql(guard.definition.aggregate); expect(guard.definition.context).to.eql('ctx.Name'); expect(defaults.context).not.to.eql(guard.definition.context); expect(guard.definition.revision).to.eql('rev'); expect(defaults.revision).not.to.eql(guard.definition.revision); expect(guard.definition.version).to.eql('v.'); expect(defaults.version).not.to.eql(guard.definition.version); expect(guard.definition.meta).to.eql('pass'); expect(defaults.meta).not.to.eql(guard.definition.meta); }); }); describe('overwriting the defaults', function () { it('it should apply them correctly', function() { var defaults = _.cloneDeep(guard.definition); guard.defineEvent({ correlationId: 'cmdId', id: 'eventId', payload: 'data', name: 'defName', aggregateId: 'path.to.aggId', aggregate: 'aggName', context: 'ctx.Name', revision: 'rev', version: 'v.', meta: 'pass' }); expect(guard.definition.correlationId).to.eql('cmdId'); expect(defaults.correlationId).not.to.eql(guard.definition.correlationId); expect(guard.definition.id).to.eql('eventId'); expect(defaults.id).not.to.eql(guard.definition.id); expect(guard.definition.payload).to.eql('data'); expect(defaults.payload).not.to.eql(guard.definition.payload); expect(guard.definition.name).to.eql('defName'); expect(defaults.name).not.to.eql(guard.definition.name); expect(guard.definition.aggregateId).to.eql('path.to.aggId'); expect(defaults.aggregateId).not.to.eql(guard.definition.aggregateId); expect(guard.definition.aggregate).to.eql('aggName'); expect(defaults.aggregate).not.to.eql(guard.definition.aggregate); expect(guard.definition.context).to.eql('ctx.Name'); expect(defaults.context).not.to.eql(guard.definition.context); expect(guard.definition.revision).to.eql('rev'); expect(defaults.revision).not.to.eql(guard.definition.revision); expect(guard.definition.version).to.eql('v.'); expect(defaults.version).not.to.eql(guard.definition.version); expect(guard.definition.meta).to.eql('pass'); expect(defaults.meta).not.to.eql(guard.definition.meta); }); }); }); describe('guarding an event', function () { var guard; var evt1 = { id: 'evtId1', aggregate: { id: 'aggId1', name: 'agg' }, context: { name: 'ctx' }, revision: 1 }; var evt2 = { id: 'evtId2', aggregate: { id: 'aggId1', name: 'agg' }, context: { name: 'ctx' }, revision: 2 }; var evt3 = { id: 'evtId3', aggregate: { id: 'aggId1', name: 'agg' }, context: { name: 'ctx' }, revision: 3 }; before(function () { guard = new RevisionGuard(store, { queueTimeout: 200 }); guard.defineEvent({ correlationId: 'correlationId', id: 'id', payload: 'payload', name: 'name', aggregateId: 'aggregate.id', aggregate: 'aggregate.name', context: 'context.name', revision: 'revision', version: 'version', meta: 'meta' }); }); beforeEach(function (done) { guard.currentHandlingRevisions = {}; store.clear(done); }); describe('in correct order', function () { it('it should work as expected', function (done) { var guarded = 0; function check () { guarded++; if (guarded === 3) { done(); } } guard.guard(evt1, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(0); check(); }); }); setTimeout(function () { guard.guard(evt2, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(1); check(); }); }); }, 10); setTimeout(function () { guard.guard(evt3, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(2); check(); }); }); }, 20); }); }); describe('in wrong order', function () { it('it should work as expected', function (done) { var guarded = 0; function check () { guarded++; // if (guarded === 3) { // done(); // } } guard.guard(evt1, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(0); check(); }); }); setTimeout(function () { guard.guard(evt2, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(1); check(); }); }); }, 30); setTimeout(function () { guard.guard(evt3, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(2); check(); }); }); guard.guard(evt3, function (err, finish) { expect(err).to.be.ok(); expect(err.name).to.eql('AlreadyHandlingError'); }); }, 10); setTimeout(function () { guard.guard(evt2, function (err) { expect(err).to.be.ok(); expect(err.name).to.eql('AlreadyHandledError'); expect(guarded).to.eql(3); guard.guard(evt3, function (err) { expect(err).to.be.ok(); expect(err.name).to.eql('AlreadyHandledError'); expect(guarded).to.eql(3); store.getLastEvent(function (err, evt) { expect(err).not.to.be.ok(); expect(evt.id).to.eql(evt3.id); done(); }); }); }); }, 300); }); }); describe('and missing something', function () { it('it should work as expected', function (done) { var guarded = 0; function check () { guarded++; // if (guarded === 3) { // done(); // } } guard.onEventMissing(function (info, evt) { expect(guarded).to.eql(1); expect(evt).to.eql(evt3); expect(info.aggregateId).to.eql('aggId1'); expect(info.aggregateRevision).to.eql(3); expect(info.guardRevision).to.eql(2); expect(info.aggregate).to.eql('agg'); expect(info.context).to.eql('ctx'); done(); }); guard.guard(evt1, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(0); check(); }); }); setTimeout(function () { guard.guard(evt3, function (err, finish) { expect(err).not.to.be.ok(); finish(function (err) { expect(err).not.to.be.ok(); expect(guarded).to.eql(2); check(); }); }); }, 20); }); }); }); }); });
togusafish/adrai-_-node-cqrs-saga
test/unit/revisionGuardTest.js
JavaScript
mit
10,450
/** * Copyright 2016 Facebook, Inc. * * You are hereby granted a non-exclusive, worldwide, royalty-free license to * use, copy, modify, and distribute this software in source code or binary * form for use in connection with the web services and APIs provided by * Facebook. * * As with any software that integrates with the Facebook platform, your use * of this software is subject to the Facebook Developer Principles and * Policies [http://developers.facebook.com/policy/]. This copyright notice * shall be included in all copies or substantial portions of the software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER * DEALINGS IN THE SOFTWARE * * @flow */ 'use strict'; const React = require('react-native'); const { View, ScrollView, } = React; const StyleSheet = require('F8StyleSheet'); const Header = require('./Header'); const RatingQuestion = require('./RatingQuestion'); const F8Button = require('F8Button'); import type {Question} from '../reducers/surveys'; import type {Session} from '../reducers/sessions'; type Props = { session: Session; questions: Array<Question>; onSubmit: (answers: Array<number>) => void; style?: any; }; class RatingCard extends React.Component { props: Props; state: Object; constructor(props: Props) { super(props); this.state = {}; } render() { const questions = this.props.questions.map((question, ii) => ( <RatingQuestion key={ii} style={styles.question} question={question} rating={this.state[ii]} onChange={(rating) => this.setState({[ii]: rating})} /> )); const completed = Object.keys(this.state).length === this.props.questions.length; return ( <View style={[styles.container, this.props.style]}> <ScrollView> <Header session={this.props.session} /> {questions} </ScrollView> <F8Button style={styles.button} type={completed ? 'primary' : 'bordered'} caption="Submit Review" onPress={() => completed && this.submit()} /> </View> ); } submit() { const answers = this.props.questions.map((_, ii) => this.state[ii]); this.props.onSubmit(answers); } } var styles = StyleSheet.create({ container: { flex: 1, backgroundColor: 'white', }, question: { padding: 40, paddingVertical: 25, }, button: { marginHorizontal: 15, marginVertical: 20, } }); module.exports = RatingCard;
josedab/react-native-examples
meetup-information/js/rating/RatingCard.js
JavaScript
mit
2,905
// Copyright (c) 2012 Ecma International. All rights reserved. // Ecma International makes this code available under the terms and conditions set // forth on http://hg.ecmascript.org/tests/test262/raw-file/tip/LICENSE (the // "Use Terms"). Any redistribution of this code must retain the above // copyright and this notice and otherwise comply with the Use Terms. /*--- es5id: 15.4.4.17-7-c-iii-19 description: > Array.prototype.some - return value of callbackfn is a Number object includes: [runTestCase.js] ---*/ function testcase() { function callbackfn(val, idx, obj) { return new Number(); } return [11].some(callbackfn); } runTestCase(testcase);
PiotrDabkowski/Js2Py
tests/test_cases/built-ins/Array/prototype/some/15.4.4.17-7-c-iii-19.js
JavaScript
mit
707
$(document).ready(function(){ $('#environment,#language').change(function(){ var environment = $('#environment').val(); var language = $('#language').val(); if(environment==0) return true; $('#file').parent('div').addClass('hidden'); $('#load').addClass('hidden'); $.ajax({ type:'POST', url:translate_environment, data:{'_token':_token,'environment':environment,'language':language}, dataType:'json', success:function(dataJson) { if(dataJson.status=='success') { $('#file').find('option').remove(); $.each(dataJson.files,function(e,item){ $('#file').append($('<option>', {value:item, text:item})); }); $('#file').closest('div.form-group').removeClass('hidden'); $('#file').parent('div').removeClass('hidden'); $('#file').select2({width:'50%'}); $('#load').removeClass('hidden'); } else { $.growl.error({'title':'',message:dataJson.msg}); } } }) }); });
cobonto/public
admin/js/translate.js
JavaScript
mit
1,275
/** * @author Joe Adams */ goog.provide('CrunchJS.Systems.PathfindingSystem'); goog.require('CrunchJS.System'); goog.require('CrunchJS.Components.Path'); goog.require('goog.structs'); goog.require('goog.array'); goog.require('goog.math'); /** * Creates a new Pathfinding System * @constructor * @class */ CrunchJS.Systems.PathfindingSystem = function() { }; goog.inherits(CrunchJS.Systems.PathfindingSystem, CrunchJS.System); CrunchJS.Systems.PathfindingSystem.prototype.name = 'CrunchJS.Systems.PathfindingSystem'; /** * Called when the systme is activated. Sets the entity composition */ CrunchJS.Systems.PathfindingSystem.prototype.activate = function() { goog.base(this, 'activate'); this.setEntityComposition(this.getScene().createEntityComposition().all('PathQuery')); }; CrunchJS.Systems.PathfindingSystem.prototype.processEntity = function(frame, ent) { var query = this.getScene().getComponent(ent, 'PathQuery'), transform = this.getScene().getComponent(ent, 'Transform'), occGrid = this.getScene().getComponent(query.gridId, 'OccupancyGrid'), steps; this.getScene().removeComponent(ent, 'PathQuery'); steps = this.astar(occGrid, query.start, query.end, false); this.getScene().addComponent(ent, new CrunchJS.Components.Path({ steps : steps, step : 0 })); }; CrunchJS.Systems.PathfindingSystem.prototype.astar = function(occGrid, start, end, diagEnabled) { var openList = [], closedList = new goog.structs.Set(), startTile = occGrid.coordToTile(start.x, start.y), endTile = occGrid.findNearestUnoccupiedTile({ x : end.x, y : end.y }), currentNode, neighbors, steps, success = false; openList.push(this.createSearchNode(startTile,0,endTile)); while(openList.length != 0){ // Expand this node currentNode = openList.pop(); // we are done here if(currentNode.x == endTile.x && currentNode.y == endTile.y){ success = true; break; } closedList.add(currentNode); neighbors = occGrid.getNeighbors({ x : currentNode.x, y : currentNode.y, diag : diagEnabled }); goog.structs.forEach(neighbors, function(neighbor) { var notOccupied = !occGrid.isOccupied({ x : neighbor.x, y : neighbor.y }), notClosed = goog.structs.every(closedList, function(node) { return neighbor.x != node.x || neighbor.y != node.y; }); // If neighbor is not occupied and not already exanded if(notOccupied && notClosed){ // Create the node var neighborNode = this.createSearchNode(neighbor, currentNode.distFromStart+1, endTile); neighborNode.parent = currentNode; var node = goog.array.find(openList, function(node) { return node.x == neighborNode.x && node.y == neighborNode.y; }); // If neighbor is on openlist, but needs updated if(node && node.distFromStart > neighborNode.distFromStart){ node.distFromStart = neighborNode.distFromStart; node.parent = neighborNode.parent; node.heuristic = neighborNode.heuristic; } // Put it on the openlist else openList.push(neighborNode); } }, this); goog.array.stableSort(openList, function(o1, o2) { return o2.heuristic-o1.heuristic; }); } steps = this.reconstructPath(currentNode, occGrid); // Make sure it goes to exact coord instead of center of tile // if(success){ // steps[steps.length-1].x = end.x; // steps[steps.length-1].y = end.y; // } return steps; }; CrunchJS.Systems.PathfindingSystem.prototype.createSearchNode = function(tile, distFromStart, goalTile) { var node = {}, distToGoal; node.x = tile.x; node.y = tile.y; distToGoal = goog.math.safeFloor(Math.sqrt(Math.pow(Math.abs(goalTile.x - node.x),2) + Math.pow(Math.abs(goalTile.y - node.y), 2))); node.heuristic = distFromStart + distToGoal; node.distFromStart = distFromStart; return node; }; CrunchJS.Systems.PathfindingSystem.prototype.reconstructPath = function(node, occGrid) { var steps = [], step; while(node){ step = { x : node.x, y : node.y } steps.push(step); node = node.parent; } steps = this.lineOfSightPath(steps.reverse(), occGrid); for(var i = 0; i < steps.length; i++){ steps[i] = occGrid.tileToCoord(steps[i].x, steps[i].y); } return steps; }; CrunchJS.Systems.PathfindingSystem.prototype.lineOfSightPath = function(steps, occGrid) { var newSteps = [], currentLoc = steps[0]; for(var i = 1; i < steps.length; i++){ if(!this.canSee(currentLoc.x, currentLoc.y, steps[i].x, steps[i].y, occGrid)){ currentLoc = steps[i-1]; newSteps.push(currentLoc); i--; } else if(i == steps.length-1){ newSteps.push(steps[i]); } } return newSteps; }; // Algorithm : http://playtechs.blogspot.com/2007/03/raytracing-on-grid.html CrunchJS.Systems.PathfindingSystem.prototype.canSee = function(x0, y0, x1, y1, occGrid) { var dx = Math.abs(x1-x0), dy = Math.abs(y1-y0), x = x0, y = y0, n = 1 + dx + dy, x_inc = (x1>x0) ? 1 : -1, y_inc = (y1>y0) ? 1 : -1, error = dx-dy; dx *= 2; dy *= 2; var startN = n; while(n>0){ if(occGrid.isOccupied({ x : x, y : y })){ return false; } if(error>0){ x += x_inc; error -= dy; } else if(error == 0){ if(occGrid.isOccupied({ x : x, y : y+y_inc }) || occGrid.isOccupied({ x : x+x_inc, y : y })){ return false; } x += x_inc; error -= dy; } else{ y += y_inc; error += dx; } n--; } return true; };
jadmz/CrunchJS
app/js/engine/systems/PathfindingSystem.js
JavaScript
mit
5,422
/** * Created by james on 3/11/15. */ var crypto = Npm.require('crypto'); IntercomHash = function(user, secret) { var secret = new Buffer(secret, 'utf8') return crypto.createHmac('sha256', secret) .update(user._id).digest('hex'); }
jamesoy/Microscope
packages/intercom/intercom_server.js
JavaScript
mit
251
/** * React Starter Kit (https://www.reactstarterkit.com/) * * Copyright © 2014-2016 Kriasoft, LLC. All rights reserved. * * This source code is licensed under the MIT license found in the * LICENSE.txt file in the root directory of this source tree. */ import 'babel-core/polyfill'; import path from 'path'; import express from 'express'; import React from 'react'; import ReactDOM from 'react-dom/server'; import Router from './routes'; import Html from './components/Html'; import assets from './assets'; import { port } from './config'; import Config from './config.json'; import fetch from './core/fetch'; const server = global.server = express(); // // Register Node.js middleware // ----------------------------------------------------------------------------- server.use(express.static(path.join(__dirname, 'public'))); // // Register API middleware // ----------------------------------------------------------------------------- server.use('/api/content', require('./api/content')); server.all('*', (req, res, next) => { res.header('Access-Control-Allow-Origin', Config[process.env.NODE_ENV].clientUri); res.header('Access-Control-Allow-Headers', 'X-Requested-With'); res.header('Access-Control-Allow-Headers', 'Content-Type'); next(); }); server.get('/api/steam', async (req, res, next) => { var url = req.query.path; var isXml = false; for (var key in req.query) { if (key !== 'path') { var joiner = url.indexOf('?') > -1 ? '&' : '?'; url = url + joiner + key + '=' + encodeURIComponent(req.query[key]); } if (key === 'xml') { isXml = true; } } if (isXml) { url = 'http://steamcommunity.com' + url; } else { url = 'http://api.steampowered.com' + url + (url.indexOf('?') > -1 ? '&' : '?') + 'key=' + process.env.STEAM_API_KEY; } const response = await fetch(url); const data = isXml ? await response.text() : await response.json(); if (isXml) { res.set('Content-Type', 'text/xml'); } res.send(data); }); // // Register server-side rendering middleware // ----------------------------------------------------------------------------- server.get('*', async (req, res, next) => { try { let statusCode = 200; const data = { title: '', description: '', css: '', body: '', entry: assets.main.js }; const css = []; const context = { insertCss: styles => css.push(styles._getCss()), onSetTitle: value => data.title = value, onSetMeta: (key, value) => data[key] = value, onPageNotFound: () => statusCode = 404, }; await Router.dispatch({ path: req.path, query: req.query, context }, (state, component) => { data.body = ReactDOM.renderToString(component); data.css = css.join(''); }); const html = ReactDOM.renderToStaticMarkup(<Html {...data} />); res.status(statusCode).send('<!doctype html>\n' + html); } catch (err) { next(err); } }); // // Launch the server // ----------------------------------------------------------------------------- server.listen(port, () => { /* eslint-disable no-console */ console.log(`The server is running at http://localhost:${port}/`); });
cheshire137/cheevo-plotter
src/server.js
JavaScript
mit
3,191
// @flow /* eslint-disable no-console */ import chalk from "chalk"; import createWatcher from "./watch"; import loadWatches from "./load-watches"; import hasWatchman from "./utils/has-watchman"; import type { WatchDefinition } from "./load-watches"; import getConfig from "./config"; type Targets = { [target: string]: Array<{ wd: string, data: Array<WatchDefinition> }> }; const getTargets = (definitions): Targets => { const targets = {}; definitions.forEach(def => { Object.keys(def.data).forEach(target => { targets[target] = targets[target] || []; targets[target].push({ wd: def.wd, data: def.data[target] }); }); }); return targets; }; const setupPhaseWatch = (definitions, watcher, config) => phase => { definitions.forEach(({ wd, data: phaseData }) => { if (!phaseData[phase]) { return; } const phaseWatches = phaseData[phase]; phaseWatches.forEach(watcher.add(wd, config[phase])); }); }; const setupWatches = async (phase: string | Array<string>) => { let phases; if (typeof phase === "string") { phases = [phase]; } else { phases = phase; } const [definitions, watchman, config] = await Promise.all([ loadWatches(), hasWatchman(), getConfig() ]); const watcher = createWatcher(watchman); const setup = setupPhaseWatch(definitions, watcher, config); phases.forEach(setup); const targets = getTargets(definitions); phases.forEach(p => { if (!Object.keys(targets).includes(p)) { console.error( `\n${chalk.yellow("WARNING")}: target ${chalk.yellow( p )} not found in any .watch files\n` ); } }); watcher.start(); }; export const listTargets = async (): Promise<Targets> => { const definitions = await loadWatches(); return getTargets(definitions); }; export default setupWatches;
laat/nurture
src/index.js
JavaScript
mit
1,846
$(document).ready(function(){ initUploadExcerptPhoto(); initUploadMedia(); $('#edcomment_save').removeAttr('disabled'); $(document).on('click', '.js-single-click', function(){ $(this).attr('disabled', 'disabled'); }); $(document).on('submit', '.js-single-submit', function(){ var submitBtn=$(this).find(':submit'); submitBtn.attr('disabled', 'disabled'); }); $(document).on('click', '.js-add-media', function(e){ e.preventDefault(); $('.js-modal-add-media').modal(); $('.js-modal-add-media').on('shown.bs.modal', function (e) { refreshIsotope(); }) }); $(document).on('click', '.js-pick-or-upload', function(e){ e.preventDefault(); $('.js-modal-add-excerpt-media').modal(); $('.js-modal-add-excerpt-media').on('shown.bs.modal', function (e) { refreshIsotope(); }) }); $(document).on('click', '.js-trigger-upload', function(){ $('.js-upload-input').click(); }); $(document).on('click', '.js-trigger-upload-medias', function(){ $('#article_media_media').click(); }); $(document).on('click', '.js-trigger-upload-excerpt', function(){ $('#article_excerpt_media').click(); }); $(document).on('click', '.js-media-object-remove', function(e){ e.preventDefault(); $.post($(this).attr('data-href'), function(){ $('.js-media-object-remove').addClass('hidden'); $('.js-media-object').attr('src', '/bundles/blog/img/svg/image-placeholder.svg'); $('#article_excerpt_photo').val(''); }); }); $(document).on('click', '.js-media-object-reset', function(e) { $('.js-media-object-remove').addClass('hidden'); $('.js-media-object').attr('src', '/bundles/blog/img/svg/image-placeholder.svg'); $('#article_excerpt_photo').val(''); }); $(document).on('click', '.js-delete-object', function(e){ e.preventDefault(); $('.js-delete-object-text').text($(this).attr('data-text')); $('.js-delete-object-title').text($(this).attr('data-title')); $('.js-delete-object-href').attr('href',$(this).attr('data-href')); }); $(document).on('click', '.js-insert-media', function(e){ e.preventDefault(); $('.phototiles__iteminner.selected').each(function(){ var caption = $(this).parents('li').find('.ajax_media_form textarea').val(); if(caption) { tinymce.editors[0].insertContent('<div>'+ $(this).find('.js-add-media-editor').attr('data-content') +'<span class="d--b margin--halft app-grey text--mini text--italic">'+ caption +'</span></div>'); } else tinymce.editors[0].insertContent($(this).find('.js-add-media-editor').attr('data-content')); }); $('.js-close-insert-modal').click(); }); $(document).on('click', '.js-pagination-pager', function(e){ e.preventDefault(); $.post($(this).attr('href'), function(data){ $('.js-load-more').remove(); $('.js-media-content').after(data.pagination); if ($('.js-media-content').hasClass("js-noisotope")){ $('.js-media-content').append(data.html); } else{ // Isotope after Load more // Second approach $container = $('.isotope:visible'); // We need jQuery object, so instead of response.photoContent we use $(response.photoContent) var $new_items = $(data.html); // imagesLoaded is independent plugin, which we use as timeout until all images in $container are fetched, so their real size can be calculated; When they all are on the page, than code within will be executed $container.append( $new_items ); $container.imagesLoaded( function() { $container.isotope( 'appended', $new_items ); //$container.isotope( 'prepended', $new_items ); $container.isotope('layout'); $('.phototiles__item').removeClass('muted--total'); if ( $('.modal:visible').length ) { $('.modal:visible').each(centerModal); } else { if ( $(window).width() >= 992 ) { $('html, body').animate({ scrollTop: $(document).height() }, 1200); $('.dashboard-menu.alltheway').css('min-height', $('.dashboard-content').height()); } } }); } }); }); $(document).on('click', '.js-content-replace', function(e){ e.preventDefault(); element=$(this); $.post($(this).attr('data-href'), function(data){ element.parent().html(data.html); }); }); // Correct display after slow page load $('.gl.muted--total').each(function() { $(this).removeClass('muted--total'); }); // Make modal as wide as possible $('.modal--full').on('shown.bs.modal', function (e) { recalculateModal($(this)); }); // Select image for insert into article $(document).on('click', '.js-modal-add-media .phototiles__iteminner', function(e){ $(this).toggleClass('selected'); }); $(document).on('click', '.js-modal-add-excerpt-media .phototiles__iteminner', function(e){ var item = $(this).find('.js-add-media-editor'); $('.js-excerpt-holder').html( item.attr('data-content') ); $('#article_excerptPhoto').val(item.attr('data-val')); $('.js-modal-add-excerpt-media .js-close-insert-modal').trigger('click'); }); $(document).on('submit', '.js-comment-form', function(e){ e.preventDefault(); var form=$(this); var submit=form.find(':submit'); submit.attr('disabled', 'disabled'); $.post($(this).attr('action'),$(this).serialize() , function(data){ $('.js-comments-content').replaceWith(data.html); if (data.currentComment) { $('html, body').animate({ scrollTop: $("#"+data.currentComment).offset().top }, 2000); } }); }); $(document).on('submit', '.ajax_media_form', function(e){ e.preventDefault(); $.post($(this).attr('action'), $(this).serialize(), function(data){}); }); getFancyCategories(); }); // End of $(document).ready() // Resize or orientationchange of document $(window).bind('resize orientationchange', function(){ if ( $('.modal--full:visible').length ) { recalculateModal($('.modal--full')); } }); // Calculate position for full-width modal function recalculateModal($this) { mod_width = Math.floor($(window).width()*0.96); mod_height = Math.floor($(window).height()*0.96); $this.find('.modal-dialog').css('width', mod_width); head_foot_offset = 150; $this.find('.modal-body').css('max-height', mod_height - head_foot_offset); $this.removeClass('muted--total'); refreshIsotope(); } // Refresh Isotope function refreshIsotope() { $container = $('.isotope'); $container.imagesLoaded(function () { $container.isotope().isotope('layout'); $('.phototiles__item').removeClass('muted--total'); $('.modal:visible').each(centerModal); }); } function initUploadExcerptPhoto() { $('#form_excerptImage').fileupload({ url: $('#form_excerptImage').attr('data-href'), dataType: 'json', maxFileSize: 20000000, done: function (e, response) { var data = response.result; if (data.success == 'true') { $('.js-media-object').replaceWith(data.media); $('.js-excerpt-photo').val(data.id); $('.js-media-object-remove').removeClass('hidden'); $('.js-media-object-remove').attr('data-href', data.href); } }, progressall: function (e, data) { var progress = parseInt(data.loaded / data.total * 100, 10); $('#progress .bar').css('width', progress + '%'); } }); } function initUploadMedia() { $('#article_media_media').fileupload({ url: $('#article_media_media').attr('data-href'), dataType: 'json', maxFileSize: 20000000, done: function (e, response) { var data = response.result; $('.js-load-more').remove(); $('.pagination').remove(); $('.js-media-content').replaceWith(data.html); // $('.js-trigger-upload-medias').parent().removeClass('muted--total'); // $('.js-trigger-upload-medias').removeClass('muted--total'); // $('.js-trigger-upload-medias').parent().css('position', 'relative'); refreshIsotope(); }, progressall: function (e, data) { var progress = parseInt(data.loaded / data.total * 100, 10); $('#progress .bar').css('width', progress + '%'); } }); $('#article_excerpt_media').fileupload({ url: $('#article_excerpt_media').attr('data-href'), dataType: 'json', maxFileSize: 20000000, done: function (e, response) { var data = response.result; $('.js-load-more').remove(); $('.pagination').remove(); $('.js-media-content').replaceWith(data.html); // $('.js-trigger-upload-medias').parent().removeClass('muted--total'); // $('.js-trigger-upload-medias').removeClass('muted--total'); // $('.js-trigger-upload-medias').parent().css('position', 'relative'); refreshIsotope(); }, progressall: function (e, data) { var progress = parseInt(data.loaded / data.total * 100, 10); $('#progress .bar').css('width', progress + '%'); } }); } function getFancyCategories() { $('.js-get-pretty-categories').each(function(){ var input = $(this); var url = input.attr('data-category-url'); var selected = []; input.find('[checked]').each(function(){ selected.push($(this).val()); }); input.find('[selected]').each(function(){ selected.push($(this).val()); }); $.post(url, { 'select': selected }, function(data){ if(data.success === true) { if(input.attr('data-empty-option') != undefined) { input.html('<option value="">' + input.attr('data-empty-option') + '</option>'); } else input.html(''); input.append(data.html).removeClass('hide'); } }); }); } function initNprogress() { $(document).ajaxStart(function(e) { if( (e.target.activeElement == undefined) || !$(e.target.activeElement).hasClass('js-skip-nprogress') ) NProgress.start(); }).ajaxStop(function(e){ NProgress.done(); }); }
NegMozzie/tapha
src/BlogBundle/Resources/public/js/fe-general.js
JavaScript
mit
10,917
var statusItems = initStatusItems(); module.exports = { // check for an item completion checkItems: function(content, callback) { // iterate each status item to check for matches for (var i = 0; i < statusItems.length; i++) { var item = statusItems[i]; // skip item if it is already complete if (item.complete === true) { continue; } // item is incomplete, check the document if (content.indexOf(item.text) >= 0) { item.complete = true; callback(item.output); } } }, // cleanup phantom variables once installation finishes cleanup: function() { //statusItems = null; statusItems = initStatusItems(); }, // check if the script completed checkComplete: function() { var lastItem = statusItems[statusItems.length - 1]; // only check the last item in the array if it's complete if (lastItem.complete === true) { return true; } return false; } }; // initialize the status items to check the DOM against function initStatusItems() { return [ newStatusItem( 'Creating Sugar configuration file (config.php)', 'Creating Sugar Configuration File...' ), newStatusItem( 'Creating Sugar application tables, audit tables and relationship metadata', 'Creating application/audit tables and relationship data...' ), newStatusItem( 'Creating the database', 'Creating the database...' ), newStatusItem( 'Creating default Sugar data', 'Creating default Sugar data...' ), newStatusItem( 'Updating license information...', 'Updating license information...' ), newStatusItem( 'Creating default users...', 'Creating default users...' ), newStatusItem( 'Creating default reports...', 'Creating default reports...' ), newStatusItem( 'Populating the database tables with demo data', 'Inserting demo data...' ), newStatusItem( 'Creating default scheduler jobs...', 'Creating default scheduler jobs...' ) /*newStatusItem( 'is now complete!', 'Installation is complete!' )*/ ]; } // create a new status item to check against function newStatusItem(searchText, outputText, isComplete) { if (typeof(isComplete) === 'undefined') { isComplete = false; } return { text: searchText, output: outputText, complete: isComplete }; }
ScopeXL/sugarbuild
lib/phantom-install-helper.js
JavaScript
mit
2,815
/** * Copyright (c) Tiny Technologies, Inc. All rights reserved. * Licensed under the LGPL or a commercial license. * For LGPL see License.txt in the project root for license information. * For commercial licenses see https://www.tiny.cloud/ * * Version: 5.1.1 (2019-10-28) */ (function (domGlobals) { 'use strict'; var global = tinymce.util.Tools.resolve('tinymce.PluginManager'); function Plugin () { global.add('textcolor', function () { domGlobals.console.warn('Text color plugin is now built in to the core editor, please remove it from your editor configuration'); }); } Plugin(); }(window));
cdnjs/cdnjs
ajax/libs/tinymce/5.1.1/plugins/textcolor/plugin.js
JavaScript
mit
650
// # Demo Particles 011 // Tracer entity: generation and functionality // [Run code](../../demo/particles-011.html) import * as scrawl from '../source/scrawl.js' import { reportSpeed } from './utilities.js'; // Get Scrawl-canvas to recognise and act on device pixel ratios greater than 1 scrawl.setIgnorePixelRatio(false); // #### Scene setup let canvas = scrawl.library.artefact.mycanvas; canvas.setBase({ backgroundColor: 'aliceblue', }); // Define some filters scrawl.makeFilter({ name: 'grayscale', method: 'grayscale', }).clone({ name: 'invert', method: 'invert', }); scrawl.makeFilter({ name: 'tint', method: 'tint', redInRed: 0.5, redInGreen: 1, redInBlue: 0.9, greenInRed: 0, greenInGreen: 0.3, greenInBlue: 0.8, blueInRed: 0.8, blueInGreen: 0.8, blueInBlue: 0.4, }); scrawl.makeFilter({ name: 'matrix', method: 'matrix', weights: [-1, -1, 0, -1, 1, 1, 0, 1, 1], }); // Create a Shape entity to act as a path for our Tracer entitys scrawl.makeShape({ name: 'my-arrow', pathDefinition: 'M266.2,703.1 h-178 L375.1,990 l287-286.9 H481.9 C507.4,365,683.4,91.9,911.8,25.5 877,15.4,840.9,10,803.9,10 525.1,10,295.5,313.4,266.2,703.1 z', start: ['center', 'center'], handle: ['center', 'center'], scale: 0.4, roll: -70, flipUpend: true, useAsPath: true, strokeStyle: 'gray', fillStyle: 'lavender', lineWidth: 8, method: 'fillThenDraw', bringToFrontOnDrag: false, }); // #### Particle physics animation scene // Tracer entitys don't have any color control built in; we need to create our own color factory let colorFactory = scrawl.makeColor({ name: 'tracer-3-color-factory', minimumColor: 'red', maximumColor: 'blue', }); // Create a Tracer entity // + Note that Tracers do not require a World object, cannot process Force objects, and cannot be connected together using Spring objects. scrawl.makeTracer({ name: 'trace-1', historyLength: 50, // We will delta-animate this Tracer alonbg the path of our Shape entity path: 'my-arrow', pathPosition: 0, lockTo: 'path', delta: { pathPosition: 0.002, }, artefact: scrawl.makeWheel({ name: 'burn-1', radius: 6, handle: ['center', 'center'], fillStyle: 'red', method: 'fill', visibility: false, noUserInteraction: true, noPositionDependencies: true, noFilters: true, noDeltaUpdates: true, }), // This Tracer will produce a 'dashed' effect, by displaying discrete ranges of its history stampAction: function (artefact, particle, host) { let history = particle.history, remaining, z, start; history.forEach((p, index) => { if (index < 10 || (index > 20 && index < 30) || index > 40) { [remaining, z, ...start] = p; artefact.simpleStamp(host, { start }); } }); }, // Clone the Tracer entity }).clone({ name: 'trace-2', pathPosition: 0.33, artefact: scrawl.library.artefact['burn-1'].clone({ name: 'burn-2', fillStyle: 'green', globalAlpha: 0.2, }), // Our second Tracer shows a 'tail-fade' effect stampAction: function (artefact, particle, host) { let history = particle.history, len = history.length, remaining, z, start; history.forEach((p, index) => { if (index % 3 === 0) { [remaining, z, ...start] = p; artefact.simpleStamp(host, { start, globalAlpha: (len - index) / len, }); } }); }, // Clone the second Tracer entity }).clone({ name: 'trace-3', pathPosition: 0.67, artefact: scrawl.library.artefact['burn-1'].clone({ name: 'burn-3', fillStyle: 'blue', }), // This Tracer varies its scale to create a 'teardrop' effect stampAction: function (artefact, particle, host) { let history = particle.history, len = history.length, remaining, z, start; history.forEach((p, index) => { [remaining, z, ...start] = p; let magicNumber = (len - index) / len; artefact.simpleStamp(host, { start, scale: magicNumber * 3, fillStyle: colorFactory.getRangeColor(magicNumber), }); }); }, }); // #### Scene animation // Function to display frames-per-second data, and other information relevant to the demo const report = reportSpeed('#reportmessage'); // Create the Display cycle animation scrawl.makeRender({ name: 'demo-animation', target: canvas, afterShow: report, }); // #### User interaction // Make the arrow draggable // + KNOWN BUG - the arrow is not draggable on first user mousedown, but is draggable afterwards scrawl.makeGroup({ name: 'my-draggable-group', }).addArtefacts('my-arrow'); scrawl.makeDragZone({ zone: canvas, collisionGroup: 'my-draggable-group', endOn: ['up', 'leave'], preventTouchDefaultWhenDragging: true, }); // Action user choice to apply a filter to a Tracer entity const filterChoice = function (e) { e.preventDefault(); e.returnValue = false; let val = e.target.value, entity = scrawl.library.entity['trace-2']; entity.clearFilters(); if (val) entity.addFilters(val); }; scrawl.addNativeListener(['input', 'change'], filterChoice, '#filter'); // @ts-expect-error document.querySelector('#filter').value = ''; // #### Development and testing console.log(scrawl.library);
KaliedaRik/Scrawl-canvas
demo/particles-011.js
JavaScript
mit
5,771
'use strict'; /** * Module dependencies. */ const express = require('express'); const session = require('express-session'); const compression = require('compression'); const morgan = require('morgan'); const cookieParser = require('cookie-parser'); const cookieSession = require('cookie-session'); const bodyParser = require('body-parser'); const methodOverride = require('method-override'); const upload = require('multer')(); const mongoStore = require('connect-mongo')(session); const flash = require('connect-flash'); const winston = require('winston'); const helpers = require('view-helpers'); const config = require('./'); const pkg = require('../package.json'); const env = process.env.NODE_ENV || 'development'; /** * Expose */ module.exports = function (app) { // Compression middleware (should be placed before express.static) app.use(compression({ threshold: 512 })); // Static files middleware app.use(express.static(config.root + '/public')); // Use winston on production let log = 'dev'; if (env !== 'development') { log = { stream: { write: message => winston.info(message) } }; } // Don't log during tests // Logging middleware if (env !== 'test') app.use(morgan(log)); // set views path, template engine and default layout app.set('views', config.root + '/app/views'); app.set('view engine', 'jade'); // expose package.json to views app.use(function (req, res, next) { res.locals.pkg = pkg; res.locals.env = env; next(); }); // bodyParser should be above methodOverride app.use(bodyParser.json()); app.use(bodyParser.urlencoded({ extended: true })); app.use(upload.single('image')); app.use(methodOverride(function (req) { if (req.body && typeof req.body === 'object' && '_method' in req.body) { // look in urlencoded POST bodies and delete it var method = req.body._method; delete req.body._method; return method; } })); // CookieParser should be above session app.use(session({ resave: false, saveUninitialized: true, secret: pkg.name, cookie: { maxAge: 3600 * 24 * 365 * 1000 }, store: new mongoStore({ url: config.db, collection : 'sessions' }) })); app.use(cookieParser()); // app.use(cookieSession({ secret: 'accedotv' })); // connect flash for flash messages - should be declared after sessions app.use(flash()); // should be declared after session and flash app.use(helpers(pkg.name)); if (env === 'development') { app.locals.pretty = true; } };
kyue1005/accedotv-demo
config/express.js
JavaScript
mit
2,588
var LinkedInStrategy = require('passport-linkedin-oauth2').Strategy, linkOAuthProfile = require('./helpers').linkOAuthProfile, OAuth2 = require('oauth').OAuth2, crypto = require('crypto'); function preprocessProfile(linkedInProfile){ var skills = []; if(linkedInProfile.skills){ skills = linkedInProfile.skills.values.map(function(value){ return value.skill.name; }); } return { educations: linkedInProfile.educations && linkedInProfile.educations.values || [], positions: linkedInProfile.positions && linkedInProfile.positions.values || [], skills: skills }; } exports.name = 'kabam-core-strategies-linkedin'; exports.strategy = function (core) { if (!core.config.PASSPORT || !core.config.PASSPORT.LINKEDIN_API_KEY || !core.config.PASSPORT.LINKEDIN_SECRET_KEY){ return; } var profileURL = 'https://api.linkedin.com/v1/people/~:(skills,educations,positions)', oauth2 = new OAuth2( core.config.PASSPORT.LINKEDIN_API_KEY, core.config.PASSPORT.LINKEDIN_SECRET_KEY, '', 'https://www.linkedin.com/uas/oauth2/authorization', 'https://www.linkedin.com/uas/oauth2/accessToken', {'x-li-format': 'json'} ); return new LinkedInStrategy({ clientID: core.config.PASSPORT.LINKEDIN_API_KEY, clientSecret: core.config.PASSPORT.LINKEDIN_SECRET_KEY, scope: ['r_fullprofile', 'r_emailaddress'], callbackURL: core.config.HOST_URL + 'auth/linkedin/callback', passReqToCallback: true, stateless: true }, function (request, accessToken, refreshToken, profile, done) { linkOAuthProfile(core, 'linkedin', request, profile, true, function(err, user, created){ if(err){return done(err);} // if we already had this user we shouldn't rewrite their profile, so we skip this step if(!created){return done(null, user);} // get required profile info and populate user profile oauth2.setAccessTokenName('oauth2_access_token'); oauth2.get(profileURL, accessToken, function(err, body/*, res*/){ if(err){return done(new Error('LinkedIn error: ' + JSON.stringify(err)));} try { user.profile = preprocessProfile(JSON.parse(body)); } catch(err) { return done(err); } user.markModified('profile'); user.save(function(err){ done(err, user); }); }); }); }); }; exports.routes = function (core) { if (!core.config.PASSPORT || !core.config.PASSPORT.LINKEDIN_API_KEY || !core.config.PASSPORT.LINKEDIN_SECRET_KEY){ return; } var state = crypto.createHash('md5').update(core.config.SECRET).digest('hex').toString(); core.app.get('/auth/linkedin', core.passport.authenticate('linkedin', {state: state})); core.app.get('/auth/linkedin/callback', core.passport.authenticate('linkedin', { successRedirect: '/auth/success', failureRedirect: '/auth/failure' })); }; // TODO: test all this stuff somehow
muhammadghazali/kabam-kernel
core/strategies/linkedin.js
JavaScript
mit
2,946
const deepCopy = require('./deep-copy'); const sorting = require('./sort'); /* Sorts an array of objects by two keys ** dir = 'asc' yields sort order A, B, C or 1, 2, 3 ** dir = 'des' yields sort order C, B, A or 3, 2, 1 ** type = 'character' for character sorting, type = 'numeric' or 'bool' ** for boolean sorting for numeric sorting. */ const arrSortByTwoKeys = (arr, key1, key2, dir = 'asc', type1 = 'character', type2 = 'character') => { /* Make sure input variable is an array of objects, and that keys are defined. ** if not, simply return whatever arr is. */ if ( !Array.isArray(arr) || typeof arr[0] !== 'object' || !key1 || !key2 ) { return arr; } const multiplier = dir === 'des' ? -1 : 1; const sortArray = deepCopy(arr); const sortFunc1 = sorting[type1]; const sortFunc2 = sorting[type2]; sortArray.sort((a, b) => { const sort1 = multiplier * sortFunc1(a[key1], b[key1]); const sort2 = multiplier * sortFunc2(a[key2], b[key2]); if (sort1 < 0) { return -1; } if ( sort1 === 0 && sort2 < 0 ) { return -1; } if ( sort1 === 0 && sort2 === 0 ) { return 0; } return 1; }); return sortArray; }; module.exports = arrSortByTwoKeys;
knightjdr/gene-info
database/helpers/arr-sort-by-two-keys.js
JavaScript
mit
1,260
import assert from 'assert'; import proxyquire from 'proxyquire'; import sinon from 'sinon'; import sinonStubPromise from 'sinon-stub-promise'; import mockMbaasClient from './mocks/fhMbaasClientMock'; sinonStubPromise(sinon); const appEnvVarsStub = sinon.stub(); const primaryNodeStub = sinon.stub().returnsPromise(); const dbConnectionStub = sinon.stub().returnsPromise(); const feedhenryMbaasType = proxyquire('../lib/mbaas/types/feedhenry', { 'fh-mbaas-client': { MbaasClient: mockMbaasClient(appEnvVarsStub, primaryNodeStub) } }); const openshiftMbaasType = proxyquire('../lib/mbaas/types/openshift', { 'fh-mbaas-client': { MbaasClient: mockMbaasClient(appEnvVarsStub, null, dbConnectionStub) } }); const MockMbaaS = proxyquire('../lib/mbaas', { './types': { feedhenry: feedhenryMbaasType, openshift: openshiftMbaasType } }).MBaaS; function getMockReq() { return { params: { domain: 'test-domain', envId: 101, appGuid: '12345' }, log: { debug: function() {} } }; } function getOptions(mbaasType) { return { mbaasType: mbaasType, auth: { secret: '123456' }, mbaas: { url: 'https://api.host.com', password: 'pass', username: 'user' }, ditch: { user: 'user', password: 'pass', host: '', port: '', database: 'dbname' } }; } export function getDedicatedDbConnectionConf(done) { var expectedUrl = 'dedicatedUrl'; appEnvVarsStub.yields(null, { env: { FH_MONGODB_CONN_URL: expectedUrl } }); new MockMbaaS(getOptions('feedhenry')) .getMongoConf(getMockReq()) .then(conf => { assert.ok(conf.__dbperapp); assert.equal(conf.connectionUrl, expectedUrl); done(); }) .catch(done); } export function getSharedDbConnectionConf(done) { var expectedUrl = 'mongodb://user:pass@primaryNodeHost:primaryNodePort/dbname'; appEnvVarsStub.yields(null, {}); primaryNodeStub.yields(null, { host: 'primaryNodeHost', port: 'primaryNodePort' }); new MockMbaaS(getOptions('feedhenry')) .getMongoConf(getMockReq()) .then(conf => { assert.ok(!conf.__dbperapp); assert.equal(conf.connectionUrl, expectedUrl); done(); }) .catch(done); } export function appEnvVarFail(done) { appEnvVarsStub.yields({}); new MockMbaaS(getOptions('feedhenry')) .getMongoConf(getMockReq()) .then(conf => { assert.ok(!conf); done(); }) .catch(err => { assert.ok(err); done(); }); } export function mongoprimaryNodeFail(done) { appEnvVarsStub.yields(null, {}); primaryNodeStub.yields({}); new MockMbaaS(getOptions('feedhenry')) .getMongoConf(getMockReq()) .then(conf => { assert.ok(!conf); done(); }) .catch(err => { assert.ok(err); done(); }); } export function mongoOpenshift(done) { var expectedUrl = 'mongodb://user:pass@openshiftmongohost:27017/dbname'; appEnvVarsStub.yields(null, { env: { FH_MBAAS_ENV_ACCESS_KEY: '12345', FH_APP_API_KEY: '12345' } }); dbConnectionStub.yields(null, {url: expectedUrl}); new MockMbaaS(getOptions('openshift')) .getMongoConf(getMockReq()) .then(conf => { assert.ok(conf.__dbperapp); assert.equal(conf.connectionUrl, expectedUrl); done(); }) .catch(done); }
feedhenry/fh-dataman
src/middleware/dbConnection/test/mbaas_test.js
JavaScript
mit
3,372
import React, { Component, PropTypes } from 'react' import { Router } from 'react-router' import { Provider } from 'react-redux' import routes from 'routes' class AppContainer extends Component { static propTypes = { store : PropTypes.object.isRequired, history : PropTypes.object.isRequired } shouldComponentUpdate() { return false } render() { const { history, store } = this.props return ( <Provider store={store}> <Router history={history} children={routes} /> </Provider> ) } } export default AppContainer
bartushk/memmi
client-side/src/containers/AppContainer.js
JavaScript
mit
639
var sizes; var searchKey = ''; if(window.location.search!=''){ $("#searchKey").val(decodeURIComponent(window.location.search.substr(11))) } if (window.location.search != "") { searchKey = window.location.search.substr(11) } $.ajax({ url: '/sizes?searchKey=' + searchKey, async: false, method: 'get', success: function (data) { sizes = Math.ceil((data.data) / 8); if (sizes != 1) { $('#pages').show(); } } }); $(document).ready(function () { $.ajax({ url: "/islogin", async: false, type: "get", success: function (data) { if (!data.data) { location.href = "/login"; } } }); var hash = window.location.hash; if (!hash) { hash = "page=1" } var page = {pageSize: hash.split("=")[1], searchKey: searchKey}; $.ajax({ type: "post", data: page, url: "/lists", success: function (data) { var list = "<div class='item-list'>"; $.each(data.data, function (index, item) { list += ("<div class='item'><div class='icon'><a href='/detail#%{name}' data-url='%{url}' onclick='absUrl(this)' onmouseover='des(this)' onmouseout='_des(this)' >" + "<img src='%{icon}' alt='图片未找到'></a></div>" + "<div class='item-title'><strong>%{name}</strong></div><div>作者:%{author}</div>" + "<div class='item-info'><span class='version'>%{version}</span><span class='time'>%{date}<br/>%{time}</span></div>" + "<div class='detailed'><a href='/detail#%{name}' data-url='%{url}' onclick='absUrl(this)'>文档</a></div><div class='des'>%{detailed}</div>" + "<div class='follow'><a href='javascript:void(0)' class='%{flwed}' onclick='follow(this)' data-name='%{name}' data-follow='%{follow}' ></a></div></div>").format({ icon: '/logo/' + item.name, name: item.name, author: item.author, version: item.version, flwed: ((item.follow == true) ? 'flwed' : ''), time: item.createTime.split(" ")[1], date: item.createTime.split(" ")[0], detailed: item.description, follow: item.follow, url: item.url }) }); list += "</div>"; $("#containal").html(list).show(); userName(); //获取分页数 location.hash = "page=" + page.pageSize; if (window.location.hash.split("=")[1] == "1") { $('.firstPage').attr('disabled', true).addClass('disabled'); $('.prevPage').attr('disabled', true).addClass('disabled'); } else if (window.location.hash.split("=")[1] == sizes) { $('.lastPage').attr('disabled', true).addClass('disabled'); $('.nextPage').attr('disabled', true).addClass('disabled'); } }, error: function (data) { console.info(data); } }) followLists(); }); //读取用户名 function userName() { var userName = $.cookie("userName"); $('.user strong').text(userName) } //关注列表 function followLists() { $.ajax({ type: "GET", async: false, url: "/followList", success: function (data) { var followList = "<ul>" $.each(data.data, function (index, item) { followList += ("<li><span class='sort'><a href='javascript:void(0)' onclick='folSort(this)' class='prev'><img src='/images/up.png' alt=''></a><a href='javascript:void(0)' class='next' onclick='folSort(this)'><img src='/images/down.png' alt=''></a></span>" + "<a href='/detail#%{followName}' class='followName'>%{followName}</a><a href='javascript:void(0)' onclick='delFollow(this)' class='del-fol'>" + "<img src='/images/pro_close.png' alt=''></a></li>").format({followName: item}); }); followList += "</ul>"; $('.user-list').html(followList) }, error: function (data) { console.info(data); } }) } function user(self) { if (!$(self).hasClass('ac')) { $(self).addClass('ac'); $('.user-list').show(); followLists(); } else { $(self).removeClass('ac'); $('.user-list').hide() } } function des(_this) { $(_this).parents('.item').children('.des').show(); } function _des(_this) { $(_this).parents('.item').children('.des').hide(); } function pageBtn(self, name) { var pagination = {}; var curPage = location.hash.split("=")[1]; if (name == "first") { pagination.limit = 1; $(self).attr("disabled", true).addClass('disabled').siblings().attr("disabled", false).removeClass('disabled') $("#pages .prevPage").attr("disabled", true).addClass("disabled"); } else if (name == "prev") { pagination.limit = --curPage; $("#pages button").removeAttr("disabled").removeClass('disabled'); if (pagination.limit <= 1) { pagination.limit = 1; $("#pages .firstPage").attr("disabled", true).addClass("disabled"); $("#pages .prevPage").attr("disabled", true).addClass("disabled"); } } else if (name == "next") { pagination.limit = ++curPage; $("#pages button").removeAttr("disabled").removeClass('disabled'); if (pagination.limit >= sizes) { pagination.limit = sizes; // $("#pages button").removeAttr("disabled").removeClass('disabled'); $("#pages .lastPage").attr("disabled", true).addClass("disabled"); $("#pages .nextPage").attr("disabled", true).addClass("disabled"); } } else if (name == "end") { pagination.limit = sizes; $(self).attr("disabled", true).addClass('disabled').siblings().attr("disabled", false).removeClass('disabled'); $("#pages .nextPage").attr("disabled", true).addClass("disabled"); } $.ajax({ type: "post", url: "/pageSize", data: pagination, success: function (data) { var list = "<div class='item-list'>" $.each(data.data, function (index, item) { list += ("<div class='item'><div class='icon'><a href='/detail#%{name}' data-url='%{url}' onclick='absUrl(this)'><img src='%{icon}' alt='图片未找到'></a></div>" + "<div class='item-title'><strong>%{name}</strong></div><div>作者:%{author}</div>" + "<div class='item-info'><span class='version'>%{version}</span><span class='time'>%{date}<br/>%{time}</span></div>" + "<div class='follow'><a href='javascript:void(0)' class='%{flwed}' onclick='follow(this)' data-follow='%{follow}'></a></div>" + "<div class='detailed'><a href='/detail#%{name}' data-url='%{url}' onclick='absUrl(this)'>文档</a></div></div>").format({ icon: '/logo/' + item.name, name: item.name, author: item.author, version: item.version, time: item.createTime.split(" ")[1], date: item.createTime.split(" ")[0], flwed: ((item.follow == true) ? 'flwed' : ''), detailed: item.description, follow: item.follow, url: item.url }) }); list += "</div>"; $("#containal").html(list).fadeIn() location.hash = "page=" + pagination.limit; }, error: function (data) { console.info(data); } }) } //分页跳转 function logout() { $.ajax({ type: "get", url: "/userlogout", success: function (data) { window.location.href = "/login" }, error: function (data) { console.info(data); } }) } function follow(_this) { var data = {}; data.projectName = $(_this).parents('.item').children('.item-title').children().text(); if ($(_this).hasClass('flwed')) { $(_this).removeClass('flwed'); $.ajax({ type: "POST", url: "/delFollow", data: data, success: function (data) { console.info(data); }, error: function (data) { console.info(data); } }) } else { $(_this).addClass('flwed'); $.ajax({ type: "POST", url: "/addFollow", data: data, success: function (data) { // console.info(); }, error: function (data) { console.info(data); } }) } } function BindEnter(event) { if(event.code=='Enter'){ search() } } function search() { window.location.search = '?searchKey=' + $("#searchKey").val() } function delFollow(_this) { var data = {}; data.projectName = $(_this).siblings('.followName').text(); $.ajax({ type: "POST", url: "/delFollow", data: data, success: function (data) { var proName = $(_this).parent().children('.followName').text() $(_this).parent().remove(); $('.item-list .item .follow a[data-name=' + proName + ']').removeClass('flwed') }, error: function (data) { console.info(data); } }) } //关注排序 function folSort(self) { var name = $(self).attr("class"); var li = $(self).parents('li'); var sortData = {}; if (name == "next" && li.next()) { li.next().after(li) } else if (name == "prev" && li.prev()) { li.prev().before(li); } var listSort = []; for (var i = 0, len = $('.user-list li').length; i < len; i++) { var listName = $('.user-list li').eq(i).children('.followName').text(); listSort.push(listName) } sortData.projects = listSort.join(','); $.ajax({ type: "post", url: "/sortList", async: false, data: sortData, success: function (data) { }, error: function (data) { } }) } function absUrl(self) { var absUrl = $(self).attr("data-url"); $.cookie("absUrl", absUrl, {expires: 7}) }
dounine/japi
node/js/index.js
JavaScript
mit
10,577
import React from 'react'; import { connect } from 'react-redux'; import { bindActionCreators } from 'redux'; import { Polygon } from 'react-google-maps'; import {map, filter} from './../../../actions'; class Region extends React.Component { constructor(props) { super(props); this.state = { hovered: false, selected: false }; this.config = { strokeColor: '#babfc7', fillColor: '#7d899e', strokeOpacity: 0.28, strokeWeight: 1, fillOpacity: 0.1 }; } getRegionStyle() { let style = this.config; if (this.props.selected || this.state.hovered) { style = Object.assign({}, style, {fillColor: '#000'}); } return style; } onClick(event) { this.props.regionFilterClicked(this.props.region.id, !this.props.selected, { selected: this.props.selectedRegions, defaults: { routes: this.props.routes, assets: this.props.assets } }); } render() { return ( <Polygon mapHolderRef={this.props.mapHolderRef} paths={this.props.region.coordinates} options={this.getRegionStyle()} onClick={(event) => this.onClick(event)} onMouseover={(event) => {this.setState({hovered: true})}} onMouseout={(event) => {this.setState({hovered: false})}} /> ); } } const stateMap = (state, props, ownProps) => { return { selected : (state.selected.regions.indexOf(props.region.id) !== -1), selectedRegions: state.selected.regions, routes: state.data.route_options.response, assets: state.data.assets.response, }; }; function mapDispatchToProps (dispatch) { return { regionFilterClicked: bindActionCreators(filter.regionFilterClicked, dispatch), regionClick : bindActionCreators(map.regionClick, dispatch) }; } export default connect(stateMap, mapDispatchToProps)(Region);
Haaarp/geo
client/analytics/components/partials/maps/Region.js
JavaScript
mit
2,127
/*! * UI development toolkit for HTML5 (OpenUI5) * (c) Copyright 2009-2015 SAP SE or an SAP affiliate company. * Licensed under the Apache License, Version 2.0 - see LICENSE.txt. */ sap.ui.define(['jquery.sap.global', 'sap/ui/core/Renderer'], function(jQuery, Renderer) { "use strict"; /** * ObjectNumber renderer. * @namespace */ var ObjectNumberRenderer = { }; /** * Renders the HTML for the given control, using the provided {@link sap.ui.core.RenderManager}. * * @param {sap.ui.core.RenderManager} oRm The RenderManager that can be used for writing to the render output buffer * @param {sap.ui.core.Control} oON An object representation of the control that should be rendered */ ObjectNumberRenderer.render = function(oRm, oON) { var sTooltip = oON._getEnrichedTooltip(), sTextDir = oON.getTextDirection(), sTextAlign = oON.getTextAlign(); oRm.write("<div"); oRm.writeControlData(oON); oRm.addClass("sapMObjectNumber"); oRm.addClass(oON._sCSSPrefixObjNumberStatus + oON.getState()); if (oON.getEmphasized()) { oRm.addClass("sapMObjectNumberEmph"); } if (sTooltip) { oRm.writeAttributeEscaped("title", sTooltip); } if (sTextDir !== sap.ui.core.TextDirection.Inherit) { oRm.writeAttribute("dir", sTextDir.toLowerCase()); } sTextAlign = Renderer.getTextAlign(sTextAlign, sTextDir); if (sTextAlign) { oRm.addStyle("text-align", sTextAlign); } oRm.writeClasses(); oRm.writeStyles(); // ARIA // when the status is "None" there is nothing for reading if (oON.getState() !== sap.ui.core.ValueState.None) { oRm.writeAccessibilityState({ labelledby: oON.getId() + "-state" }); } oRm.write(">"); this.renderText(oRm, oON); oRm.write(" "); // space between the number text and unit this.renderUnit(oRm, oON); this.renderHiddenARIAElement(oRm, oON); oRm.write("</div>"); }; ObjectNumberRenderer.renderText = function(oRm, oON) { oRm.write("<span"); oRm.addClass("sapMObjectNumberText"); oRm.writeClasses(); oRm.write(">"); oRm.writeEscaped(oON.getNumber()); oRm.write("</span>"); }; ObjectNumberRenderer.renderUnit = function(oRm, oON) { var sUnit = oON.getUnit() || oON.getNumberUnit(); oRm.write("<span"); oRm.addClass("sapMObjectNumberUnit"); oRm.writeClasses(); oRm.write(">"); oRm.writeEscaped(sUnit); oRm.write("</span>"); }; ObjectNumberRenderer.renderHiddenARIAElement = function(oRm, oON) { var sARIAStateText = "", oRB = sap.ui.getCore().getLibraryResourceBundle("sap.m"); if (oON.getState() == sap.ui.core.ValueState.None) { return; } oRm.write("<span id='" + oON.getId() + "-state' class='sapUiInvisibleText' aria-hidden='true'>"); switch (oON.getState()) { case sap.ui.core.ValueState.Error: sARIAStateText = oRB.getText("OBJECTNUMBER_ARIA_VALUE_STATE_ERROR"); break; case sap.ui.core.ValueState.Warning: sARIAStateText = oRB.getText("OBJECTNUMBER_ARIA_VALUE_STATE_WARNING"); break; case sap.ui.core.ValueState.Success: sARIAStateText = oRB.getText("OBJECTNUMBER_ARIA_VALUE_STATE_SUCCESS"); break; } oRm.write(sARIAStateText); oRm.write("</span>"); }; return ObjectNumberRenderer; }, /* bExport= */ true);
marinho/german-articles
webapp/resources/sap/m/ObjectNumberRenderer-dbg.js
JavaScript
mit
3,233
import { combineReducers } from 'redux'; import { reducer as form } from 'redux-form'; import { list } from './list'; import { draw } from './draw'; const reducers = combineReducers({ list, draw, form }); export default reducers;
ansonpellissier/gordon-shuffle-react
src/reducers/index.js
JavaScript
mit
233
'use strict'; // Init the application configuration module for AngularJS application var ApplicationConfiguration = (function() { // Init module configuration options var applicationModuleName = 'angleApp'; // var applicationModuleVendorDependencies = ['ngResource', 'ngCookies', 'ngAnimate', 'ngTouch', 'ngSanitize', 'ui.router', 'ui.bootstrap', 'ui.utils']; var applicationModuleVendorDependencies = ['ngRoute', 'ngAnimate', 'ngStorage','ngTouch', 'ngCookies', 'pascalprecht.translate', 'ui.bootstrap', 'ui.router', 'oc.lazyLoad', 'cfp.loadingBar', 'ngSanitize', 'ngResource', 'ui.utils', 'angularFileUpload']; // Add a new vertical module var registerModule = function(moduleName, dependencies) { // Create angular module angular.module(moduleName, dependencies || []); // Add the module to the AngularJS configuration file angular.module(applicationModuleName).requires.push(moduleName); }; return { applicationModuleName: applicationModuleName, applicationModuleVendorDependencies: applicationModuleVendorDependencies, registerModule: registerModule }; })(); 'use strict'; //Start by defining the main module and adding the module dependencies angular.module(ApplicationConfiguration.applicationModuleName, ApplicationConfiguration.applicationModuleVendorDependencies); // Setting HTML5 Location Mode angular.module(ApplicationConfiguration.applicationModuleName).config(['$locationProvider', function($locationProvider) { $locationProvider.hashPrefix('!'); } ]); //Then define the init function for starting up the application angular.element(document).ready(function() { //Fixing facebook bug with redirect if (window.location.hash === '#_=_') window.location.hash = '#!'; //Then init the app angular.bootstrap(document, [ApplicationConfiguration.applicationModuleName]); }); 'use strict'; // Use Applicaion configuration module to register a new module ApplicationConfiguration.registerModule('articles'); /*! * * Angle - Bootstrap Admin App + AngularJS * * Author: @themicon_co * Website: http://themicon.co * License: http://support.wrapbootstrap.com/knowledge_base/topics/usage-licenses * */ 'use strict'; // Use Applicaion configuration module to register a new module ApplicationConfiguration.registerModule('core'); angular.module('core').run(["$rootScope", "$state", "$stateParams", '$window', '$templateCache', function ($rootScope, $state, $stateParams, $window, $templateCache) { // Set reference to access them from any scope $rootScope.$state = $state; $rootScope.$stateParams = $stateParams; $rootScope.$storage = $window.localStorage; // Uncomment this to disables template cache /*$rootScope.$on('$stateChangeStart', function(event, toState, toParams, fromState, fromParams) { if (typeof(toState) !== 'undefined'){ $templateCache.remove(toState.templateUrl); } });*/ // Scope Globals // ----------------------------------- $rootScope.app = { name: 'Alt Be Back', description: 'Angular Bootstrap Admin Template', year: ((new Date()).getFullYear()), layout: { isFixed: true, isCollapsed: false, isBoxed: false, isRTL: false, horizontal: false, isFloat: false, asideHover: false, theme: null }, useFullLayout: false, hiddenFooter: false, viewAnimation: 'ng-fadeInUp' }; $rootScope.user = { name: 'John', job: 'ng-Dev', picture: 'app/img/user/02.jpg' }; } ]); 'use strict'; // Use application configuration module to register a new module ApplicationConfiguration.registerModule('page'); 'use strict'; // Use Applicaion configuration module to register a new module ApplicationConfiguration.registerModule('users'); 'use strict'; // Configuring the Articles module angular.module('articles').run(['Menus', function(Menus) { // Set top bar menu items Menus.addMenuItem('sidebar', 'Articles', 'articles', 'dropdown', '/articles(/.*)?', false, null, 20); Menus.addSubMenuItem('sidebar', 'articles', 'List Articles', 'articles'); Menus.addSubMenuItem('sidebar', 'articles', 'New Article', 'articles/create'); } ]); 'use strict'; // Setting up route angular.module('articles').config(['$stateProvider', function($stateProvider) { // Articles state routing $stateProvider. state('app.listArticles', { url: '/articles', templateUrl: 'modules/articles/views/list-articles.client.view.html' }). state('app.createArticle', { url: '/articles/create', templateUrl: 'modules/articles/views/create-article.client.view.html' }). state('app.viewArticle', { url: '/articles/:articleId', templateUrl: 'modules/articles/views/view-article.client.view.html', controller: 'ArticlesController' }). state('app.editArticle', { url: '/articles/:articleId/edit', templateUrl: 'modules/articles/views/edit-article.client.view.html' }); } ]); 'use strict'; angular.module('articles').controller('ArticlesController', ['$scope', '$stateParams', '$location', 'Authentication', 'Articles', function($scope, $stateParams, $location, Authentication, Articles) { $scope.authentication = Authentication; $scope.create = function() { var article = new Articles({ title: this.title, content: this.content }); article.$save(function(response) { $location.path('articles/' + response._id); $scope.title = ''; $scope.content = ''; }, function(errorResponse) { $scope.error = errorResponse.data.message; }); }; $scope.remove = function(article) { if (article) { article.$remove(); for (var i in $scope.articles) { if ($scope.articles[i] === article) { $scope.articles.splice(i, 1); } } } else { $scope.article.$remove(function() { $location.path('articles'); }); } }; $scope.update = function() { var article = $scope.article; article.$update(function() { $location.path('articles/' + article._id); }, function(errorResponse) { $scope.error = errorResponse.data.message; }); }; $scope.find = function() { $scope.articles = Articles.query(); }; $scope.findOne = function() { $scope.article = Articles.get({ articleId: $stateParams.articleId }); }; } ]); 'use strict'; //Articles service used for communicating with the articles REST endpoints angular.module('articles').factory('Articles', ['$resource', function($resource) { return $resource('articles/:articleId', { articleId: '@_id' }, { update: { method: 'PUT' } }); } ]); 'use strict'; // Configuring the Core module angular.module('core').run(['Menus', function(Menus) { // Add default menu entry Menus.addMenuItem('sidebar', 'Home', 'home', null, '/home', true, null, null, 'icon-home'); } ]).config(['$ocLazyLoadProvider', 'APP_REQUIRES', function ($ocLazyLoadProvider, APP_REQUIRES) { // Lazy Load modules configuration $ocLazyLoadProvider.config({ debug: false, events: true, modules: APP_REQUIRES.modules }); }]).config(['$controllerProvider', '$compileProvider', '$filterProvider', '$provide', function ( $controllerProvider, $compileProvider, $filterProvider, $provide) { // registering components after bootstrap angular.module('core').controller = $controllerProvider.register; angular.module('core').directive = $compileProvider.directive; angular.module('core').filter = $filterProvider.register; angular.module('core').factory = $provide.factory; angular.module('core').service = $provide.service; angular.module('core').constant = $provide.constant; angular.module('core').value = $provide.value; }]).config(['$translateProvider', function ($translateProvider) { $translateProvider.useStaticFilesLoader({ prefix : 'modules/core/i18n/', suffix : '.json' }); $translateProvider.preferredLanguage('en'); $translateProvider.useLocalStorage(); }]) .config(['cfpLoadingBarProvider', function(cfpLoadingBarProvider) { cfpLoadingBarProvider.includeBar = true; cfpLoadingBarProvider.includeSpinner = false; cfpLoadingBarProvider.latencyThreshold = 500; cfpLoadingBarProvider.parentSelector = '.wrapper > section'; }]); /**========================================================= * Module: constants.js * Define constants to inject across the application =========================================================*/ angular.module('core') .constant('APP_COLORS', { 'primary': '#5d9cec', 'success': '#27c24c', 'info': '#23b7e5', 'warning': '#ff902b', 'danger': '#f05050', 'inverse': '#131e26', 'green': '#37bc9b', 'pink': '#f532e5', 'purple': '#7266ba', 'dark': '#3a3f51', 'yellow': '#fad732', 'gray-darker': '#232735', 'gray-dark': '#3a3f51', 'gray': '#dde6e9', 'gray-light': '#e4eaec', 'gray-lighter': '#edf1f2' }) .constant('APP_MEDIAQUERY', { 'desktopLG': 1200, 'desktop': 992, 'tablet': 768, 'mobile': 480 }) .constant('APP_REQUIRES', { // jQuery based and standalone scripts scripts: { 'modernizr': ['/lib/modernizr/modernizr.js'], 'icons': ['/lib/fontawesome/css/font-awesome.min.css', '/lib/simple-line-icons/css/simple-line-icons.css'] }, // Angular based script (use the right module name) modules: [ // { name: 'toaster', files: ['/lib/angularjs-toaster/toaster.js','/lib/angularjs-toaster/toaster.css'] } ] }) ; /**========================================================= * Module: config.js * App routes and resources configuration =========================================================*/ angular.module('core').config(['$stateProvider', '$locationProvider', '$urlRouterProvider', 'RouteHelpersProvider', function ($stateProvider, $locationProvider, $urlRouterProvider, helper) { 'use strict'; // Set the following to true to enable the HTML5 Mode // You may have to set <base> tag in index and a routing configuration in your server $locationProvider.html5Mode(false); // default route $urlRouterProvider.otherwise('/home'); // // Application Routes // ----------------------------------- $stateProvider .state('app', { // url: '/', abstract: true, templateUrl: 'modules/core/views/core.client.view.html', resolve: helper.resolveFor('modernizr', 'icons', 'angularFileUpload') }) .state('app.home', { url: '/home', templateUrl: 'modules/core/views/home.client.view.html' }) // // CUSTOM RESOLVES // Add your own resolves properties // following this object extend // method // ----------------------------------- // .state('app.someroute', { // url: '/some_url', // templateUrl: 'path_to_template.html', // controller: 'someController', // resolve: angular.extend( // helper.resolveFor(), { // // YOUR RESOLVES GO HERE // } // ) // }) ; }]); /**========================================================= * Module: main.js * Main Application Controller =========================================================*/ angular.module('core').controller('AppController', ['$rootScope', '$scope', '$state', '$translate', '$window', '$localStorage', '$timeout', 'toggleStateService', 'colors', 'browser', 'cfpLoadingBar', 'Authentication', function($rootScope, $scope, $state, $translate, $window, $localStorage, $timeout, toggle, colors, browser, cfpLoadingBar, Authentication) { "use strict"; // This provides Authentication context. $scope.authentication = Authentication; // Loading bar transition // ----------------------------------- var thBar; $rootScope.$on('$stateChangeStart', function(event, toState, toParams, fromState, fromParams) { if($('.wrapper > section').length) // check if bar container exists thBar = $timeout(function() { cfpLoadingBar.start(); }, 0); // sets a latency Threshold }); $rootScope.$on('$stateChangeSuccess', function(event, toState, toParams, fromState, fromParams) { event.targetScope.$watch("$viewContentLoaded", function () { $timeout.cancel(thBar); cfpLoadingBar.complete(); }); }); // Hook not found $rootScope.$on('$stateNotFound', function(event, unfoundState, fromState, fromParams) { console.log(unfoundState.to); // "lazy.state" console.log(unfoundState.toParams); // {a:1, b:2} console.log(unfoundState.options); // {inherit:false} + default options }); // Hook error $rootScope.$on('$stateChangeError', function(event, toState, toParams, fromState, fromParams, error){ console.log(error); }); // Hook success $rootScope.$on('$stateChangeSuccess', function(event, toState, toParams, fromState, fromParams) { // display new view from top $window.scrollTo(0, 0); // Save the route title $rootScope.currTitle = $state.current.title; }); $rootScope.currTitle = $state.current.title; $rootScope.pageTitle = function() { return $rootScope.app.name + ' - ' + ($rootScope.currTitle || $rootScope.app.description); }; // iPad may presents ghost click issues // if( ! browser.ipad ) // FastClick.attach(document.body); // Close submenu when sidebar change from collapsed to normal $rootScope.$watch('app.layout.isCollapsed', function(newValue, oldValue) { if( newValue === false ) $rootScope.$broadcast('closeSidebarMenu'); }); // Restore layout settings if( angular.isDefined($localStorage.layout) ) $scope.app.layout = $localStorage.layout; else $localStorage.layout = $scope.app.layout; $rootScope.$watch("app.layout", function () { $localStorage.layout = $scope.app.layout; }, true); // Allows to use branding color with interpolation // {{ colorByName('primary') }} $scope.colorByName = colors.byName; // Internationalization // ---------------------- $scope.language = { // Handles language dropdown listIsOpen: false, // list of available languages available: { 'en': 'English', 'es_AR': 'Español' }, // display always the current ui language init: function () { var proposedLanguage = $translate.proposedLanguage() || $translate.use(); var preferredLanguage = $translate.preferredLanguage(); // we know we have set a preferred one in app.config $scope.language.selected = $scope.language.available[ (proposedLanguage || preferredLanguage) ]; }, set: function (localeId, ev) { // Set the new idiom $translate.use(localeId); // save a reference for the current language $scope.language.selected = $scope.language.available[localeId]; // finally toggle dropdown $scope.language.listIsOpen = ! $scope.language.listIsOpen; } }; $scope.language.init(); // Restore application classes state toggle.restoreState( $(document.body) ); // Applies animation to main view for the next pages to load $timeout(function(){ $rootScope.mainViewAnimation = $rootScope.app.viewAnimation; }); // cancel click event easily $rootScope.cancel = function($event) { $event.stopPropagation(); }; }]); 'use strict'; angular.module('core').controller('HeaderController', ['$scope', 'Authentication', 'Menus', function($scope, Authentication, Menus) { $scope.authentication = Authentication; $scope.isCollapsed = false; $scope.menu = Menus.getMenu('topbar'); $scope.toggleCollapsibleMenu = function() { $scope.isCollapsed = !$scope.isCollapsed; }; // Collapsing the menu after navigation $scope.$on('$stateChangeSuccess', function() { $scope.isCollapsed = false; }); } ]); 'use strict'; angular.module('core').controller('SidebarController', ['$rootScope', '$scope', '$state', 'Authentication', 'Menus', 'Utils', function($rootScope, $scope, $state, Authentication, Menus, Utils) { $scope.authentication = Authentication; $scope.menu = Menus.getMenu('sidebar'); var collapseList = []; // demo: when switch from collapse to hover, close all items $rootScope.$watch('app.layout.asideHover', function(oldVal, newVal){ if ( newVal === false && oldVal === true) { closeAllBut(-1); } }); // Check item and children active state var isActive = function(item) { if(!item) return; if( !item.sref || item.sref == '#') { var foundActive = false; angular.forEach(item.submenu, function(value, key) { if(isActive(value)) foundActive = true; }); return foundActive; } else return $state.is(item.sref) || $state.includes(item.sref); }; // Load menu from json file // ----------------------------------- $scope.getMenuItemPropClasses = function(item) { return (item.heading ? 'nav-heading' : '') + (isActive(item) ? ' active' : '') ; }; // Handle sidebar collapse items // ----------------------------------- $scope.addCollapse = function($index, item) { collapseList[$index] = $rootScope.app.layout.asideHover ? true : !isActive(item); }; $scope.isCollapse = function($index) { return (collapseList[$index]); }; $scope.toggleCollapse = function($index, isParentItem) { // collapsed sidebar doesn't toggle drodopwn if( Utils.isSidebarCollapsed() || $rootScope.app.layout.asideHover ) return true; // make sure the item index exists if( angular.isDefined( collapseList[$index] ) ) { collapseList[$index] = !collapseList[$index]; closeAllBut($index); } else if ( isParentItem ) { closeAllBut(-1); } return true; }; function closeAllBut(index) { index += ''; for(var i in collapseList) { if(index < 0 || index.indexOf(i) < 0) collapseList[i] = true; } } } ]); /**========================================================= * Module: navbar-search.js * Navbar search toggler * Auto dismiss on ESC key =========================================================*/ angular.module('core').directive('searchOpen', ['navSearch', function(navSearch) { 'use strict'; return { restrict: 'A', controller: ["$scope", "$element", function($scope, $element) { $element .on('click', function (e) { e.stopPropagation(); }) .on('click', navSearch.toggle); }] }; }]).directive('searchDismiss', ['navSearch', function(navSearch) { 'use strict'; var inputSelector = '.navbar-form input[type="text"]'; return { restrict: 'A', controller: ["$scope", "$element", function($scope, $element) { $(inputSelector) .on('click', function (e) { e.stopPropagation(); }) .on('keyup', function(e) { if (e.keyCode == 27) // ESC navSearch.dismiss(); }); // click anywhere closes the search $(document).on('click', navSearch.dismiss); // dismissable options $element .on('click', function (e) { e.stopPropagation(); }) .on('click', navSearch.dismiss); }] }; }]); /**========================================================= * Module: sidebar.js * Wraps the sidebar and handles collapsed state =========================================================*/ /* jshint -W026 */ angular.module('core').directive('sidebar', ['$rootScope', '$window', 'Utils', function($rootScope, $window, Utils) { 'use strict'; var $win = $($window); var $body = $('body'); var $scope; var $sidebar; var currentState = $rootScope.$state.current.name; return { restrict: 'EA', template: '<nav class="sidebar" ng-transclude></nav>', transclude: true, replace: true, link: function(scope, element, attrs) { $scope = scope; $sidebar = element; var eventName = Utils.isTouch() ? 'click' : 'mouseenter' ; var subNav = $(); $sidebar.on( eventName, '.nav > li', function() { if( Utils.isSidebarCollapsed() || $rootScope.app.layout.asideHover ) { subNav.trigger('mouseleave'); subNav = toggleMenuItem( $(this) ); // Used to detect click and touch events outside the sidebar sidebarAddBackdrop(); } }); scope.$on('closeSidebarMenu', function() { removeFloatingNav(); }); // Normalize state when resize to mobile $win.on('resize', function() { if( ! Utils.isMobile() ) $body.removeClass('aside-toggled'); }); // Adjustment on route changes $rootScope.$on('$stateChangeStart', function(event, toState, toParams, fromState, fromParams) { currentState = toState.name; // Hide sidebar automatically on mobile $('body.aside-toggled').removeClass('aside-toggled'); $rootScope.$broadcast('closeSidebarMenu'); }); // Allows to close if ( angular.isDefined(attrs.sidebarAnyclickClose) ) { $('.wrapper').on('click.sidebar', function(e){ // don't check if sidebar not visible if( ! $body.hasClass('aside-toggled')) return; // if not child of sidebar if( ! $(e.target).parents('.aside').length ) { $body.removeClass('aside-toggled'); } }); } } }; function sidebarAddBackdrop() { var $backdrop = $('<div/>', { 'class': 'dropdown-backdrop'} ); $backdrop.insertAfter('.aside-inner').on("click mouseenter", function () { removeFloatingNav(); }); } // Open the collapse sidebar submenu items when on touch devices // - desktop only opens on hover function toggleTouchItem($element){ $element .siblings('li') .removeClass('open') .end() .toggleClass('open'); } // Handles hover to open items under collapsed menu // ----------------------------------- function toggleMenuItem($listItem) { removeFloatingNav(); var ul = $listItem.children('ul'); if( !ul.length ) return $(); if( $listItem.hasClass('open') ) { toggleTouchItem($listItem); return $(); } var $aside = $('.aside'); var $asideInner = $('.aside-inner'); // for top offset calculation // float aside uses extra padding on aside var mar = parseInt( $asideInner.css('padding-top'), 0) + parseInt( $aside.css('padding-top'), 0); var subNav = ul.clone().appendTo( $aside ); toggleTouchItem($listItem); var itemTop = ($listItem.position().top + mar) - $sidebar.scrollTop(); var vwHeight = $win.height(); subNav .addClass('nav-floating') .css({ position: $scope.app.layout.isFixed ? 'fixed' : 'absolute', top: itemTop, bottom: (subNav.outerHeight(true) + itemTop > vwHeight) ? 0 : 'auto' }); subNav.on('mouseleave', function() { toggleTouchItem($listItem); subNav.remove(); }); return subNav; } function removeFloatingNav() { $('.dropdown-backdrop').remove(); $('.sidebar-subnav.nav-floating').remove(); $('.sidebar li.open').removeClass('open'); } }]); /**========================================================= * Module: toggle-state.js * Toggle a classname from the BODY Useful to change a state that * affects globally the entire layout or more than one item * Targeted elements must have [toggle-state="CLASS-NAME-TO-TOGGLE"] * User no-persist to avoid saving the sate in browser storage =========================================================*/ angular.module('core').directive('toggleState', ['toggleStateService', function(toggle) { 'use strict'; return { restrict: 'A', link: function(scope, element, attrs) { var $body = $('body'); $(element) .on('click', function (e) { e.preventDefault(); var classname = attrs.toggleState; if(classname) { if( $body.hasClass(classname) ) { $body.removeClass(classname); if( ! attrs.noPersist) toggle.removeState(classname); } else { $body.addClass(classname); if( ! attrs.noPersist) toggle.addState(classname); } } }); } }; }]); angular.module('core').service('browser', function(){ "use strict"; var matched, browser; var uaMatch = function( ua ) { ua = ua.toLowerCase(); var match = /(opr)[\/]([\w.]+)/.exec( ua ) || /(chrome)[ \/]([\w.]+)/.exec( ua ) || /(version)[ \/]([\w.]+).*(safari)[ \/]([\w.]+)/.exec( ua ) || /(webkit)[ \/]([\w.]+)/.exec( ua ) || /(opera)(?:.*version|)[ \/]([\w.]+)/.exec( ua ) || /(msie) ([\w.]+)/.exec( ua ) || ua.indexOf("trident") >= 0 && /(rv)(?::| )([\w.]+)/.exec( ua ) || ua.indexOf("compatible") < 0 && /(mozilla)(?:.*? rv:([\w.]+)|)/.exec( ua ) || []; var platform_match = /(ipad)/.exec( ua ) || /(iphone)/.exec( ua ) || /(android)/.exec( ua ) || /(windows phone)/.exec( ua ) || /(win)/.exec( ua ) || /(mac)/.exec( ua ) || /(linux)/.exec( ua ) || /(cros)/i.exec( ua ) || []; return { browser: match[ 3 ] || match[ 1 ] || "", version: match[ 2 ] || "0", platform: platform_match[ 0 ] || "" }; }; matched = uaMatch( window.navigator.userAgent ); browser = {}; if ( matched.browser ) { browser[ matched.browser ] = true; browser.version = matched.version; browser.versionNumber = parseInt(matched.version); } if ( matched.platform ) { browser[ matched.platform ] = true; } // These are all considered mobile platforms, meaning they run a mobile browser if ( browser.android || browser.ipad || browser.iphone || browser[ "windows phone" ] ) { browser.mobile = true; } // These are all considered desktop platforms, meaning they run a desktop browser if ( browser.cros || browser.mac || browser.linux || browser.win ) { browser.desktop = true; } // Chrome, Opera 15+ and Safari are webkit based browsers if ( browser.chrome || browser.opr || browser.safari ) { browser.webkit = true; } // IE11 has a new token so we will assign it msie to avoid breaking changes if ( browser.rv ) { var ie = "msie"; matched.browser = ie; browser[ie] = true; } // Opera 15+ are identified as opr if ( browser.opr ) { var opera = "opera"; matched.browser = opera; browser[opera] = true; } // Stock Android browsers are marked as Safari on Android. if ( browser.safari && browser.android ) { var android = "android"; matched.browser = android; browser[android] = true; } // Assign the name and platform variable browser.name = matched.browser; browser.platform = matched.platform; return browser; }); /**========================================================= * Module: colors.js * Services to retrieve global colors =========================================================*/ angular.module('core').factory('colors', ['APP_COLORS', function(colors) { 'use strict'; return { byName: function(name) { return (colors[name] || '#fff'); } }; }]); 'use strict'; //Menu service used for managing menus angular.module('core').service('Menus', [ function() { // Define a set of default roles this.defaultRoles = ['*']; // Define the menus object this.menus = {}; // A private function for rendering decision var shouldRender = function(user) { if (user) { if (!!~this.roles.indexOf('*')) { return true; } else { for (var userRoleIndex in user.roles) { for (var roleIndex in this.roles) { if (this.roles[roleIndex] === user.roles[userRoleIndex]) { return true; } } } } } else { return this.isPublic; } return false; }; // Validate menu existance this.validateMenuExistance = function(menuId) { if (menuId && menuId.length) { if (this.menus[menuId]) { return true; } else { throw new Error('Menu does not exists'); } } else { throw new Error('MenuId was not provided'); } return false; }; // Get the menu object by menu id this.getMenu = function(menuId) { // Validate that the menu exists this.validateMenuExistance(menuId); // Return the menu object return this.menus[menuId]; }; // Add new menu object by menu id this.addMenu = function(menuId, isPublic, roles) { // Create the new menu this.menus[menuId] = { isPublic: isPublic || false, roles: roles || this.defaultRoles, items: [], shouldRender: shouldRender }; // Return the menu object return this.menus[menuId]; }; // Remove existing menu object by menu id this.removeMenu = function(menuId) { // Validate that the menu exists this.validateMenuExistance(menuId); // Return the menu object delete this.menus[menuId]; }; // Add menu item object this.addMenuItem = function(menuId, menuItemTitle, menuItemURL, menuItemType, menuItemUIRoute, isPublic, roles, position, iconClass, translateKey, alert) { // Validate that the menu exists this.validateMenuExistance(menuId); // Push new menu item this.menus[menuId].items.push({ title: menuItemTitle, link: menuItemURL, menuItemType: menuItemType || 'item', menuItemClass: menuItemType, uiRoute: menuItemUIRoute || ('/' + menuItemURL), isPublic: ((isPublic === null || typeof isPublic === 'undefined') ? this.menus[menuId].isPublic : isPublic), roles: ((roles === null || typeof roles === 'undefined') ? this.menus[menuId].roles : roles), position: position || 0, items: [], shouldRender: shouldRender, iconClass: iconClass || 'fa fa-file-o', translate: translateKey, alert: alert }); // Return the menu object return this.menus[menuId]; }; // Add submenu item object this.addSubMenuItem = function(menuId, rootMenuItemURL, menuItemTitle, menuItemURL, menuItemUIRoute, isPublic, roles, position) { // Validate that the menu exists this.validateMenuExistance(menuId); // Search for menu item for (var itemIndex in this.menus[menuId].items) { if (this.menus[menuId].items[itemIndex].link === rootMenuItemURL) { // Push new submenu item this.menus[menuId].items[itemIndex].items.push({ title: menuItemTitle, link: menuItemURL, uiRoute: menuItemUIRoute || ('/' + menuItemURL), isPublic: ((isPublic === null || typeof isPublic === 'undefined') ? this.menus[menuId].items[itemIndex].isPublic : isPublic), roles: ((roles === null || typeof roles === 'undefined') ? this.menus[menuId].items[itemIndex].roles : roles), position: position || 0, shouldRender: shouldRender }); } } // Return the menu object return this.menus[menuId]; }; // Remove existing menu object by menu id this.removeMenuItem = function(menuId, menuItemURL) { // Validate that the menu exists this.validateMenuExistance(menuId); // Search for menu item to remove for (var itemIndex in this.menus[menuId].items) { if (this.menus[menuId].items[itemIndex].link === menuItemURL) { this.menus[menuId].items.splice(itemIndex, 1); } } // Return the menu object return this.menus[menuId]; }; // Remove existing menu object by menu id this.removeSubMenuItem = function(menuId, submenuItemURL) { // Validate that the menu exists this.validateMenuExistance(menuId); // Search for menu item to remove for (var itemIndex in this.menus[menuId].items) { for (var subitemIndex in this.menus[menuId].items[itemIndex].items) { if (this.menus[menuId].items[itemIndex].items[subitemIndex].link === submenuItemURL) { this.menus[menuId].items[itemIndex].items.splice(subitemIndex, 1); } } } // Return the menu object return this.menus[menuId]; }; //Adding the topbar menu this.addMenu('topbar'); //Adding the sidebar menu this.addMenu('sidebar'); } ]); /**========================================================= * Module: nav-search.js * Services to share navbar search functions =========================================================*/ angular.module('core').service('navSearch', function() { 'use strict'; var navbarFormSelector = 'form.navbar-form'; return { toggle: function() { var navbarForm = $(navbarFormSelector); navbarForm.toggleClass('open'); var isOpen = navbarForm.hasClass('open'); navbarForm.find('input')[isOpen ? 'focus' : 'blur'](); }, dismiss: function() { $(navbarFormSelector) .removeClass('open') // Close control .find('input[type="text"]').blur() // remove focus .val('') // Empty input ; } }; }); /**========================================================= * Module: helpers.js * Provides helper functions for routes definition =========================================================*/ /* jshint -W026 */ /* jshint -W003 */ angular.module('core').provider('RouteHelpers', ['APP_REQUIRES', function (appRequires) { "use strict"; // Set here the base of the relative path // for all app views this.basepath = function (uri) { return 'app/views/' + uri; }; // Generates a resolve object by passing script names // previously configured in constant.APP_REQUIRES this.resolveFor = function () { var _args = arguments; return { deps: ['$ocLazyLoad','$q', function ($ocLL, $q) { // Creates a promise chain for each argument var promise = $q.when(1); // empty promise for(var i=0, len=_args.length; i < len; i ++){ promise = andThen(_args[i]); } return promise; // creates promise to chain dynamically function andThen(_arg) { // also support a function that returns a promise if(typeof _arg == 'function') return promise.then(_arg); else return promise.then(function() { // if is a module, pass the name. If not, pass the array var whatToLoad = getRequired(_arg); // simple error check if(!whatToLoad) return $.error('Route resolve: Bad resource name [' + _arg + ']'); // finally, return a promise return $ocLL.load( whatToLoad ); }); } // check and returns required data // analyze module items with the form [name: '', files: []] // and also simple array of script files (for not angular js) function getRequired(name) { if (appRequires.modules) for(var m in appRequires.modules) if(appRequires.modules[m].name && appRequires.modules[m].name === name) return appRequires.modules[m]; return appRequires.scripts && appRequires.scripts[name]; } }]}; }; // resolveFor // not necessary, only used in config block for routes this.$get = function(){}; }]); /**========================================================= * Module: toggle-state.js * Services to share toggle state functionality =========================================================*/ angular.module('core').service('toggleStateService', ['$rootScope', function($rootScope) { 'use strict'; var storageKeyName = 'toggleState'; // Helper object to check for words in a phrase // var WordChecker = { hasWord: function (phrase, word) { return new RegExp('(^|\\s)' + word + '(\\s|$)').test(phrase); }, addWord: function (phrase, word) { if (!this.hasWord(phrase, word)) { return (phrase + (phrase ? ' ' : '') + word); } }, removeWord: function (phrase, word) { if (this.hasWord(phrase, word)) { return phrase.replace(new RegExp('(^|\\s)*' + word + '(\\s|$)*', 'g'), ''); } } }; // Return service public methods return { // Add a state to the browser storage to be restored later addState: function(classname){ var data = angular.fromJson($rootScope.$storage[storageKeyName]); if(!data) { data = classname; } else { data = WordChecker.addWord(data, classname); } $rootScope.$storage[storageKeyName] = angular.toJson(data); }, // Remove a state from the browser storage removeState: function(classname){ var data = $rootScope.$storage[storageKeyName]; // nothing to remove if(!data) return; data = WordChecker.removeWord(data, classname); $rootScope.$storage[storageKeyName] = angular.toJson(data); }, // Load the state string and restore the classlist restoreState: function($elem) { var data = angular.fromJson($rootScope.$storage[storageKeyName]); // nothing to restore if(!data) return; $elem.addClass(data); } }; }]); /**========================================================= * Module: utils.js * Utility library to use across the theme =========================================================*/ angular.module('core').service('Utils', ["$window", "APP_MEDIAQUERY", function($window, APP_MEDIAQUERY) { 'use strict'; var $html = angular.element("html"), $win = angular.element($window), $body = angular.element('body'); return { // DETECTION support: { transition: (function() { var transitionEnd = (function() { var element = document.body || document.documentElement, transEndEventNames = { WebkitTransition: 'webkitTransitionEnd', MozTransition: 'transitionend', OTransition: 'oTransitionEnd otransitionend', transition: 'transitionend' }, name; for (name in transEndEventNames) { if (element.style[name] !== undefined) return transEndEventNames[name]; } }()); return transitionEnd && { end: transitionEnd }; })(), animation: (function() { var animationEnd = (function() { var element = document.body || document.documentElement, animEndEventNames = { WebkitAnimation: 'webkitAnimationEnd', MozAnimation: 'animationend', OAnimation: 'oAnimationEnd oanimationend', animation: 'animationend' }, name; for (name in animEndEventNames) { if (element.style[name] !== undefined) return animEndEventNames[name]; } }()); return animationEnd && { end: animationEnd }; })(), requestAnimationFrame: window.requestAnimationFrame || window.webkitRequestAnimationFrame || window.mozRequestAnimationFrame || window.msRequestAnimationFrame || window.oRequestAnimationFrame || function(callback){ window.setTimeout(callback, 1000/60); }, touch: ( ('ontouchstart' in window && navigator.userAgent.toLowerCase().match(/mobile|tablet/)) || (window.DocumentTouch && document instanceof window.DocumentTouch) || (window.navigator.msPointerEnabled && window.navigator.msMaxTouchPoints > 0) || //IE 10 (window.navigator.pointerEnabled && window.navigator.maxTouchPoints > 0) || //IE >=11 false ), mutationobserver: (window.MutationObserver || window.WebKitMutationObserver || window.MozMutationObserver || null) }, // UTILITIES isInView: function(element, options) { var $element = $(element); if (!$element.is(':visible')) { return false; } var window_left = $win.scrollLeft(), window_top = $win.scrollTop(), offset = $element.offset(), left = offset.left, top = offset.top; options = $.extend({topoffset:0, leftoffset:0}, options); if (top + $element.height() >= window_top && top - options.topoffset <= window_top + $win.height() && left + $element.width() >= window_left && left - options.leftoffset <= window_left + $win.width()) { return true; } else { return false; } }, langdirection: $html.attr("dir") == "rtl" ? "right" : "left", isTouch: function () { return $html.hasClass('touch'); }, isSidebarCollapsed: function () { return $body.hasClass('aside-collapsed'); }, isSidebarToggled: function () { return $body.hasClass('aside-toggled'); }, isMobile: function () { return $win.width() < APP_MEDIAQUERY.tablet; } }; }]); 'use strict'; // Setting up route angular.module('page').config(['$stateProvider', function($stateProvider) { // Users state routing $stateProvider. state('page', { url: '/page', templateUrl: 'modules/page/views/page.client.view.html' }); } ]); 'use strict'; // Config HTTP Error Handling angular.module('users').config(['$httpProvider', function($httpProvider) { // Set the httpProvider "not authorized" interceptor $httpProvider.interceptors.push(['$q', '$location', 'Authentication', function($q, $location, Authentication) { return { responseError: function(rejection) { switch (rejection.status) { case 401: // Deauthenticate the global user Authentication.user = null; // Redirect to signin page $location.path('signin'); break; case 403: // Add unauthorized behaviour break; } return $q.reject(rejection); } }; } ]); } ]); 'use strict'; // Setting up route angular.module('users').config(['$stateProvider', function($stateProvider) { // Users state routing $stateProvider. state('page.signin', { url: '/signin', templateUrl: 'modules/users/views/authentication/signin.client.view.html' }). state('page.signup', { url: '/signup', templateUrl: 'modules/users/views/authentication/signup.client.view.html' }). state('page.forgot', { url: '/password/forgot', templateUrl: 'modules/users/views/password/forgot-password.client.view.html' }). state('page.reset-invalid', { url: '/password/reset/invalid', templateUrl: 'modules/users/views/password/reset-password-invalid.client.view.html' }). state('page.reset-success', { url: '/password/reset/success', templateUrl: 'modules/users/views/password/reset-password-success.client.view.html' }). state('page.reset', { url: '/password/reset/:token', templateUrl: 'modules/users/views/password/reset-password.client.view.html' }). state('app.password', { url: '/settings/password', templateUrl: 'modules/users/views/settings/change-password.client.view.html' }). state('app.profile', { url: '/settings/profile', templateUrl: 'modules/users/views/settings/edit-profile.client.view.html' }). state('app.accounts', { url: '/settings/accounts', templateUrl: 'modules/users/views/settings/social-accounts.client.view.html' }); } ]); 'use strict'; angular.module('users').controller('AuthenticationController', ['$scope', '$http', '$location', 'Authentication', function($scope, $http, $location, Authentication) { $scope.authentication = Authentication; // If user is signed in then redirect back home if ($scope.authentication.user) $location.path('/'); $scope.signup = function() { $http.post('/auth/signup', $scope.credentials).success(function(response) { // If successful we assign the response to the global user model $scope.authentication.user = response; // And redirect to the index page $location.path('/'); }).error(function(response) { $scope.error = response.message; }); }; $scope.signin = function() { $http.post('/auth/signin', $scope.credentials).success(function(response) { // If successful we assign the response to the global user model $scope.authentication.user = response; // And redirect to the index page $location.path('/'); }).error(function(response) { $scope.error = response.message; }); }; } ]); 'use strict'; angular.module('users').controller('PasswordController', ['$scope', '$stateParams', '$http', '$location', 'Authentication', function($scope, $stateParams, $http, $location, Authentication) { $scope.authentication = Authentication; //If user is signed in then redirect back home if ($scope.authentication.user) $location.path('/'); // Submit forgotten password account id $scope.askForPasswordReset = function() { $scope.success = $scope.error = null; $http.post('/auth/forgot', $scope.credentials).success(function(response) { // Show user success message and clear form $scope.credentials = null; $scope.success = response.message; }).error(function(response) { // Show user error message and clear form $scope.credentials = null; $scope.error = response.message; }); }; // Change user password $scope.resetUserPassword = function() { $scope.success = $scope.error = null; $http.post('/auth/reset/' + $stateParams.token, $scope.passwordDetails).success(function(response) { // If successful show success message and clear form $scope.passwordDetails = null; // Attach user profile Authentication.user = response; // And redirect to the index page $location.path('/password/reset/success'); }).error(function(response) { $scope.error = response.message; }); }; } ]); 'use strict'; angular.module('users').controller('SettingsController', ['$scope', '$http', '$location', 'Users', 'Authentication', function($scope, $http, $location, Users, Authentication) { $scope.user = Authentication.user; // If user is not signed in then redirect back home if (!$scope.user) $location.path('/'); // Check if there are additional accounts $scope.hasConnectedAdditionalSocialAccounts = function(provider) { for (var i in $scope.user.additionalProvidersData) { return true; } return false; }; // Check if provider is already in use with current user $scope.isConnectedSocialAccount = function(provider) { return $scope.user.provider === provider || ($scope.user.additionalProvidersData && $scope.user.additionalProvidersData[provider]); }; // Remove a user social account $scope.removeUserSocialAccount = function(provider) { $scope.success = $scope.error = null; $http.delete('/users/accounts', { params: { provider: provider } }).success(function(response) { // If successful show success message and clear form $scope.success = true; $scope.user = Authentication.user = response; }).error(function(response) { $scope.error = response.message; }); }; // Update a user profile $scope.updateUserProfile = function(isValid) { if (isValid) { $scope.success = $scope.error = null; var user = new Users($scope.user); user.$update(function(response) { $scope.success = true; Authentication.user = response; }, function(response) { $scope.error = response.data.message; }); } else { $scope.submitted = true; } }; // Change user password $scope.changeUserPassword = function() { $scope.success = $scope.error = null; $http.post('/users/password', $scope.passwordDetails).success(function(response) { // If successful show success message and clear form $scope.success = true; $scope.passwordDetails = null; }).error(function(response) { $scope.error = response.message; }); }; } ]); 'use strict'; // Authentication service for user variables angular.module('users').factory('Authentication', [ function() { var _this = this; _this._data = { user: window.user }; return _this._data; } ]); 'use strict'; // Users service used for communicating with the users REST endpoint angular.module('users').factory('Users', ['$resource', function($resource) { return $resource('users', {}, { update: { method: 'PUT' } }); } ]);
andreilaza/alt-be-back-server
public/dist/application.js
JavaScript
mit
50,852
/*! * stepviz 0.1.0 (30-05-2016) * https://github.com/suhaibkhan/stepviz * MIT licensed * Copyright (C) 2016 Suhaib Khan, http://suhaibkhan.github.io */ (function() { 'use strict'; // check for dependencies if (typeof window.d3 === 'undefined') { throw 'd3 library not found.'; } // init namespaces /** * stepViz Namespace * * @namespace */ var ns = { /** * Components Namespace * * @namespace * @memberof stepViz */ components: {}, /** * Constants Namespace * * @namespace * @memberof stepViz */ constants: {}, /** * Configuration Namespace * * @namespace * @memberof stepViz */ config: {}, /** * Utility functions Namespace * * @namespace * @memberof stepViz */ util: {} }; // set as global window.stepViz = ns; }()); (function(ns) { 'use strict'; // Default Configuration // Default theme ns.config.themeCSSClass = 'default'; // CSS class used for highlighting ns.config.highlightCSSClass = 'highlight'; // Default font size ns.config.defaultFontSize = '12px'; }(window.stepViz)); (function(ns) { 'use strict'; ns.init = function(container, props) { return new ns.components.Canvas(container, props); }; ns.initStepExecutor = function(){ return new ns.StepExecutor(); }; }(window.stepViz)); (function(ns) { 'use strict'; function parseAndCalc(value, relativeValue) { var retVal = parseFloat(value); if (isNaN(retVal)) { throw 'Invalid layout value ' + value; } else { if (typeof value == 'string') { value = value.trim(); if (value.endsWith('%')) { retVal = (retVal / 100) * relativeValue; } } } return retVal; } ns.Layout = function(parent, box, margin) { this._parent = parent; // defaults this._box = { top: 0, left: 0, width: 'auto', height: 'auto' }; this._margin = { top: 0, left: 0, bottom: 0, right: 0 }; this.setBox(box, margin); }; ns.Layout.prototype.reCalculate = function() { var parentSize = { width: 0, height: 0 }; if (this._parent instanceof HTMLElement) { parentSize.width = this._parent.offsetWidth; parentSize.height = this._parent.offsetHeight; } else if (typeof this._parent.layout == 'function') { var parentBounds = this._parent.layout().getBox(); parentSize.width = parentBounds.width; parentSize.height = parentBounds.height; } else { throw 'Invalid parent'; } // calculate bounds this._top = parseAndCalc(this._box.top, parentSize.height); this._left = parseAndCalc(this._box.left, parentSize.width); if (this._box.width == 'auto') { // use remaining width this._width = parentSize.width - this._left; } else { this._width = parseAndCalc(this._box.width, parentSize.width); } if (this._box.height == 'auto') { // use remaining height this._height = parentSize.height - this._top; } else { this._height = parseAndCalc(this._box.height, parentSize.height); } }; ns.Layout.prototype.setBox = function(box, margin) { this._box = ns.util.defaults(box, this._box); this._margin = ns.util.defaults(margin, this._margin); this.reCalculate(); }; ns.Layout.prototype.getBounds = function() { return { top: this._top, left: this._left, width: this._width, height: this._height }; }; ns.Layout.prototype.getBox = function() { return { top: this._top + this._margin.top, left: this._left + this._margin.left, width: this._width - this._margin.left - this._margin.right, height: this._height - this._margin.top - this._margin.bottom }; }; ns.Layout.prototype.moveTo = function(x, y) { this.setBox({ top: y, left: x }); }; ns.Layout.prototype.translate = function(x, y) { this.setBox({ top: this._top + y, left: this._left + x }); }; ns.Layout.prototype.clone = function() { return new ns.Layout(this._parent, ns.util.objClone(this._box), ns.util.objClone(this._margin)); }; }(window.stepViz)); (function(ns) { 'use strict'; ns.StepExecutor = function() { this._currentStepIndex = -1; this._steps = []; }; ns.StepExecutor.prototype.add = function(stepFn, clearFn, noOfTimes){ noOfTimes = noOfTimes || 1; stepFn = stepFn || function(){}; clearFn = clearFn || function(){}; if (typeof stepFn != 'function' || typeof clearFn != 'function'){ throw Error('Invalid argument'); } for (var i = 0; i < noOfTimes; i++){ this._steps.push({forward: stepFn, backward: clearFn}); } }; ns.StepExecutor.prototype.hasNext = function(){ return (this._currentStepIndex + 1 < this._steps.length); }; ns.StepExecutor.prototype.hasBack = function(){ return (this._currentStepIndex >= 0); }; ns.StepExecutor.prototype.next = function(context){ if (this._currentStepIndex + 1 >= this._steps.length ){ throw Error('No forward steps'); } this._currentStepIndex++; this._steps[this._currentStepIndex].forward.call(context); }; ns.StepExecutor.prototype.back = function(context){ if (this._currentStepIndex < 0){ throw Error('No backward steps'); } this._steps[this._currentStepIndex].backward.call(context); this._currentStepIndex--; }; }(window.stepViz)); (function(ns) { 'use strict'; ns.util.inherits = function(base, child) { child.prototype = Object.create(base.prototype); child.prototype.constructor = child; }; ns.util.defaults = function(props, defaults) { props = props || {}; var clonedProps = ns.util.objClone(props); for (var prop in defaults) { if (defaults.hasOwnProperty(prop) && !clonedProps.hasOwnProperty(prop)) { clonedProps[prop] = defaults[prop]; } } return clonedProps; }; ns.util.objClone = function(obj) { var cloneObj = null; if (Array.isArray(obj)) { cloneObj = []; for (var i = 0; i < obj.length; i++) { cloneObj.push(ns.util.objClone(obj[i])); } } else if (typeof obj == 'object') { cloneObj = {}; for (var prop in obj) { if (obj.hasOwnProperty(prop)) { cloneObj[prop] = ns.util.objClone(obj[prop]); } } } else { cloneObj = obj; } return cloneObj; }; ns.util.createTaskForPromise = function(fn, context, args) { return function() { return fn.apply(context, args); }; }; }(window.stepViz)); (function(ns, d3) { 'use strict'; /** * Base class for all components * * @class * @memberof stepViz.components * @abstract */ ns.components.Component = function(parent, value, layout, props, defaults) { // default values for props defaults = defaults || {}; if (typeof value == 'undefined') { throw 'Invalid value'; } if (!layout) { throw 'Invalid layout'; } this._state = ns.util.defaults(props, defaults); this._state.parent = parent; this._state.value = value; this._state.layout = layout; this._state.children = []; // will be defined in child class this._state.svgElem = null; }; /** * Returns or set value of the component. * If new value is not specified, existing value is returned. * * @param {Object} [value] - New value to be saved in state * @return {Object} Value associated with the component. */ ns.components.Component.prototype.value = function(newValue) { if (typeof newValue != 'undefined') { // set new value this._state.value = newValue; } return this._state.value; }; /** * Returns parent of the component or null for root component. * * @return {stepViz.components.Component} Parent component */ ns.components.Component.prototype.parent = function() { return this._state.parent; }; /** * Returns or set value of the specified state property. * If value is not specified, existing value is returned. * * @param {String} property - State property name * @param {Object} [value] - Value to be saved * @return {Object} State property value */ ns.components.Component.prototype.state = function(property, value) { if (typeof property != 'string') { throw 'Invalid property name'; } if (typeof value != 'undefined') { // set new value this._state[property] = value; } // return existing value return this._state[property]; }; /** * Returns layout of the component. * * @return {stepViz.Layout} Layout */ ns.components.Component.prototype.layout = function() { return this._state.layout; }; /** * Create a layout with current component as parent. * * @param {Object} box - Layout box object * @param {Object} margin - Layout margin object * @return {stepViz.Layout} New layout */ ns.components.Component.prototype.createLayout = function(box, margin) { return new ns.Layout(this, box, margin); }; /** * Update layout associated with current component. * * @param {Object} box - New layout box object * @param {Object} margin - New layout margin object */ ns.components.Component.prototype.updateLayout = function(box, margin) { return this._state.layout.setBox(box, margin); }; /** * Returns SVG container of the component. Usually an SVG group. * * @return {Array} d3 selector corresponding to SVGElement of the component. */ ns.components.Component.prototype.svg = function() { return this._state.svgElem; }; /** * Set SVGElement of the component. * * @param {Array} d3 selector corresponding to SVGElement. */ ns.components.Component.prototype.setSVG = function(svgElem) { this._state.svgElem = svgElem; }; /** * Redraws component * @abstract */ ns.components.Component.prototype.redraw = function() { // Needs to be implemented in the child class throw 'Not implemented on Component base class'; }; /** * Redraws all children of current component. */ ns.components.Component.prototype.redrawAllChildren = function() { for (var i = 0; i < this._state.children.length; i++) { this._state.children[i].redraw(); } }; /** * Add a child component to current component. * * @param {stepViz.components.Component} child - Child component */ ns.components.Component.prototype.addChild = function(child) { this._state.children.push(child); }; /** * Returns child component at specified index or null if not available. * * @param {Number} index - Child component index * @return {stepViz.components.Component} Child component */ ns.components.Component.prototype.child = function(index) { if (index >= 0 && index < this._state.children.length) { return this._state.children[index]; } return null; }; /** * Clone state properties from the component. * * @param {Array} excludeProps - Array of properties to exclude while cloning. * @return {Object} Cloned properties object */ ns.components.Component.prototype.cloneProps = function(excludeProps) { excludeProps = excludeProps || []; var state = this._state; var props = {}; var discardProps = ['value', 'layout', 'parent', 'svgElem', 'children'].concat(excludeProps); for (var prop in state) { if (state.hasOwnProperty(prop) && discardProps.indexOf(prop) == -1) { props[prop] = ns.util.objClone(state[prop]); } } return props; }; }(window.stepViz, window.d3)); (function(ns, d3) { 'use strict'; ns.constants.ARRAY_CSS_CLASS = 'array'; ns.constants.ARRAY_HORZ_DIR = 'horizontal'; ns.constants.ARRAY_VERT_DIR = 'vertical'; ns.constants.ARRAY_ANIM_SWAP_PATH_AFTER = 'after'; ns.constants.ARRAY_ANIM_SWAP_PATH_BEFORE = 'before'; ns.constants.ARRAY_ANIM_SWAP_PATH_NONE = 'none'; ns.constants.ARRAY_PROP_LIST = ['dir', 'fontSize', 'renderer']; function drawArray(component) { var direction = component.state('dir'); var compBox = component.layout().getBox(); var array = component.value(); var props = {}; ns.constants.TEXTBOX_PROP_LIST.forEach(function(propKey) { if (component.state(propKey)) { props[propKey] = component.state(propKey); } }); var itemSize = 0; if (direction == ns.constants.ARRAY_VERT_DIR) { itemSize = compBox.height / array.length; } else { itemSize = compBox.width / array.length; } var x = 0; var y = 0; for (var i = 0; i < array.length; i++) { // create array item component var itemBox = { top: y, left: x, width: 0, height: 0 }; if (direction == ns.constants.ARRAY_VERT_DIR) { itemBox.width = compBox.width; itemBox.height = itemSize; y += itemSize; } else { itemBox.width = itemSize; itemBox.height = compBox.height; x += itemSize; } if (component.child(i)) { component.child(i).updateLayout(itemBox); component.child(i).redraw(); } else { var childProps = ns.util.objClone(props); if (component.state('highlight')[i]) { childProps.highlight = true; childProps.highlightProps = component.state('highlight')[i]; } var itemLayout = component.createLayout(itemBox); component.drawTextBox(array[i], itemLayout, childProps); } } } ns.components.Array = function(parent, array, layout, props) { if (!Array.isArray(array)) { throw 'Invalid array'; } if (array.length === 0) { throw 'Empty array'; } ns.components.Component.call(this, parent, array, layout, props, { dir: ns.constants.ARRAY_HORZ_DIR }); var compBox = layout.getBox(); var svgElem = parent.svg().append('g') .attr('class', ns.constants.ARRAY_CSS_CLASS) .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')'); // save SVG element this.setSVG(svgElem); // to save highlight state if (!this.state('highlight')) { this.state('highlight', {}); } // draw drawArray(this); }; // inherit from base class ns.util.inherits(ns.components.Component, ns.components.Array); ns.components.Array.prototype.drawTextBox = function(value, layout, props) { var textBoxComp = new ns.components.TextBox(this, value, layout, props); this.addChild(textBoxComp); return textBoxComp; }; ns.components.Array.prototype.redraw = function() { // recalculate layout var layout = this.layout(); layout.reCalculate(); var compBox = layout.getBox(); this.svg() .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')'); // draw drawArray(this); }; ns.components.Array.prototype.highlight = function(arrayIndices, props) { if (typeof arrayIndices == 'number') { arrayIndices = [arrayIndices]; } if (!Array.isArray(arrayIndices)) { throw 'Invalid argument to highlight.'; } for (var i = 0; i < arrayIndices.length; i++) { var index = arrayIndices[i]; if (this.child(index)) { this.child(index).highlight(props); // saving state this.state('highlight')[index] = props; } } }; ns.components.Array.prototype.unhighlight = function(arrayIndices) { if (typeof arrayIndices == 'number') { arrayIndices = [arrayIndices]; } if (!Array.isArray(arrayIndices)) { throw 'Invalid argument to unhighlight.'; } for (var i = 0; i < arrayIndices.length; i++) { var index = arrayIndices[i]; if (this.child(index)) { this.child(index).unhighlight(); if (this.state('highlight')[index]) { delete this.state('highlight')[index]; } } } }; ns.components.Array.prototype.translate = function(x, y, animate) { var that = this; return new Promise(function(resolve, reject) { // animate by default if (animate !== false) animate = true; // update layout that.layout().translate(x, y); var elem = that.svg(); var transform = d3.transform(elem.attr('transform')); // add to existing translate transform.translate = [transform.translate[0] + x, transform.translate[1] + y]; if (animate) { elem.transition().attr('transform', transform.toString()).each('end', resolve); } else { elem.attr('transform', transform.toString()); resolve(); } }); }; ns.components.Array.prototype.changeValue = function(index, newValue) { if (this.child(index)){ this.child(index).changeValue(newValue); this.value()[index] = newValue; }else{ throw 'Invalid index'; } }; ns.components.Array.prototype.clone = function() { return this.parent().drawArray(ns.util.objClone(this.value()), this.layout().clone(), this.cloneProps()); }; // TODO ns.components.Array.prototype.swap = function(i, j, animate, animProps) { // animate by default if (animate !== false) animate = true; animProps = ns.util.defaults(animProps, { iDir: ns.constants.ARRAY_ANIM_SWAP_PATH_NONE, jDir: ns.constants.ARRAY_ANIM_SWAP_PATH_AFTER }); if (this.child(i) && this.child(j) && i != j) { var tempItem = this.child(i); this._state.children[i] = this._state.children[j]; this._state.children[j] = tempItem; // swap animation } }; }(window.stepViz, window.d3)); (function(ns, d3) { 'use strict'; ns.constants.MAIN_CSS_CLASS = 'stepViz'; ns.constants.CANVAS_PROP_LIST = ['margin']; ns.components.Canvas = function(container, props) { if (typeof container === 'string') { container = document.getElementById(container); } else if (!(container instanceof HTMLElement)) { throw 'Invalid container'; } props = props || {}; props.margin = props.margin || { top: 10, left: 10, bottom: 10, right: 10 }; var layout = new ns.Layout(container, {}, props.margin); ns.components.Component.call(this, null, null, layout, props, {}); var compBounds = layout.getBounds(); var compBox = layout.getBox(); var svgElem = d3.select(container) .append('svg') .attr('width', compBounds.width) .attr('height', compBounds.height) .append('g') .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')') .attr('class', ns.constants.MAIN_CSS_CLASS + ' ' + ns.config.themeCSSClass); // save SVG element this.setSVG(svgElem); }; // inherit from base class ns.util.inherits(ns.components.Component, ns.components.Canvas); ns.components.Canvas.prototype.redraw = function() { // recalculate layout this.layout().reCalculate(); // update var compBounds = this.layout().getBounds(); var svgRoot = d3.select(this.svg().node().parentNode); svgRoot.attr('width', compBounds.width) .attr('height', compBounds.height); this.redrawAllChildren(); }; ns.components.Canvas.prototype.drawTextBox = function(value, layout, props) { var textBoxComp = new ns.components.TextBox(this, value, layout, props); this.addChild(textBoxComp); return textBoxComp; }; ns.components.Canvas.prototype.drawArray = function(array, layout, props) { var arrayComp = new ns.components.Array(this, array, layout, props); this.addChild(arrayComp); return arrayComp; }; ns.components.Canvas.prototype.drawMatrix = function(matrix, layout, props) { var matrixComp = new ns.components.Matrix(this, matrix, layout, props); this.addChild(matrixComp); return matrixComp; }; }(window.stepViz, window.d3)); (function(ns, d3) { 'use strict'; ns.constants.MATRIX_CSS_CLASS = 'matrix'; ns.constants.ARRAY_PROP_LIST = ['fontSize', 'renderer']; ns.components.Matrix = function(parent, matrix, layout, props) { if (!Array.isArray(matrix)) { throw 'Invalid matrix'; } if (matrix.length === 0) { throw 'Empty matrix'; } ns.components.Component.call(this, parent, matrix, layout, props, {}); var compBox = layout.getBox(); var svgElem = parent.svg().append('g') .attr('class', ns.constants.MATRIX_CSS_CLASS) .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')'); // save SVG element this.setSVG(svgElem); // to save highlight state if (!this.state('highlight')) { this.state('highlight', {}); } // draw drawMatrix(this); }; // inherit from base class ns.util.inherits(ns.components.Component, ns.components.Matrix); function drawMatrix(component) { var compBox = component.layout().getBox(); var matrix = component.value(); var props = {}; ns.constants.ARRAY_PROP_LIST.forEach(function(propKey) { if (component.state(propKey)){ props[propKey] = component.state(propKey); } }); var rowWidth = compBox.width; var rowHeight = compBox.height / matrix.length; var x = 0; var y = 0; for (var i = 0; i < matrix.length; i++) { var row = matrix[i]; var rowBox = { top: y, left: x, width: rowWidth, height: rowHeight }; y += rowHeight; if (component.child(i)) { component.child(i).updateLayout(itemBox); component.child(i).redraw(); } else { var childProps = ns.util.objClone(props); if (component.state('highlight')[i]) { childProps.highlight = true; childProps.highlightProps = component.state('highlight')[i]; } var rowLayout = component.createLayout(rowBox); component.drawArray(row, rowLayout, childProps); } } } ns.components.Matrix.prototype.drawArray = function(array, layout, props) { var arrayComp = new ns.components.Array(this, array, layout, props); this.addChild(arrayComp); return arrayComp; }; ns.components.Matrix.prototype.changeValue = function(row, column, newValue){ if (this.child(row)){ this.child(row).changeValue(column, newValue); this.value()[row][column] = newValue; }else{ throw 'Invalid row'; } }; }(window.stepViz, window.d3)); (function(ns, d3) { 'use strict'; // constants ns.constants.TEXTBOX_CSS_CLASS = 'textBox'; ns.constants.TEXTBOX_PROP_LIST = ['fontSize', 'renderer']; function drawTextBox(component) { var svgElem = component.svg(); var compBox = component.layout().getBox(); var value = component.value(); var renderer = component.state('renderer'); var fontSize = component.state('fontSize'); // draw item var rectElem = svgElem.select('rect'); if (rectElem.empty()) { rectElem = svgElem.append('rect') .attr('x', 0) .attr('y', 0); } rectElem.attr('width', compBox.width) .attr('height', compBox.height); var textElem = svgElem.select('text'); if (textElem.empty()) { textElem = svgElem.append('text') .attr('x', 0) .attr('y', 0); } textElem.text(renderer(value)).style('font-size', fontSize); // align text in center of rect var rectBBox = rectElem.node().getBBox(); var textBBox = textElem.node().getBBox(); textElem.attr('dx', (rectBBox.width - textBBox.width) / 2) .attr('dy', ((rectBBox.height - textBBox.height) / 2) + (0.75 * textBBox.height)); // highlight toggleHighlight(component); } function toggleHighlight(component) { var props = component.state('highlightProps') || {}; var svgElem = component.svg(); var elemClass = svgElem.attr('class'); var prop = null; // highlight if needed if (component.state('highlight')) { if (elemClass.indexOf(ns.config.highlightCSSClass) == -1) { elemClass += ' ' + ns.config.highlightCSSClass; } // custom style for highlighting for (prop in props) { if (props.hasOwnProperty(prop)) { if (prop.startsWith('rect-')) { svgElem.select('rect').style(prop.substring(5), props[prop]); } else if (prop.startsWith('text-')) { svgElem.select('text').style(prop.substring(5), props[prop]); } } } } else { elemClass = elemClass.replace(ns.config.highlightCSSClass, ''); // remove custom highlighting for (prop in props) { if (props.hasOwnProperty(prop)) { if (prop.startsWith('rect-')) { svgElem.select('rect').style(prop.substring(5), null); } else if (prop.startsWith('text-')) { svgElem.select('text').style(prop.substring(5), null); } } } } svgElem.attr('class', elemClass); } ns.components.TextBox = function(parent, value, layout, props) { ns.components.Component.call(this, parent, value, layout, props, { fontSize: ns.config.defaultFontSize, renderer: function(d) { if (d === null) { return ''; } else if (typeof d == 'string' || typeof d == 'number'){ return d; } else { return JSON.stringify(d); } } }); var compBox = layout.getBox(); var svgElem = parent.svg().append('g') .attr('class', ns.constants.TEXTBOX_CSS_CLASS) .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')'); // save SVG element this.setSVG(svgElem); // draw drawTextBox(this); }; // inherit from base class ns.util.inherits(ns.components.Component, ns.components.TextBox); ns.components.TextBox.prototype.redraw = function() { if (!this.svg()) { throw 'TextBox redraw error - Invalid state or SVG'; } // recalculate layout var layout = this.layout(); layout.reCalculate(); var compBox = layout.getBox(); this.svg() .attr('transform', 'translate(' + compBox.left + ',' + compBox.top + ')'); // draw drawTextBox(this); }; ns.components.TextBox.prototype.clone = function(){ }; ns.components.TextBox.prototype.changeValue = function(newValue) { this.value(newValue); drawTextBox(this); }; ns.components.TextBox.prototype.highlight = function(props) { this.state('highlight', true); this.state('highlightProps', props); toggleHighlight(this); }; ns.components.TextBox.prototype.unhighlight = function() { this.state('highlight', false); toggleHighlight(this); this.state('highlightProps', null); }; ns.components.TextBox.prototype.translate = function(x, y, animate) { var that = this; return new Promise(function(resolve, reject) { // animate by default if (animate !== false) animate = true; // update layout that.layout().translate(x, y); var elem = that.svg(); var transform = d3.transform(elem.attr('transform')); // add to existing translate transform.translate = [transform.translate[0] + x, transform.translate[1] + y]; if (animate) { elem.transition().attr('transform', transform.toString()).each('end', resolve); } else { elem.attr('transform', transform.toString()); resolve(); } }); }; ns.components.TextBox.prototype.moveTo = function(x, y, animate) { var that = this; return new Promise(function(resolve, reject) { // animate by default if (animate !== false) animate = true; // update layout that.layout().moveTo(x, y); var elem = that.svg(); var transform = d3.transform(elem.attr('transform')); // new translate transform.translate = [x, y]; if (animate) { elem.transition().attr('transform', transform.toString()).each('end', resolve); } else { elem.attr('transform', transform.toString()); resolve(); } }); }; ns.components.TextBox.prototype.moveThroughPath = function(path) { var animTasks = []; if (typeof path != 'string') { throw 'Invalid path'; } var pathCoords = path.split(' '); for (var i = 0; i < pathCoords.length; i++) { var coordStr = pathCoords[i]; var coordStrFirstChar = coordStr.charAt(0); var animate = true; if (coordStrFirstChar == 'M' || coordStrFirstChar == 'L' || (coordStrFirstChar >= '0' && coordStrFirstChar <= '9')) { animate = coordStrFirstChar == 'M' ? false : true; if (coordStrFirstChar == 'M' || coordStrFirstChar == 'L') { coordStr = coordStr.substring(1); } var coords = coordStr.split(',').map(parseFloat); if (coords.length == 2) { var task = ns.util.createTaskForPromise( this.moveTo, this, [coords[0], coords[1], animate]); animTasks.push(task); } } } return animTasks.reduce(function(prevTask, nextTask) { return promise.then(nextTask); }, Promise.resolve()); }; }(window.stepViz, window.d3)); if (!String.prototype.startsWith) { String.prototype.startsWith = function(searchString, position){ position = position || 0; return this.substr(position, searchString.length) === searchString; }; } if (!String.prototype.endsWith) { String.prototype.endsWith = function(searchString, position) { var subjectString = this.toString(); if (typeof position !== 'number' || !isFinite(position) || Math.floor(position) !== position || position > subjectString.length) { position = subjectString.length; } position -= searchString.length; var lastIndex = subjectString.indexOf(searchString, position); return lastIndex !== -1 && lastIndex === position; }; } if (typeof Object.create != 'function') { Object.create = (function() { var Temp = function() {}; return function (prototype) { if (arguments.length > 1) { throw Error('Second argument not supported'); } if(prototype !== Object(prototype) && prototype !== null) { throw TypeError('Argument must be an object or null'); } if (prototype === null) { throw Error('null [[Prototype]] not supported'); } Temp.prototype = prototype; var result = new Temp(); Temp.prototype = null; return result; }; })(); }
suhaibkhan/stepviz
dist/stepviz.js
JavaScript
mit
30,623
'use strict'; module.exports = function (req, res) { res.statusCode = 401; res.setHeader('X-Frame-Options', 'SAMEORIGIN'); res.setHeader('X-Xss-Protection', '1; mode=block'); res.setHeader('X-Content-Type-Options', 'nosniff'); res.setHeader('Content-Type', 'application/json; charset=utf-8'); res.setHeader('Cache-Control', 'no-cache'); res.setHeader('X-Request-Id', '08aedf09-deab-4c9b-ba18-ea100f209958'); res.setHeader('X-Runtime', '0.049840'); res.setHeader('Vary', 'Origin'); res.setHeader('Date', 'Tue, 22 Mar 2016 19:36:08 GMT'); res.setHeader('Connection', 'close'); res.write(new Buffer(JSON.stringify({"message": "Unauthorized"}))); res.end(); return __filename; };
regalii/regaliator_node
test/tapes/account/failed_info.js
JavaScript
mit
708
import React from 'react'; import PropTypes from 'prop-types'; import { FormattedMessage, injectIntl, defineMessages } from 'react-intl'; import Card from '@material-ui/core/Card'; import CardContent from '@material-ui/core/CardContent'; import CardHeader from '@material-ui/core/CardHeader'; import CardActions from '@material-ui/core/CardActions'; import Button from '@material-ui/core/Button'; import TextField from '@material-ui/core/TextField'; import ConfirmEmail from './ConfirmEmail'; import CheckContext from '../../CheckContext'; import { getErrorMessage } from '../../helpers'; import { stringHelper } from '../../customHelpers'; import globalStrings from '../../globalStrings'; import { updateUserNameEmail } from '../../relay/mutations/UpdateUserNameEmailMutation'; import { units } from '../../styles/js/shared'; const messages = defineMessages({ title: { id: 'userEmail.title', defaultMessage: 'Add your email', }, emailHint: { id: 'userEmail.emailInputHint', defaultMessage: '[email protected]', }, }); class UserEmail extends React.Component { constructor(props) { super(props); this.state = { message: null, }; } handleClickSkip = () => { window.storage.set('dismiss-user-email-nudge', '1'); this.forceUpdate(); }; handleSubmit = () => { const email = document.getElementById('user-email__input').value; const onSuccess = () => { this.setState({ message: null }); document.getElementById('user-email__input').value = ''; }; const onFailure = (transaction) => { const fallbackMessage = this.props.intl.formatMessage(globalStrings.unknownError, { supportEmail: stringHelper('SUPPORT_EMAIL') }); const message = getErrorMessage(transaction, fallbackMessage); this.setState({ message }); }; if (email) { updateUserNameEmail( this.props.user.id, this.props.user.name, email, true, onSuccess, onFailure, ); } }; render() { const { currentUser } = new CheckContext(this).getContextStore(); if ((currentUser && currentUser.dbid) !== this.props.user.dbid) { return null; } if (this.props.user.unconfirmed_email) { return <ConfirmEmail user={this.props.user} />; } else if (!this.props.user.email && window.storage.getValue('dismiss-user-email-nudge') !== '1') { return ( <Card style={{ marginBottom: units(2) }}> <CardHeader title={this.props.intl.formatMessage(messages.title)} /> <CardContent> <FormattedMessage id="userEmail.text" defaultMessage={ 'To send you notifications, we need your email address. If you\'d like to receive notifications, please enter your email address. Otherwise, click "Skip"' } /> <div> <TextField id="user-email__input" label={ <FormattedMessage id="userEmail.emailInputLabel" defaultMessage="Email" /> } placeholder={ this.props.intl.formatMessage(messages.emailHint) } helperText={this.state.message} error={this.state.message} margin="normal" fullWidth /> </div> </CardContent> <CardActions> <Button onClick={this.handleClickSkip}> <FormattedMessage id="userEmail.skip" defaultMessage="Skip" /> </Button> <Button onClick={this.handleSubmit} color="primary"> <FormattedMessage id="userEmail.submit" defaultMessage="Submit" /> </Button> </CardActions> </Card> ); } return null; } } UserEmail.contextTypes = { store: PropTypes.object, }; export default injectIntl(UserEmail);
meedan/check-web
src/app/components/user/UserEmail.js
JavaScript
mit
3,974
/* eslint no-unused-vars: 0 */ import { mount, shallow } from 'avoriaz' import should from 'should' import sinon from 'sinon' import { pSwitchbox } from 'prpllnt' describe('switchbox.vue', () => { it('renders a wrapper div with class p-input-group', () => { const value = false const component = shallow(pSwitchbox, { propsData: { value } }) component.is('div').should.be.true() component.hasClass('p-input-group').should.be.true() }) it('renders the label with the correct class and using a prop for text', () => { const labels = ['this is a label'] const value = false const component = shallow(pSwitchbox, { propsData: { labels, value } }) const labelEl = component.first('label') labelEl.hasClass('p-switchbox').should.be.true() const rendered = labelEl.text().trim() rendered.should.be.exactly(labels[0]) }) it('renders the label correctly when only the second element is used', () => { const labels = ['', 'this is a label'] const value = false const component = shallow(pSwitchbox, { propsData: { labels, value } }) const labelEl = component.first('label') const rendered = labelEl.text().trim() rendered.should.be.exactly(labels[1]) }) it('renders the label correctly when both label elements are used', () => { const labels = ['this-is-a-label', 'this-is-also-a-label'] const value = false const component = shallow(pSwitchbox, { propsData: { labels, value } }) const labelEl = component.first('label') const rendered = labelEl.text().replace(/\s/g, '') rendered.should.be.exactly(labels.join('')) }) it('renders nothing for the label prop when not provided', () => { const label = '' const value = false const component = shallow(pSwitchbox, { propsData: { value } }) const rendered = component.first('label').text().trim() rendered.should.be.exactly(label) }) it('it re-uses the model internally as a computed property', () => { const value = false const component = shallow(pSwitchbox, { propsData: { value } }) component.vm.innerModel.should.be.exactly(value) }) it('it reacts to the input field being changed', () => { const value = false const component = shallow(pSwitchbox, { propsData: { value } }) const input = component.first('input') const spy = sinon.spy(component.vm, 'stateFromEvent') input.element.checked = true input.trigger('change') spy.calledOnce.should.be.true() }) })
pearofducks/propellant
test/switchbox.spec.js
JavaScript
mit
2,482
module.exports = function (grunt) { "use strict"; require('matchdep').filterDev("grunt-*").forEach(grunt.loadNpmTasks); //grunt.option('verbose', true); grunt.initConfig({ pkg: grunt.file.readJSON('package.json'), compass: { prod: { options: { sassDir: 'frontend/sass', cssDir: 'backend/public/css', fontsDir: '/fonts', outputStyle: 'compressed', noLineComments: true, environment: 'production', force: true, specify: 'frontend/sass/main.sass' } }, dev: { options: { sassDir: 'frontend/sass', cssDir: 'backend/public/css', fontsDir: '/fonts', outputStyle: 'expanded', noLineComments: false, environment: 'development', force: true, specify: 'frontend/sass/main.sass' } } }, requirejs: { compile: { options: { baseUrl: "frontend/js", mainConfigFile: "frontend/js/require.config.js", include: 'application', name: 'almond', out: "backend/public/js/main.js", fileExclusionRegExp: /^\.|node_modules|Gruntfile|\.md|package.json/, almond: true, wrapShim: true, wrap: true, optimize: "none" } } }, uglify: { options: { mangle: { mangleProperties: true, reserveDOMCache: true }, compress: { drop_console: true } }, target: { files: { 'backend/public/js/main.js': ['backend/public/js/main.js'] } } }, jshint: { files: [ 'Gruntfile.js', 'frontend/js/**/*.js', '!frontend/js/vendor/**/*.js' ], options: { curly: true, eqeqeq: true, latedef: true, noarg: true, undef: true, boss: true, eqnull: true, browser: true, globals: { console: true, require: true, requirejs: true, define: true, module: true }, '-W030': false, /* allow one line expressions */ '-W014': false /* allow breaking of '? :' */ } }, watch: { js: { files: [ 'frontend/js/**/*.js', 'frontend/js/**/*.html' ], tasks: ['requirejs'] }, css: { files: [ 'frontend/sass/**/*.sass', 'frontend/sass/**/*.scss' ], tasks: ['compass:dev'] } }, mocha: { index: ['frontend/tests/test-runner.html'] } }); grunt.registerTask('default', [ 'jshint', 'compass:dev', 'requirejs' ]); grunt.registerTask('release', [ 'compass:prod', 'requirejs', 'uglify' ]); };
dbondus/code-samples
js/2015-chat-application/Gruntfile.js
JavaScript
mit
3,745