Repository: borisyankov/react-sparklines Branch: master Commit: a30c20e49ee6 Files: 40 Total size: 239.9 KB Directory structure: gitextract_9dwoz21r/ ├── .babelrc ├── .gitignore ├── .npmignore ├── .travis.yml ├── LICENSE ├── README.md ├── __tests__/ │ ├── Sparklines.js │ ├── compareSvg.js │ ├── dataToPoints.js │ ├── fixtures.js │ ├── graphical-tests.js │ ├── mean.js │ ├── median.js │ └── sampleData.js ├── bootstrap-tests.js ├── build/ │ └── index.js ├── demo/ │ ├── demo.js │ ├── index.html │ └── webpack.config.js ├── index.js ├── package.json ├── src/ │ ├── Sparklines.js │ ├── SparklinesBars.js │ ├── SparklinesCurve.js │ ├── SparklinesLine.js │ ├── SparklinesNormalBand.js │ ├── SparklinesReferenceLine.js │ ├── SparklinesSpots.js │ ├── SparklinesText.js │ └── dataProcessing/ │ ├── dataToPoints.js │ ├── index.js │ ├── max.js │ ├── mean.js │ ├── median.js │ ├── midRange.js │ ├── min.js │ ├── stdev.js │ └── variance.js ├── wallaby.conf.js └── webpack.config.js ================================================ FILE CONTENTS ================================================ ================================================ FILE: .babelrc ================================================ { "presets": [ "react", "es2015", "stage-1" ], "plugins": [ "transform-object-assign" ], "sourceMaps": true, } ================================================ FILE: .gitignore ================================================ # Logs logs *.log # Runtime data pids *.pid *.seed # Directory for instrumented libs generated by jscoverage/JSCover lib-cov # Coverage directory used by tools like istanbul coverage # Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files) .grunt # node-waf configuration .lock-wscript # Compiled binary addons (http://nodejs.org/api/addons.html) # build # Dependency directory # https://www.npmjs.org/doc/misc/npm-faq.html#should-i-check-my-node_modules-folder-into-git node_modules .DS_Store .idea ================================================ FILE: .npmignore ================================================ node_modules demo wallaby.conf.js ================================================ FILE: .travis.yml ================================================ language: node_js before_install: npm install -g npm@3 script: travis_retry npm test node_js: - '7' sudo: false ================================================ FILE: LICENSE ================================================ The MIT License (MIT) Copyright (c) 2015 Boris Yankov 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. ================================================ FILE: README.md ================================================ # Beautiful and expressive sparklines component for React [![Build Status](https://travis-ci.org/borisyankov/react-sparklines.svg?branch=master)](https://travis-ci.org/borisyankov/react-sparklines) Live demos and docs: [borisyankov.github.io/react-sparklines/](http://borisyankov.github.io/react-sparklines/) ![](http://borisyankov.github.io/react-sparklines/img/dynamic.gif) ## Install ``` npm install react-sparklines --save ``` ## Run demo ``` npm install npm start http://localhost:8080 ``` ## Use Import the Sparklines components that you need; for example to generate a simple chart: ![](http://borisyankov.github.io/react-sparklines/img/basic.png) ``` import React from 'react'; import { Sparklines } from 'react-sparklines'; ... ``` Sparklines component is a container with the following properties: data - the data set used to build the sparkline limit - optional, how many data points to display at once width, height - dimensions of the generated sparkline in the SVG viewbox. This will be automatically scaled (i.e. responsive) inside the parent container by default. svgWidth, svgHeight - If you want absolute dimensions instead of a responsive component set these attributes. [preserveAspectRatio](https://developer.mozilla.org/en-US/docs/Web/SVG/Attribute/preserveAspectRatio) - default: 'none', set this to modify how the sparkline should scale margin - optional, offset the chart min, max - optional, bound the chart #### Basic Sparkline ![](http://borisyankov.github.io/react-sparklines/img/customizable.png) ``` import React from 'react'; import { Sparklines, SparklinesLine } from 'react-sparklines'; ... ``` #### Bars ![](http://borisyankov.github.io/react-sparklines/img/bars.png) ``` import React from 'react'; import { Sparklines, SparklinesBars } from 'react-sparklines'; ... ``` #### Spots ![](http://borisyankov.github.io/react-sparklines/img/spots.png) ``` import React from 'react'; import { Sparklines, SparklinesLine, SparklinesSpots } from 'react-sparklines'; ... ``` #### Reference Line ![](http://borisyankov.github.io/react-sparklines/img/referenceline.png) ``` import React from 'react'; import { Sparklines, SparklinesLine, SparklinesReferenceLine } from 'react-sparklines'; ... ``` #### Normal Band ![](http://borisyankov.github.io/react-sparklines/img/normalband.png) ``` import React from 'react'; import { Sparklines, SparklinesLine, SparklinesNormalBand } from 'react-sparklines'; ... ``` ================================================ FILE: __tests__/Sparklines.js ================================================ import React from 'react'; import ReactDOM from 'react-dom'; import { shallow } from 'enzyme'; import { expect } from 'chai'; import { Sparklines } from '../src/Sparklines'; describe('Sparklines', () => { it('does not throw without any parameters', () => { expect(() => ).to.not.throw; }); it('renders nothing when passed no data', () => { const wrapper = shallow(); expect(wrapper.find('svg')).to.have.length(0); }); it('is rendered as svg', () => { const wrapper = shallow(); expect(wrapper.find('svg')).to.have.length(1); }); }); ================================================ FILE: __tests__/compareSvg.js ================================================ import hiff from 'hiff'; function normalizeStyle(style) { style = (style || '').split(';').map(s => s.trim()); style.sort(); return style.join(';'); } function normalizeAttrs(...$ns) { for (let $n of $ns) { if ($n.attr('style')) $n.attr('style', normalizeStyle($n.attr('style'))); } } function comparatorFn($n1, $n2, childChanges) { normalizeAttrs($n1, $n2); return hiff.defaultTagComparisonFn($n1, $n2, childChanges); } export default function compareSvg(svg1, svg2, options = {}) { return hiff.compare(svg1, svg2, Object.assign({}, options, {tagComparison: comparatorFn})); } ================================================ FILE: __tests__/dataToPoints.js ================================================ import { expect } from 'chai'; import dataToPoints from '../src/dataProcessing/dataToPoints'; describe('dataToPoints', () => { it('should return an array', () => { expect(dataToPoints({ data: [] })).to.be.an('array'); expect(dataToPoints({ data: [1, 2, 3] })).to.be.an('array'); expect(dataToPoints({ data: [1, null, undefined] })).to.be.an('array'); }); it('should return only `limit` items', () => { expect(dataToPoints({ data: [1,2,3,4,5] })).to.have.length(5); expect(dataToPoints({ data: [1,2,3,4,5], limit: 2 })).to.have.length(2); expect(dataToPoints({ data: [1,2,3,4,5], limit: 5 })).to.have.length(5); expect(dataToPoints({ data: [1,2,3,4,5], limit: 10 })).to.have.length(5); }); it('should return proper values for 1 value', () => { expect(dataToPoints({ data: [1] })).to.eql([ {x: 0, y: 0.5} ]) }); it('should return proper values 2+ values', () => { expect(dataToPoints({ data: [1,1] })).to.eql([ {x: 0, y: 0.5}, {x: 1, y: 0.5} ]) expect(dataToPoints({ data: [0,1] })).to.eql([ {x: 0, y: 1}, {x: 1, y: 0} ]) expect(dataToPoints({ data: [1,0] })).to.eql([ {x: 0, y: 0}, {x: 1, y: 1} ]) expect(dataToPoints({ data: [0,1,2] })).to.eql([ {x: 0, y: 1}, {x: 0.5, y: 0.5}, {x: 1, y: 0} ]) }); it('should inerpolate values properly', () => { expect(dataToPoints({data: [0,1,2], width: 10, height: 10 })).to.eql([ {x: 0, y: 10}, {x: 5, y: 5}, {x: 10, y: 0} ]) }); it('should take min and max into account', () => { expect(dataToPoints({ data: [1,2,3,4], width: 6, height: 10, max: 2, min: 3 })).to.eql([ {x: 0, y: -10}, {x: 2, y: 0}, {x: 4, y: 10}, {x: 6, y: 20} ]) }); it('should return y == height for 0 and null values', () => { expect(dataToPoints({ data: [0] })).to.eql([ {x: 0, y: 0.5} ]) expect(dataToPoints({ data: [0, null, 0] })).to.eql([ {x: 0, y: 0.5}, {x: 0.5, y: 0.5}, {x: 1, y: 0.5} ]) }); }); ================================================ FILE: __tests__/fixtures.js ================================================ // This file is auto-updated by ../bootstrap-tests.js import React from 'react'; import { Sparklines, SparklinesBars, SparklinesLine, SparklinesCurve, SparklinesNormalBand, SparklinesReferenceLine, SparklinesSpots } from '../src/Sparklines'; import { sampleData, sampleData100 } from './sampleData'; export default { // AUTO-GENERATED PART STARTS HERE "Header": {jsx: (), svg: ""}, "Simple": {jsx: (), svg: ""}, "SimpleCurve": {jsx: (), svg: ""}, "Customizable1": {jsx: (), svg: ""}, "Customizable2": {jsx: (), svg: ""}, "Customizable3": {jsx: (), svg: ""}, "Customizable4": {jsx: (), svg: ""}, "Customizable5": {jsx: (), svg: ""}, "Customizable6": {jsx: (), svg: ""}, "Bounds1": {jsx: (), svg: ""}, "Spots1": {jsx: (), svg: ""}, "Spots2": {jsx: (), svg: ""}, "Spots3": {jsx: (), svg: ""}, "Bars1": {jsx: (), svg: ""}, "Bars2": {jsx: (), svg: ""}, "ReferenceLine1": {jsx: (), svg: ""}, "ReferenceLine2": {jsx: (), svg: ""}, "ReferenceLine3": {jsx: (), svg: ""}, "ReferenceLine4": {jsx: (), svg: ""}, "ReferenceLine5": {jsx: (), svg: ""}, "ReferenceLine6": {jsx: (), svg: ""}, "NormalBand1": {jsx: (), svg: ""}, "NormalBand2": {jsx: (), svg: ""}, "RealWorld1": {jsx: (), svg: ""}, "RealWorld2": {jsx: (), svg: ""}, "RealWorld3": {jsx: (), svg: ""}, "RealWorld4": {jsx: (), svg: ""}, "RealWorld5": {jsx: (), svg: ""}, "RealWorld6": {jsx: (), svg: ""}, "RealWorld7": {jsx: (), svg: ""}, "RealWorld8": {jsx: (), svg: ""}, "RealWorld9": {jsx: (), svg: ""}, // AUTO-GENERATED PART ENDS HERE }; ================================================ FILE: __tests__/graphical-tests.js ================================================ import fixtures from './fixtures'; import { render } from 'enzyme'; import { expect } from 'chai'; import compareSvg from './compareSvg'; describe.skip('Graphical tests from fixtures.js', function() { for (let key of Object.keys(fixtures)) { describe(`${key}`, function() { it('should render as specified', function() { const wrapper = render(fixtures[key].jsx); const result = compareSvg(wrapper.html(), fixtures[key].svg); const errorMessage = 'SVG output changed:\n' + result.changes.map(change => change.message).join('\n') + '\n'; expect(result.changes, errorMessage).to.be.empty; }); }); } }); ================================================ FILE: __tests__/mean.js ================================================ import { expect } from 'chai'; import mean from '../src/dataProcessing/mean'; describe('mean', () => { it('should return average of values', () => { expect(mean([0])).to.eq(0) expect(mean([0, 1])).to.eq(0.5) expect(mean([1, 2])).to.eq(3/2) expect(mean([0, 1, 2])).to.eq(1) }); }); ================================================ FILE: __tests__/median.js ================================================ import { expect } from 'chai'; import median from '../src/dataProcessing/median'; describe('median', () => { it('should return median of values', () => { expect(median([0])).to.eq(0) expect(median([0, 1])).to.eq(1) expect(median([1, 2, 3])).to.eq(2) expect(median([5, 4, 3, 2, 1])).to.eq(3) expect(median([2, 4, 1, 3, 5])).to.eq(3) }); it('should calculate median by correctly sorting numbers, not lexicographically', () => { expect(median([0, 20, 100])).to.eq(20) expect(median([1, 3, 5, 7, 100, 1000, 10000])).to.eq(7) }); it('should calculate median for real-world data', () => { const data = [6161.719669666667,4995.179579999999,4040.0326529999998,3776.188567,2969.1544076666664,4701.473427,3128.7432525,3299.3572713333333,4272.681012,3422.561293333333,3462.3769910000005,4303.3568116666665,12118.759180333333,5272.167418666666,3130.953679666666,3830.7221036666665,4253.371313333333,6885.048253666668,4065.784471333334,4051.3181206666673,3312.486034666667,3519.332053333333,3578.4504983333336,3061.1413410000005,82353.92672433333,3166.496492,3962.746236333333,3355.8355669999996,3234.4706403333334,3319.0170516666667,3334.766027666667,7453.3247703333345,3356.1106466666665,7517.256305666666,6227.504952666667,2999.276804666666,3185.139871,2740.3619040000003,3554.696368,3908.206846,3055.0123826666663,3224.6066153333336,3576.984728,4848.392336666667,5388.439963000001,3662.7132256666664,6323.533573333332,3432.6356856666666,6223.385519666666,3137.5223516666665,4890.759132333333,3131.3128269999997,3814.362825333333,3452.1440953333336,2932.7764999999995,2816.087773333333,3989.263918666667,3113.313537,4504.276532333333,3561.8186296666663,3505.547739666667,4404.111484,4417.891140666666,4269.754091666667,3434.4542200000005,5476.430249666667,6312.4283306666675,5366.578057333334,3830.2674359999996,4812.407597333333,3376.3011166666674,3358.902772,6465.302481,3668.810244,2920.755890666667,4098.664499333333,3245.7028793333334,3443.5763826666666,3053.3344556666666,5223.266786,4993.329616000001,4095.5644090000005,3369.0089953333336,4341.683867,3377.744091666667,6399.325108333333,3453.0122806666664,2891.474329333333,4122.205589333334,4019.51985,3977.8773416666663,3615.6507353333336,4873.987182666668,3638.5405246666664,2889.41178]; expect(median(data)).to.eq(3668.810244) }) }); ================================================ FILE: __tests__/sampleData.js ================================================ export const sampleData = [ 0.26789611283279424, -1.5618808743590797, -0.46848826820269196, -0.02429709108986638, -0.07347501430506465, 0.938722048681125, -0.02488170176918398, 0.014511315562131895, -1.0920317808493079, -1.6226651458214956, 0.6777968350341455, -1.0989601025670448, 1.402853678778828, -1.7923422052616966, -0.37025235972161835, -0.10254054014867667, 0.3709902985604339, 2.5285657626539253, -0.18958673659343403, 0.8578243085059141, 1.7395812075504404, 0.9723534409914075, -0.6799757002898873, 1.153081489500828, 1.3851189843556257, 0.19355625368483506, 1.262069965103209, -0.8628137671385424, -0.6118030618030503, -0.25257403618789087 ]; export const sampleData100 = [ -0.2809926205121489, 0.5993223086924007, 0.5450586119753267, -0.4794107823559421, -0.18298272472350668, 0.3219712568468161, 2.0566174540438324, -1.6442809970641576, 1.971025186834513, 0.37237930811331116, -0.4015753275277232, 1.0601229819271032, -2.0983317267366988, 0.26835584955818786, -0.2899975217753408, -0.6342464890422705, -0.10975205424415876, 0.39583180670735013, 1.4695948548213784, -1.2295606440627673, 1.0056333434310312, 1.006402733277956, -1.4092655719724325, 0.17595701557726026, -0.19396518917878047, -1.4314174397644206, -0.34402041741926476, 0.6986827111240516, -0.6157663396302129, 1.0606864486721386, 1.3537300165741912, -0.9521291296713654, -1.089926042595364, -0.9723342804049446, 0.2286317959508994, 0.2613862542298905, 0.24840731355644413, 2.08064561830636, 0.44534855831763426, 1.5511436162779393, -1.5514313805901196, -0.7497893094776009, 0.4027674242193654, -0.38986316786208264, -1.2167765233154504, 0.18879490542570268, -1.5284852088503573, 0.8789559275619153, -1.2451506359938267, -0.7226040247250638, -0.07157034383583998, 1.9901707247581082, 0.22166972734467405, 0.058080839429433054, -0.6324465858010533, -0.8091687560181702, -1.293296284426419, 1.8436776591711028, -0.28314101700652944, 1.358988312176975, -0.1152691343859452, -2.425199332455914, 0.6696100792204956, 1.7308347028588733, -0.9997610678433961, -0.10106296722138419, 0.3157348177184432, -0.34931234065268996, 0.4662049447935582, 0.8793589099345607, 2.069923608446714, 1.3861543531394107, -0.2705101572065443, 0.5980871990258989, -0.5871146157743545, -0.9844080263005216, 0.2972697252124295, -0.6119868603373193, -1.8902200290484288, 0.6996282188319667, -0.24883654266800448, -0.1156025389007573, 1.0370156630612894, 0.9750054921585302, -0.635000984672242, 0.16076716404020402, 0.1379262931648021, -0.6838899322825195, 0.6088591150304701, -0.3408579041001186, -0.08790701313160872, -0.38412257182424137, -1.3319278452946857, 0.7154759857504911, -2.8727571205730915, -1.3501468729225303, -0.0865770144109483, 0.505651174224522, -2.2111682240498753, 2.035381345199811 ]; ================================================ FILE: bootstrap-tests.js ================================================ // bootstrap-tests.js - A tool for updating the test cases in __tests__/fixtures.js // // 1) Reads __tests__/fixtures.js and looks for a "dynamic part", which should be a list of fields // belonging to that file's default export, enclosed in a pair of markers (see "signal" constants // below). // 2) Imports the same fixtures file and (re-)renders each ReactElement to a static SVG string. // 3) On success, overwrites __tests__/fixtures.js with an updated copy. // // Run with babel-node or using "npm run test:bootstrap". import path from 'path'; import { render } from 'enzyme'; import LineByLineReader from 'line-by-line'; import reactElementToJsx from 'react-element-to-jsx-string'; import { writeFileSync } from 'fs'; import replaceAll from 'replaceall'; import React from 'react'; const fixturesFile = path.resolve(__dirname, './__tests__/fixtures.js'); const dynamicPartStartSignal = '// AUTO-GENERATED PART STARTS HERE'; const dynamicPartEndSignal = '// AUTO-GENERATED PART ENDS HERE'; const fixtures = require(fixturesFile).default; // Handle recurring data constants import { sampleData, sampleData100 } from './__tests__/data'; const recognizedDataConstants = { sampleData, sampleData100 }; const recognizedDataStrings = {}; for (let dataKey of Object.keys(recognizedDataConstants)) { recognizedDataStrings[dataKey] = markupToOneLine(reactElementToJsx(
) .replace(/[^{]*\{|\}[^}]*/g, '')); } // Output control let outData = ''; const write = content => { outData += content + '\n'; } const save = () => writeFileSync(fixturesFile, outData); function writeFixtures() { for (let key of Object.keys(fixtures)) { const jsx = fixtures[key].jsx; const wrapper = render(jsx); let jsxCode = `(${markupToOneLine(reactElementToJsx(jsx))})`; const htmlCode = JSON.stringify(wrapper.html()); for (let dataKey of Object.keys(recognizedDataStrings)) { jsxCode = replaceAll(recognizedDataStrings[dataKey], dataKey, jsxCode); } write(`\t${JSON.stringify(key)}: {jsx: ${jsxCode}, svg: ${htmlCode}},`); } } function markupToOneLine(code) { return code.replace(/\s*[\r\n]\s*/g, ' ').replace(/\s+/g, ' ').replace(/\s*([<>])\s*/g, '$1'); } // Input control const lr = new LineByLineReader(fixturesFile, {skipEmptyLines: false}); let inDynamicPart = false, dynamicPartCount = 0, lineCount = 0; lr.on('line', line => { ++lineCount; if (line === dynamicPartStartSignal) { if (inDynamicPart) throw new LineError('Dynamic part opened again'); ++dynamicPartCount; if (dynamicPartCount > 1) throw new LineError('Multiple dynamic parts found'); inDynamicPart = true; write(line); try { writeFixtures(); } catch(e) { throw new LineError(e); } } else if (line === dynamicPartEndSignal) { if (!inDynamicPart) throw new LineError('Dynamic part closed again'); inDynamicPart = false; write(line); } else if (!inDynamicPart) write(line); }); lr.on('end', () => { if (inDynamicPart) { throw new LineError('Dynamic part not closed'); } if (!dynamicPartCount) { throw new LineError('No dynamic part found in file!'); } save(); }); lr.on('error', function (err) { throw new LineError(err); }); class LineError extends Error { constructor(message) { super(`${fixturesFile}:${lineCount}: ${message}`); } } ================================================ FILE: build/index.js ================================================ (function webpackUniversalModuleDefinition(root, factory) { if(typeof exports === 'object' && typeof module === 'object') module.exports = factory(require("react")); else if(typeof define === 'function' && define.amd) define(["react"], factory); else if(typeof exports === 'object') exports["ReactSparklines"] = factory(require("react")); else root["ReactSparklines"] = factory(root["React"]); })(this, function(__WEBPACK_EXTERNAL_MODULE_1__) { return /******/ (function(modules) { // webpackBootstrap /******/ // The module cache /******/ var installedModules = {}; /******/ // The require function /******/ function __webpack_require__(moduleId) { /******/ // Check if module is in cache /******/ if(installedModules[moduleId]) /******/ return installedModules[moduleId].exports; /******/ // Create a new module (and put it into the cache) /******/ var module = installedModules[moduleId] = { /******/ i: moduleId, /******/ l: false, /******/ exports: {} /******/ }; /******/ // Execute the module function /******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); /******/ // Flag the module as loaded /******/ module.l = true; /******/ // Return the exports of the module /******/ return module.exports; /******/ } /******/ // expose the modules object (__webpack_modules__) /******/ __webpack_require__.m = modules; /******/ // expose the module cache /******/ __webpack_require__.c = installedModules; /******/ // identity function for calling harmony imports with the correct context /******/ __webpack_require__.i = function(value) { return value; }; /******/ // define getter function for harmony exports /******/ __webpack_require__.d = function(exports, name, getter) { /******/ if(!__webpack_require__.o(exports, name)) { /******/ Object.defineProperty(exports, name, { /******/ configurable: false, /******/ enumerable: true, /******/ get: getter /******/ }); /******/ } /******/ }; /******/ // getDefaultExport function for compatibility with non-harmony modules /******/ __webpack_require__.n = function(module) { /******/ var getter = module && module.__esModule ? /******/ function getDefault() { return module['default']; } : /******/ function getModuleExports() { return module; }; /******/ __webpack_require__.d(getter, 'a', getter); /******/ return getter; /******/ }; /******/ // Object.prototype.hasOwnProperty.call /******/ __webpack_require__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); }; /******/ // __webpack_public_path__ /******/ __webpack_require__.p = "/"; /******/ // Load entry module and return exports /******/ return __webpack_require__(__webpack_require__.s = 31); /******/ }) /************************************************************************/ /******/ ([ /* 0 */ /***/ (function(module, exports, __webpack_require__) { /* WEBPACK VAR INJECTION */(function(process) {/** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ if (process.env.NODE_ENV !== 'production') { var REACT_ELEMENT_TYPE = (typeof Symbol === 'function' && Symbol.for && Symbol.for('react.element')) || 0xeac7; var isValidElement = function(object) { return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE; }; // By explicitly using `prop-types` you are opting into new development behavior. // http://fb.me/prop-types-in-prod var throwOnDirectAccess = true; module.exports = __webpack_require__(28)(isValidElement, throwOnDirectAccess); } else { // By explicitly using `prop-types` you are opting into new production behavior. // http://fb.me/prop-types-in-prod module.exports = __webpack_require__(27)(); } /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(2))) /***/ }), /* 1 */ /***/ (function(module, exports) { module.exports = __WEBPACK_EXTERNAL_MODULE_1__; /***/ }), /* 2 */ /***/ (function(module, exports) { // shim for using process in browser var process = module.exports = {}; // cached from whatever global is present so that test runners that stub it // don't break things. But we need to wrap it in a try catch in case it is // wrapped in strict mode code which doesn't define any globals. It's inside a // function because try/catches deoptimize in certain engines. var cachedSetTimeout; var cachedClearTimeout; function defaultSetTimout() { throw new Error('setTimeout has not been defined'); } function defaultClearTimeout () { throw new Error('clearTimeout has not been defined'); } (function () { try { if (typeof setTimeout === 'function') { cachedSetTimeout = setTimeout; } else { cachedSetTimeout = defaultSetTimout; } } catch (e) { cachedSetTimeout = defaultSetTimout; } try { if (typeof clearTimeout === 'function') { cachedClearTimeout = clearTimeout; } else { cachedClearTimeout = defaultClearTimeout; } } catch (e) { cachedClearTimeout = defaultClearTimeout; } } ()) function runTimeout(fun) { if (cachedSetTimeout === setTimeout) { //normal enviroments in sane situations return setTimeout(fun, 0); } // if setTimeout wasn't available but was latter defined if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) { cachedSetTimeout = setTimeout; return setTimeout(fun, 0); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedSetTimeout(fun, 0); } catch(e){ try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedSetTimeout.call(null, fun, 0); } catch(e){ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error return cachedSetTimeout.call(this, fun, 0); } } } function runClearTimeout(marker) { if (cachedClearTimeout === clearTimeout) { //normal enviroments in sane situations return clearTimeout(marker); } // if clearTimeout wasn't available but was latter defined if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) { cachedClearTimeout = clearTimeout; return clearTimeout(marker); } try { // when when somebody has screwed with setTimeout but no I.E. maddness return cachedClearTimeout(marker); } catch (e){ try { // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally return cachedClearTimeout.call(null, marker); } catch (e){ // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error. // Some versions of I.E. have different rules for clearTimeout vs setTimeout return cachedClearTimeout.call(this, marker); } } } var queue = []; var draining = false; var currentQueue; var queueIndex = -1; function cleanUpNextTick() { if (!draining || !currentQueue) { return; } draining = false; if (currentQueue.length) { queue = currentQueue.concat(queue); } else { queueIndex = -1; } if (queue.length) { drainQueue(); } } function drainQueue() { if (draining) { return; } var timeout = runTimeout(cleanUpNextTick); draining = true; var len = queue.length; while(len) { currentQueue = queue; queue = []; while (++queueIndex < len) { if (currentQueue) { currentQueue[queueIndex].run(); } } queueIndex = -1; len = queue.length; } currentQueue = null; draining = false; runClearTimeout(timeout); } process.nextTick = function (fun) { var args = new Array(arguments.length - 1); if (arguments.length > 1) { for (var i = 1; i < arguments.length; i++) { args[i - 1] = arguments[i]; } } queue.push(new Item(fun, args)); if (queue.length === 1 && !draining) { runTimeout(drainQueue); } }; // v8 likes predictible objects function Item(fun, array) { this.fun = fun; this.array = array; } Item.prototype.run = function () { this.fun.apply(null, this.array); }; process.title = 'browser'; process.browser = true; process.env = {}; process.argv = []; process.version = ''; // empty string to avoid regexp issues process.versions = {}; function noop() {} process.on = noop; process.addListener = noop; process.once = noop; process.off = noop; process.removeListener = noop; process.removeAllListeners = noop; process.emit = noop; process.binding = function (name) { throw new Error('process.binding is not supported'); }; process.cwd = function () { return '/' }; process.chdir = function (dir) { throw new Error('process.chdir is not supported'); }; process.umask = function() { return 0; }; /***/ }), /* 3 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = function (data) { return data.reduce(function (a, b) { return a + b; }) / data.length; }; /***/ }), /* 4 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = function (data) { return Math.min.apply(Math, data); }; /***/ }), /* 5 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ var ReactPropTypesSecret = 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED'; module.exports = ReactPropTypesSecret; /***/ }), /* 6 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Copyright (c) 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * */ function makeEmptyFunction(arg) { return function () { return arg; }; } /** * This function accepts and discards inputs; it has no side effects. This is * primarily useful idiomatically for overridable function endpoints which * always need to be callable, since JS lacks a null-call idiom ala Cocoa. */ var emptyFunction = function emptyFunction() {}; emptyFunction.thatReturns = makeEmptyFunction; emptyFunction.thatReturnsFalse = makeEmptyFunction(false); emptyFunction.thatReturnsTrue = makeEmptyFunction(true); emptyFunction.thatReturnsNull = makeEmptyFunction(null); emptyFunction.thatReturnsThis = function () { return this; }; emptyFunction.thatReturnsArgument = function (arg) { return arg; }; module.exports = emptyFunction; /***/ }), /* 7 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) {/** * Copyright (c) 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * */ /** * Use invariant() to assert state which your program assumes to be true. * * Provide sprintf-style format (only %s is supported) and arguments * to provide information about what broke and what you were * expecting. * * The invariant message will be stripped in production, but the invariant * will remain to ensure logic does not differ in production. */ var validateFormat = function validateFormat(format) {}; if (process.env.NODE_ENV !== 'production') { validateFormat = function validateFormat(format) { if (format === undefined) { throw new Error('invariant requires an error message argument'); } }; } function invariant(condition, format, a, b, c, d, e, f) { validateFormat(format); if (!condition) { var error; if (format === undefined) { error = new Error('Minified exception occurred; use the non-minified dev environment ' + 'for the full error message and additional helpful warnings.'); } else { var args = [a, b, c, d, e, f]; var argIndex = 0; error = new Error(format.replace(/%s/g, function () { return args[argIndex++]; })); error.name = 'Invariant Violation'; } error.framesToPop = 1; // we don't care about invariant's own frame throw error; } } module.exports = invariant; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(2))) /***/ }), /* 8 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = function (data) { return Math.max.apply(Math, data); }; /***/ }), /* 9 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _mean = __webpack_require__(3); var _mean2 = _interopRequireDefault(_mean); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = function (data) { var dataMean = (0, _mean2.default)(data); var sqDiff = data.map(function (n) { return Math.pow(n - dataMean, 2); }); var avgSqDiff = (0, _mean2.default)(sqDiff); return Math.sqrt(avgSqDiff); }; /***/ }), /* 10 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) {/** * Copyright 2014-2015, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * */ var emptyFunction = __webpack_require__(6); /** * Similar to invariant but only logs a warning if the condition is not met. * This can be used to log issues in development environments in critical * paths. Removing the logging code for production environments will keep the * same logic and follow the same code paths. */ var warning = emptyFunction; if (process.env.NODE_ENV !== 'production') { (function () { var printWarning = function printWarning(format) { for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) { args[_key - 1] = arguments[_key]; } var argIndex = 0; var message = 'Warning: ' + format.replace(/%s/g, function () { return args[argIndex++]; }); if (typeof console !== 'undefined') { console.error(message); } try { // --- Welcome to debugging React --- // This error was thrown as a convenience so that you can use this stack // to find the callsite that caused this warning to fire. throw new Error(message); } catch (x) {} }; warning = function warning(condition, format) { if (format === undefined) { throw new Error('`warning(condition, format, ...args)` requires a warning ' + 'message argument'); } if (format.indexOf('Failed Composite propType: ') === 0) { return; // Ignore CompositeComponent proptype check. } if (!condition) { for (var _len2 = arguments.length, args = Array(_len2 > 2 ? _len2 - 2 : 0), _key2 = 2; _key2 < _len2; _key2++) { args[_key2 - 2] = arguments[_key2]; } printWarning.apply(undefined, [format].concat(args)); } }; })(); } module.exports = warning; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(2))) /***/ }), /* 11 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; module.exports = __webpack_require__(12); /***/ }), /* 12 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.SparklinesText = exports.SparklinesNormalBand = exports.SparklinesReferenceLine = exports.SparklinesSpots = exports.SparklinesBars = exports.SparklinesCurve = exports.SparklinesLine = exports.Sparklines = undefined; var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); var _SparklinesText = __webpack_require__(19); var _SparklinesText2 = _interopRequireDefault(_SparklinesText); var _SparklinesLine = __webpack_require__(15); var _SparklinesLine2 = _interopRequireDefault(_SparklinesLine); var _SparklinesCurve = __webpack_require__(14); var _SparklinesCurve2 = _interopRequireDefault(_SparklinesCurve); var _SparklinesBars = __webpack_require__(13); var _SparklinesBars2 = _interopRequireDefault(_SparklinesBars); var _SparklinesSpots = __webpack_require__(18); var _SparklinesSpots2 = _interopRequireDefault(_SparklinesSpots); var _SparklinesReferenceLine = __webpack_require__(17); var _SparklinesReferenceLine2 = _interopRequireDefault(_SparklinesReferenceLine); var _SparklinesNormalBand = __webpack_require__(16); var _SparklinesNormalBand2 = _interopRequireDefault(_SparklinesNormalBand); var _dataToPoints = __webpack_require__(20); var _dataToPoints2 = _interopRequireDefault(_dataToPoints); var _reactAddonsShallowCompare = __webpack_require__(29); var _reactAddonsShallowCompare2 = _interopRequireDefault(_reactAddonsShallowCompare); 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 Sparklines = function (_React$Component) { _inherits(Sparklines, _React$Component); function Sparklines(props) { _classCallCheck(this, Sparklines); return _possibleConstructorReturn(this, (Sparklines.__proto__ || Object.getPrototypeOf(Sparklines)).call(this, props)); } _createClass(Sparklines, [{ key: 'shouldComponentUpdate', value: function shouldComponentUpdate(nextProps) { return (0, _reactAddonsShallowCompare2.default)(this, nextProps); } }, { key: 'render', value: function render() { var _props = this.props, data = _props.data, limit = _props.limit, width = _props.width, height = _props.height, svgWidth = _props.svgWidth, svgHeight = _props.svgHeight, preserveAspectRatio = _props.preserveAspectRatio, margin = _props.margin, style = _props.style, max = _props.max, min = _props.min; if (data.length === 0) return null; var points = (0, _dataToPoints2.default)({ data: data, limit: limit, width: width, height: height, margin: margin, max: max, min: min }); var svgOpts = { style: style, viewBox: '0 0 ' + width + ' ' + height, preserveAspectRatio: preserveAspectRatio }; if (svgWidth > 0) svgOpts.width = svgWidth; if (svgHeight > 0) svgOpts.height = svgHeight; return _react2.default.createElement( 'svg', svgOpts, _react2.default.Children.map(this.props.children, function (child) { return _react2.default.cloneElement(child, { data: data, points: points, width: width, height: height, margin: margin }); }) ); } }]); return Sparklines; }(_react2.default.Component); Sparklines.propTypes = { data: _propTypes2.default.array, limit: _propTypes2.default.number, width: _propTypes2.default.number, height: _propTypes2.default.number, svgWidth: _propTypes2.default.number, svgHeight: _propTypes2.default.number, preserveAspectRatio: _propTypes2.default.string, margin: _propTypes2.default.number, style: _propTypes2.default.object, min: _propTypes2.default.number, max: _propTypes2.default.number, onMouseMove: _propTypes2.default.func }; Sparklines.defaultProps = { data: [], width: 240, height: 60, //Scale the graphic content of the given element non-uniformly if necessary such that the element's bounding box exactly matches the viewport rectangle. preserveAspectRatio: 'none', //https://www.w3.org/TR/SVG/coords.html#PreserveAspectRatioAttribute margin: 2 }; exports.Sparklines = Sparklines; exports.SparklinesLine = _SparklinesLine2.default; exports.SparklinesCurve = _SparklinesCurve2.default; exports.SparklinesBars = _SparklinesBars2.default; exports.SparklinesSpots = _SparklinesSpots2.default; exports.SparklinesReferenceLine = _SparklinesReferenceLine2.default; exports.SparklinesNormalBand = _SparklinesNormalBand2.default; exports.SparklinesText = _SparklinesText2.default; /***/ }), /* 13 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); 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 SparklinesBars = function (_React$Component) { _inherits(SparklinesBars, _React$Component); function SparklinesBars() { _classCallCheck(this, SparklinesBars); return _possibleConstructorReturn(this, (SparklinesBars.__proto__ || Object.getPrototypeOf(SparklinesBars)).apply(this, arguments)); } _createClass(SparklinesBars, [{ key: 'render', value: function render() { var _this2 = this; var _props = this.props, points = _props.points, height = _props.height, style = _props.style, barWidth = _props.barWidth, onMouseMove = _props.onMouseMove; var strokeWidth = 1 * (style && style.strokeWidth || 0); var marginWidth = margin ? 2 * margin : 0; var width = barWidth || (points && points.length >= 2 ? Math.max(0, points[1].x - points[0].x - strokeWidth - marginWidth) : 0); return _react2.default.createElement( 'g', { transform: 'scale(1,-1)' }, points.map(function (p, i) { return _react2.default.createElement('rect', { key: i, x: p.x - (width + strokeWidth) / 2, y: -height, width: width, height: Math.max(0, height - p.y), style: style, onMouseMove: onMouseMove.bind(_this2, p) }); }) ); } }]); return SparklinesBars; }(_react2.default.Component); SparklinesBars.propTypes = { points: _propTypes2.default.arrayOf(_propTypes2.default.object), height: _propTypes2.default.number, style: _propTypes2.default.object, barWidth: _propTypes2.default.number, margin: _propTypes2.default.number, onMouseMove: _propTypes2.default.func }; SparklinesBars.defaultProps = { style: { fill: 'slategray' } }; exports.default = SparklinesBars; /***/ }), /* 14 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); 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 SparklinesCurve = function (_React$Component) { _inherits(SparklinesCurve, _React$Component); function SparklinesCurve() { _classCallCheck(this, SparklinesCurve); return _possibleConstructorReturn(this, (SparklinesCurve.__proto__ || Object.getPrototypeOf(SparklinesCurve)).apply(this, arguments)); } _createClass(SparklinesCurve, [{ key: 'render', value: function render() { var _props = this.props, points = _props.points, width = _props.width, height = _props.height, margin = _props.margin, color = _props.color, style = _props.style, _props$divisor = _props.divisor, divisor = _props$divisor === undefined ? 0.25 : _props$divisor; var prev = void 0; var curve = function curve(p) { var res = void 0; if (!prev) { res = [p.x, p.y]; } else { var len = (p.x - prev.x) * divisor; res = ["C", //x1 prev.x + len, //y1 prev.y, //x2, p.x - len, //y2, p.y, //x, p.x, //y p.y]; } prev = p; return res; }; var linePoints = points.map(function (p) { return curve(p); }).reduce(function (a, b) { return a.concat(b); }); var closePolyPoints = ["L" + points[points.length - 1].x, height - margin, margin, height - margin, margin, points[0].y]; var fillPoints = linePoints.concat(closePolyPoints); var lineStyle = { stroke: color || style.stroke || 'slategray', strokeWidth: style.strokeWidth || '1', strokeLinejoin: style.strokeLinejoin || 'round', strokeLinecap: style.strokeLinecap || 'round', fill: 'none' }; var fillStyle = { stroke: style.stroke || 'none', strokeWidth: '0', fillOpacity: style.fillOpacity || '.1', fill: style.fill || color || 'slategray' }; return _react2.default.createElement( 'g', null, _react2.default.createElement('path', { d: "M" + fillPoints.join(' '), style: fillStyle }), _react2.default.createElement('path', { d: "M" + linePoints.join(' '), style: lineStyle }) ); } }]); return SparklinesCurve; }(_react2.default.Component); SparklinesCurve.propTypes = { color: _propTypes2.default.string, style: _propTypes2.default.object }; SparklinesCurve.defaultProps = { style: {} }; exports.default = SparklinesCurve; /***/ }), /* 15 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); 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 SparklinesLine = function (_React$Component) { _inherits(SparklinesLine, _React$Component); function SparklinesLine() { _classCallCheck(this, SparklinesLine); return _possibleConstructorReturn(this, (SparklinesLine.__proto__ || Object.getPrototypeOf(SparklinesLine)).apply(this, arguments)); } _createClass(SparklinesLine, [{ key: 'render', value: function render() { var _props = this.props, data = _props.data, points = _props.points, width = _props.width, height = _props.height, margin = _props.margin, color = _props.color, style = _props.style, onMouseMove = _props.onMouseMove; var linePoints = points.map(function (p) { return [p.x, p.y]; }).reduce(function (a, b) { return a.concat(b); }); var closePolyPoints = [points[points.length - 1].x, height - margin, margin, height - margin, margin, points[0].y]; var fillPoints = linePoints.concat(closePolyPoints); var lineStyle = { stroke: color || style.stroke || 'slategray', strokeWidth: style.strokeWidth || '1', strokeLinejoin: style.strokeLinejoin || 'round', strokeLinecap: style.strokeLinecap || 'round', fill: 'none' }; var fillStyle = { stroke: style.stroke || 'none', strokeWidth: '0', fillOpacity: style.fillOpacity || '.1', fill: style.fill || color || 'slategray', pointerEvents: 'auto' }; var tooltips = points.map(function (p, i) { return _react2.default.createElement('circle', { cx: p.x, cy: p.y, r: 2, style: fillStyle, onMouseEnter: function onMouseEnter(e) { return onMouseMove('enter', data[i], p); }, onClick: function onClick(e) { return onMouseMove('click', data[i], p); } }); }); return _react2.default.createElement( 'g', null, tooltips, _react2.default.createElement('polyline', { points: fillPoints.join(' '), style: fillStyle }), _react2.default.createElement('polyline', { points: linePoints.join(' '), style: lineStyle }) ); } }]); return SparklinesLine; }(_react2.default.Component); SparklinesLine.propTypes = { color: _propTypes2.default.string, style: _propTypes2.default.object }; SparklinesLine.defaultProps = { style: {} }; exports.default = SparklinesLine; /***/ }), /* 16 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); var _mean = __webpack_require__(3); var _mean2 = _interopRequireDefault(_mean); var _stdev = __webpack_require__(9); var _stdev2 = _interopRequireDefault(_stdev); 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 SparklinesNormalBand = function (_React$Component) { _inherits(SparklinesNormalBand, _React$Component); function SparklinesNormalBand() { _classCallCheck(this, SparklinesNormalBand); return _possibleConstructorReturn(this, (SparklinesNormalBand.__proto__ || Object.getPrototypeOf(SparklinesNormalBand)).apply(this, arguments)); } _createClass(SparklinesNormalBand, [{ key: 'render', value: function render() { var _props = this.props, points = _props.points, margin = _props.margin, style = _props.style; var ypoints = points.map(function (p) { return p.y; }); var dataMean = (0, _mean2.default)(ypoints); var dataStdev = (0, _stdev2.default)(ypoints); return _react2.default.createElement('rect', { x: points[0].x, y: dataMean - dataStdev + margin, width: points[points.length - 1].x - points[0].x, height: _stdev2.default * 2, style: style }); } }]); return SparklinesNormalBand; }(_react2.default.Component); SparklinesNormalBand.propTypes = { style: _propTypes2.default.object }; SparklinesNormalBand.defaultProps = { style: { fill: 'red', fillOpacity: .1 } }; exports.default = SparklinesNormalBand; /***/ }), /* 17 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); var _dataProcessing = __webpack_require__(21); var dataProcessing = _interopRequireWildcard(_dataProcessing); function _interopRequireWildcard(obj) { if (obj && obj.__esModule) { return obj; } else { var newObj = {}; if (obj != null) { for (var key in obj) { if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key]; } } newObj.default = obj; return newObj; } } 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 SparklinesReferenceLine = function (_React$Component) { _inherits(SparklinesReferenceLine, _React$Component); function SparklinesReferenceLine() { _classCallCheck(this, SparklinesReferenceLine); return _possibleConstructorReturn(this, (SparklinesReferenceLine.__proto__ || Object.getPrototypeOf(SparklinesReferenceLine)).apply(this, arguments)); } _createClass(SparklinesReferenceLine, [{ key: 'render', value: function render() { var _props = this.props, points = _props.points, margin = _props.margin, type = _props.type, style = _props.style, value = _props.value; var ypoints = points.map(function (p) { return p.y; }); var y = type == 'custom' ? value : dataProcessing[type](ypoints); return _react2.default.createElement('line', { x1: points[0].x, y1: y + margin, x2: points[points.length - 1].x, y2: y + margin, style: style }); } }]); return SparklinesReferenceLine; }(_react2.default.Component); SparklinesReferenceLine.propTypes = { type: _propTypes2.default.oneOf(['max', 'min', 'mean', 'avg', 'median', 'custom']), value: _propTypes2.default.number, style: _propTypes2.default.object }; SparklinesReferenceLine.defaultProps = { type: 'mean', style: { stroke: 'red', strokeOpacity: .75, strokeDasharray: '2, 2' } }; exports.default = SparklinesReferenceLine; /***/ }), /* 18 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); 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 SparklinesSpots = function (_React$Component) { _inherits(SparklinesSpots, _React$Component); function SparklinesSpots() { _classCallCheck(this, SparklinesSpots); return _possibleConstructorReturn(this, (SparklinesSpots.__proto__ || Object.getPrototypeOf(SparklinesSpots)).apply(this, arguments)); } _createClass(SparklinesSpots, [{ key: 'lastDirection', value: function lastDirection(points) { Math.sign = Math.sign || function (x) { return x > 0 ? 1 : -1; }; return points.length < 2 ? 0 : Math.sign(points[points.length - 2].y - points[points.length - 1].y); } }, { key: 'render', value: function render() { var _props = this.props, points = _props.points, width = _props.width, height = _props.height, size = _props.size, style = _props.style, spotColors = _props.spotColors; var startSpot = _react2.default.createElement('circle', { cx: points[0].x, cy: points[0].y, r: size, style: style }); var endSpot = _react2.default.createElement('circle', { cx: points[points.length - 1].x, cy: points[points.length - 1].y, r: size, style: style || { fill: spotColors[this.lastDirection(points)] } }); return _react2.default.createElement( 'g', null, style && startSpot, endSpot ); } }]); return SparklinesSpots; }(_react2.default.Component); SparklinesSpots.propTypes = { size: _propTypes2.default.number, style: _propTypes2.default.object, spotColors: _propTypes2.default.object }; SparklinesSpots.defaultProps = { size: 2, spotColors: { '-1': 'red', '0': 'black', '1': 'green' } }; exports.default = SparklinesSpots; /***/ }), /* 19 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }(); var _propTypes = __webpack_require__(0); var _propTypes2 = _interopRequireDefault(_propTypes); var _react = __webpack_require__(1); var _react2 = _interopRequireDefault(_react); 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 SparklinesText = function (_React$Component) { _inherits(SparklinesText, _React$Component); function SparklinesText() { _classCallCheck(this, SparklinesText); return _possibleConstructorReturn(this, (SparklinesText.__proto__ || Object.getPrototypeOf(SparklinesText)).apply(this, arguments)); } _createClass(SparklinesText, [{ key: 'render', value: function render() { var _props = this.props, point = _props.point, text = _props.text, fontSize = _props.fontSize, fontFamily = _props.fontFamily; var x = point.x, y = point.y; return _react2.default.createElement( 'g', null, _react2.default.createElement( 'text', { x: x, y: y, fontFamily: fontFamily || "Verdana", fontSize: fontSize || 10 }, text ) ); } }]); return SparklinesText; }(_react2.default.Component); SparklinesText.propTypes = { text: _propTypes2.default.string, point: _propTypes2.default.object, fontSize: _propTypes2.default.number, fontFamily: _propTypes2.default.string }; SparklinesText.defaultProps = { text: '', point: { x: 0, y: 0 } }; exports.default = SparklinesText; /***/ }), /* 20 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _min = __webpack_require__(4); var _min2 = _interopRequireDefault(_min); var _max = __webpack_require__(8); var _max2 = _interopRequireDefault(_max); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = function (_ref) { var data = _ref.data, limit = _ref.limit, _ref$width = _ref.width, width = _ref$width === undefined ? 1 : _ref$width, _ref$height = _ref.height, height = _ref$height === undefined ? 1 : _ref$height, _ref$margin = _ref.margin, margin = _ref$margin === undefined ? 0 : _ref$margin, _ref$max = _ref.max, max = _ref$max === undefined ? (0, _max2.default)(data) : _ref$max, _ref$min = _ref.min, min = _ref$min === undefined ? (0, _min2.default)(data) : _ref$min; var len = data.length; if (limit && limit < len) { data = data.slice(len - limit); } var vfactor = (height - margin * 2) / (max - min || 2); var hfactor = (width - margin * 2) / ((limit || len) - (len > 1 ? 1 : 0)); return data.map(function (d, i) { return { x: i * hfactor + margin, y: (max === min ? 1 : max - d) * vfactor + margin }; }); }; /***/ }), /* 21 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.variance = exports.stdev = exports.median = exports.midRange = exports.avg = exports.mean = exports.max = exports.min = undefined; var _min2 = __webpack_require__(4); var _min3 = _interopRequireDefault(_min2); var _mean2 = __webpack_require__(3); var _mean3 = _interopRequireDefault(_mean2); var _midRange2 = __webpack_require__(23); var _midRange3 = _interopRequireDefault(_midRange2); var _median2 = __webpack_require__(22); var _median3 = _interopRequireDefault(_median2); var _stdev2 = __webpack_require__(9); var _stdev3 = _interopRequireDefault(_stdev2); var _variance2 = __webpack_require__(24); var _variance3 = _interopRequireDefault(_variance2); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.min = _min3.default; exports.max = _min3.default; exports.mean = _mean3.default; exports.avg = _mean3.default; exports.midRange = _midRange3.default; exports.median = _median3.default; exports.stdev = _stdev3.default; exports.variance = _variance3.default; /***/ }), /* 22 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); exports.default = function (data) { return data.sort(function (a, b) { return a - b; })[Math.floor(data.length / 2)]; }; /***/ }), /* 23 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _min = __webpack_require__(4); var _min2 = _interopRequireDefault(_min); var _max = __webpack_require__(8); var _max2 = _interopRequireDefault(_max); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = function (data) { return (0, _max2.default)(data) - (0, _min2.default)(data) / 2; }; /***/ }), /* 24 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; Object.defineProperty(exports, "__esModule", { value: true }); var _mean = __webpack_require__(3); var _mean2 = _interopRequireDefault(_mean); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } exports.default = function (data) { var dataMean = (0, _mean2.default)(data); var sq = data.map(function (n) { return Math.pow(n - dataMean, 2); }); return (0, _mean2.default)(sq); }; /***/ }), /* 25 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Copyright (c) 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * * @typechecks * */ /*eslint-disable no-self-compare */ var hasOwnProperty = Object.prototype.hasOwnProperty; /** * inlined Object.is polyfill to avoid requiring consumers ship their own * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is */ function is(x, y) { // SameValue algorithm if (x === y) { // Steps 1-5, 7-10 // Steps 6.b-6.e: +0 != -0 // Added the nonzero y check to make Flow happy, but it is redundant return x !== 0 || y !== 0 || 1 / x === 1 / y; } else { // Step 6.a: NaN == NaN return x !== x && y !== y; } } /** * Performs equality by iterating through keys on an object and returning false * when any key has values which are not strictly equal between the arguments. * Returns true when the values of all keys are strictly equal. */ function shallowEqual(objA, objB) { if (is(objA, objB)) { return true; } if (typeof objA !== 'object' || objA === null || typeof objB !== 'object' || objB === null) { return false; } var keysA = Object.keys(objA); var keysB = Object.keys(objB); if (keysA.length !== keysB.length) { return false; } // Test for A's keys different from B. for (var i = 0; i < keysA.length; i++) { if (!hasOwnProperty.call(objB, keysA[i]) || !is(objA[keysA[i]], objB[keysA[i]])) { return false; } } return true; } module.exports = shallowEqual; /***/ }), /* 26 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) {/** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ if (process.env.NODE_ENV !== 'production') { var invariant = __webpack_require__(7); var warning = __webpack_require__(10); var ReactPropTypesSecret = __webpack_require__(5); var loggedTypeFailures = {}; } /** * Assert that the values match with the type specs. * Error messages are memorized and will only be shown once. * * @param {object} typeSpecs Map of name to a ReactPropType * @param {object} values Runtime values that need to be type-checked * @param {string} location e.g. "prop", "context", "child context" * @param {string} componentName Name of the component for error messages. * @param {?Function} getStack Returns the component stack. * @private */ function checkPropTypes(typeSpecs, values, location, componentName, getStack) { if (process.env.NODE_ENV !== 'production') { for (var typeSpecName in typeSpecs) { if (typeSpecs.hasOwnProperty(typeSpecName)) { var error; // 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. invariant(typeof typeSpecs[typeSpecName] === 'function', '%s: %s type `%s` is invalid; it must be a function, usually from ' + 'React.PropTypes.', componentName || 'React class', location, typeSpecName); error = typeSpecs[typeSpecName](values, typeSpecName, componentName, location, null, ReactPropTypesSecret); } catch (ex) { error = ex; } warning(!error || error instanceof 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); if (error instanceof Error && !(error.message in loggedTypeFailures)) { // Only monitor this failure once because there tends to be a lot of the // same error. loggedTypeFailures[error.message] = true; var stack = getStack ? getStack() : ''; warning(false, 'Failed %s type: %s%s', location, error.message, stack != null ? stack : ''); } } } } } module.exports = checkPropTypes; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(2))) /***/ }), /* 27 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ var emptyFunction = __webpack_require__(6); var invariant = __webpack_require__(7); var ReactPropTypesSecret = __webpack_require__(5); module.exports = function() { function shim(props, propName, componentName, location, propFullName, secret) { if (secret === ReactPropTypesSecret) { // It is still safe when called from React. return; } invariant( false, 'Calling PropTypes validators directly is not supported by the `prop-types` package. ' + 'Use PropTypes.checkPropTypes() to call them. ' + 'Read more at http://fb.me/use-check-prop-types' ); }; shim.isRequired = shim; function getShim() { return shim; }; // Important! // Keep this list in sync with production version in `./factoryWithTypeCheckers.js`. var ReactPropTypes = { array: shim, bool: shim, func: shim, number: shim, object: shim, string: shim, symbol: shim, any: shim, arrayOf: getShim, element: shim, instanceOf: getShim, node: shim, objectOf: getShim, oneOf: getShim, oneOfType: getShim, shape: getShim }; ReactPropTypes.checkPropTypes = emptyFunction; ReactPropTypes.PropTypes = ReactPropTypes; return ReactPropTypes; }; /***/ }), /* 28 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /* WEBPACK VAR INJECTION */(function(process) {/** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. */ var emptyFunction = __webpack_require__(6); var invariant = __webpack_require__(7); var warning = __webpack_require__(10); var ReactPropTypesSecret = __webpack_require__(5); var checkPropTypes = __webpack_require__(26); module.exports = function(isValidElement, throwOnDirectAccess) { /* global Symbol */ var ITERATOR_SYMBOL = typeof Symbol === 'function' && Symbol.iterator; var FAUX_ITERATOR_SYMBOL = '@@iterator'; // Before Symbol spec. /** * Returns the iterator method function contained on the iterable object. * * Be sure to invoke the function with the iterable as context: * * var iteratorFn = getIteratorFn(myIterable); * if (iteratorFn) { * var iterator = iteratorFn.call(myIterable); * ... * } * * @param {?object} maybeIterable * @return {?function} */ function getIteratorFn(maybeIterable) { var iteratorFn = maybeIterable && (ITERATOR_SYMBOL && maybeIterable[ITERATOR_SYMBOL] || maybeIterable[FAUX_ITERATOR_SYMBOL]); if (typeof iteratorFn === 'function') { return iteratorFn; } } /** * Collection of methods that allow declaration and validation of props that are * supplied to React components. Example usage: * * var Props = require('ReactPropTypes'); * var MyArticle = React.createClass({ * propTypes: { * // An optional string prop named "description". * description: Props.string, * * // A required enum prop named "category". * category: Props.oneOf(['News','Photos']).isRequired, * * // A prop named "dialog" that requires an instance of Dialog. * dialog: Props.instanceOf(Dialog).isRequired * }, * render: function() { ... } * }); * * A more formal specification of how these methods are used: * * type := array|bool|func|object|number|string|oneOf([...])|instanceOf(...) * decl := ReactPropTypes.{type}(.isRequired)? * * Each and every declaration produces a function with the same signature. This * allows the creation of custom validation functions. For example: * * var MyLink = React.createClass({ * propTypes: { * // An optional string or URI prop named "href". * href: function(props, propName, componentName) { * var propValue = props[propName]; * if (propValue != null && typeof propValue !== 'string' && * !(propValue instanceof URI)) { * return new Error( * 'Expected a string or an URI for ' + propName + ' in ' + * componentName * ); * } * } * }, * render: function() {...} * }); * * @internal */ var ANONYMOUS = '<>'; // Important! // Keep this list in sync with production version in `./factoryWithThrowingShims.js`. var ReactPropTypes = { array: createPrimitiveTypeChecker('array'), bool: createPrimitiveTypeChecker('boolean'), func: createPrimitiveTypeChecker('function'), number: createPrimitiveTypeChecker('number'), object: createPrimitiveTypeChecker('object'), string: createPrimitiveTypeChecker('string'), symbol: createPrimitiveTypeChecker('symbol'), any: createAnyTypeChecker(), arrayOf: createArrayOfTypeChecker, element: createElementTypeChecker(), instanceOf: createInstanceTypeChecker, node: createNodeChecker(), objectOf: createObjectOfTypeChecker, oneOf: createEnumTypeChecker, oneOfType: createUnionTypeChecker, shape: createShapeTypeChecker }; /** * inlined Object.is polyfill to avoid requiring consumers ship their own * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is */ /*eslint-disable no-self-compare*/ function is(x, y) { // SameValue algorithm if (x === y) { // Steps 1-5, 7-10 // Steps 6.b-6.e: +0 != -0 return x !== 0 || 1 / x === 1 / y; } else { // Step 6.a: NaN == NaN return x !== x && y !== y; } } /*eslint-enable no-self-compare*/ /** * We use an Error-like object for backward compatibility as people may call * PropTypes directly and inspect their output. However, we don't use real * Errors anymore. We don't inspect their stack anyway, and creating them * is prohibitively expensive if they are created too often, such as what * happens in oneOfType() for any type before the one that matched. */ function PropTypeError(message) { this.message = message; this.stack = ''; } // Make `instanceof Error` still work for returned errors. PropTypeError.prototype = Error.prototype; function createChainableTypeChecker(validate) { if (process.env.NODE_ENV !== 'production') { var manualPropTypeCallCache = {}; var manualPropTypeWarningCount = 0; } function checkType(isRequired, props, propName, componentName, location, propFullName, secret) { componentName = componentName || ANONYMOUS; propFullName = propFullName || propName; if (secret !== ReactPropTypesSecret) { if (throwOnDirectAccess) { // New behavior only for users of `prop-types` package invariant( false, 'Calling PropTypes validators directly is not supported by the `prop-types` package. ' + 'Use `PropTypes.checkPropTypes()` to call them. ' + 'Read more at http://fb.me/use-check-prop-types' ); } else if (process.env.NODE_ENV !== 'production' && typeof console !== 'undefined') { // Old behavior for people using React.PropTypes var cacheKey = componentName + ':' + propName; if ( !manualPropTypeCallCache[cacheKey] && // Avoid spamming the console because they are often not actionable except for lib authors manualPropTypeWarningCount < 3 ) { warning( false, 'You are manually calling a React.PropTypes validation ' + 'function for the `%s` prop on `%s`. This is deprecated ' + 'and will throw in the standalone `prop-types` package. ' + 'You may be seeing this warning due to a third-party PropTypes ' + 'library. See https://fb.me/react-warning-dont-call-proptypes ' + 'for details.', propFullName, componentName ); manualPropTypeCallCache[cacheKey] = true; manualPropTypeWarningCount++; } } } if (props[propName] == null) { if (isRequired) { if (props[propName] === null) { return new PropTypeError('The ' + location + ' `' + propFullName + '` is marked as required ' + ('in `' + componentName + '`, but its value is `null`.')); } return new PropTypeError('The ' + location + ' `' + propFullName + '` is marked as required in ' + ('`' + componentName + '`, but its value is `undefined`.')); } return null; } else { return validate(props, propName, componentName, location, propFullName); } } var chainedCheckType = checkType.bind(null, false); chainedCheckType.isRequired = checkType.bind(null, true); return chainedCheckType; } function createPrimitiveTypeChecker(expectedType) { function validate(props, propName, componentName, location, propFullName, secret) { var propValue = props[propName]; var propType = getPropType(propValue); if (propType !== expectedType) { // `propValue` being instance of, say, date/regexp, pass the 'object' // check, but we can offer a more precise error message here rather than // 'of type `object`'. var preciseType = getPreciseType(propValue); return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + preciseType + '` supplied to `' + componentName + '`, expected ') + ('`' + expectedType + '`.')); } return null; } return createChainableTypeChecker(validate); } function createAnyTypeChecker() { return createChainableTypeChecker(emptyFunction.thatReturnsNull); } function createArrayOfTypeChecker(typeChecker) { function validate(props, propName, componentName, location, propFullName) { if (typeof typeChecker !== 'function') { return new PropTypeError('Property `' + propFullName + '` of component `' + componentName + '` has invalid PropType notation inside arrayOf.'); } var propValue = props[propName]; if (!Array.isArray(propValue)) { var propType = getPropType(propValue); return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an array.')); } for (var i = 0; i < propValue.length; i++) { var error = typeChecker(propValue, i, componentName, location, propFullName + '[' + i + ']', ReactPropTypesSecret); if (error instanceof Error) { return error; } } return null; } return createChainableTypeChecker(validate); } function createElementTypeChecker() { function validate(props, propName, componentName, location, propFullName) { var propValue = props[propName]; if (!isValidElement(propValue)) { var propType = getPropType(propValue); return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected a single ReactElement.')); } return null; } return createChainableTypeChecker(validate); } function createInstanceTypeChecker(expectedClass) { function validate(props, propName, componentName, location, propFullName) { if (!(props[propName] instanceof expectedClass)) { var expectedClassName = expectedClass.name || ANONYMOUS; var actualClassName = getClassName(props[propName]); return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + actualClassName + '` supplied to `' + componentName + '`, expected ') + ('instance of `' + expectedClassName + '`.')); } return null; } return createChainableTypeChecker(validate); } function createEnumTypeChecker(expectedValues) { if (!Array.isArray(expectedValues)) { process.env.NODE_ENV !== 'production' ? warning(false, 'Invalid argument supplied to oneOf, expected an instance of array.') : void 0; return emptyFunction.thatReturnsNull; } function validate(props, propName, componentName, location, propFullName) { var propValue = props[propName]; for (var i = 0; i < expectedValues.length; i++) { if (is(propValue, expectedValues[i])) { return null; } } var valuesString = JSON.stringify(expectedValues); return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of value `' + propValue + '` ' + ('supplied to `' + componentName + '`, expected one of ' + valuesString + '.')); } return createChainableTypeChecker(validate); } function createObjectOfTypeChecker(typeChecker) { function validate(props, propName, componentName, location, propFullName) { if (typeof typeChecker !== 'function') { return new PropTypeError('Property `' + propFullName + '` of component `' + componentName + '` has invalid PropType notation inside objectOf.'); } var propValue = props[propName]; var propType = getPropType(propValue); if (propType !== 'object') { return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type ' + ('`' + propType + '` supplied to `' + componentName + '`, expected an object.')); } for (var key in propValue) { if (propValue.hasOwnProperty(key)) { var error = typeChecker(propValue, key, componentName, location, propFullName + '.' + key, ReactPropTypesSecret); if (error instanceof Error) { return error; } } } return null; } return createChainableTypeChecker(validate); } function createUnionTypeChecker(arrayOfTypeCheckers) { if (!Array.isArray(arrayOfTypeCheckers)) { process.env.NODE_ENV !== 'production' ? warning(false, 'Invalid argument supplied to oneOfType, expected an instance of array.') : void 0; return emptyFunction.thatReturnsNull; } for (var i = 0; i < arrayOfTypeCheckers.length; i++) { var checker = arrayOfTypeCheckers[i]; if (typeof checker !== 'function') { warning( false, 'Invalid argument supplid to oneOfType. Expected an array of check functions, but ' + 'received %s at index %s.', getPostfixForTypeWarning(checker), i ); return emptyFunction.thatReturnsNull; } } function validate(props, propName, componentName, location, propFullName) { for (var i = 0; i < arrayOfTypeCheckers.length; i++) { var checker = arrayOfTypeCheckers[i]; if (checker(props, propName, componentName, location, propFullName, ReactPropTypesSecret) == null) { return null; } } return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`.')); } return createChainableTypeChecker(validate); } function createNodeChecker() { function validate(props, propName, componentName, location, propFullName) { if (!isNode(props[propName])) { return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` supplied to ' + ('`' + componentName + '`, expected a ReactNode.')); } return null; } return createChainableTypeChecker(validate); } function createShapeTypeChecker(shapeTypes) { function validate(props, propName, componentName, location, propFullName) { var propValue = props[propName]; var propType = getPropType(propValue); if (propType !== 'object') { return new PropTypeError('Invalid ' + location + ' `' + propFullName + '` of type `' + propType + '` ' + ('supplied to `' + componentName + '`, expected `object`.')); } for (var key in shapeTypes) { var checker = shapeTypes[key]; if (!checker) { continue; } var error = checker(propValue, key, componentName, location, propFullName + '.' + key, ReactPropTypesSecret); if (error) { return error; } } return null; } return createChainableTypeChecker(validate); } function isNode(propValue) { switch (typeof propValue) { case 'number': case 'string': case 'undefined': return true; case 'boolean': return !propValue; case 'object': if (Array.isArray(propValue)) { return propValue.every(isNode); } if (propValue === null || isValidElement(propValue)) { return true; } var iteratorFn = getIteratorFn(propValue); if (iteratorFn) { var iterator = iteratorFn.call(propValue); var step; if (iteratorFn !== propValue.entries) { while (!(step = iterator.next()).done) { if (!isNode(step.value)) { return false; } } } else { // Iterator will provide entry [k,v] tuples rather than values. while (!(step = iterator.next()).done) { var entry = step.value; if (entry) { if (!isNode(entry[1])) { return false; } } } } } else { return false; } return true; default: return false; } } function isSymbol(propType, propValue) { // Native Symbol. if (propType === 'symbol') { return true; } // 19.4.3.5 Symbol.prototype[@@toStringTag] === 'Symbol' if (propValue['@@toStringTag'] === 'Symbol') { return true; } // Fallback for non-spec compliant Symbols which are polyfilled. if (typeof Symbol === 'function' && propValue instanceof Symbol) { return true; } return false; } // Equivalent of `typeof` but with special handling for array and regexp. function getPropType(propValue) { var propType = typeof propValue; if (Array.isArray(propValue)) { return 'array'; } if (propValue instanceof RegExp) { // Old webkits (at least until Android 4.0) return 'function' rather than // 'object' for typeof a RegExp. We'll normalize this here so that /bla/ // passes PropTypes.object. return 'object'; } if (isSymbol(propType, propValue)) { return 'symbol'; } return propType; } // This handles more types than `getPropType`. Only used for error messages. // See `createPrimitiveTypeChecker`. function getPreciseType(propValue) { if (typeof propValue === 'undefined' || propValue === null) { return '' + propValue; } var propType = getPropType(propValue); if (propType === 'object') { if (propValue instanceof Date) { return 'date'; } else if (propValue instanceof RegExp) { return 'regexp'; } } return propType; } // Returns a string that is postfixed to a warning about an invalid type. // For example, "undefined" or "of type array" function getPostfixForTypeWarning(value) { var type = getPreciseType(value); switch (type) { case 'array': case 'object': return 'an ' + type; case 'boolean': case 'date': case 'regexp': return 'a ' + type; default: return type; } } // Returns class name of the object, if any. function getClassName(propValue) { if (!propValue.constructor || !propValue.constructor.name) { return ANONYMOUS; } return propValue.constructor.name; } ReactPropTypes.checkPropTypes = checkPropTypes; ReactPropTypes.PropTypes = ReactPropTypes; return ReactPropTypes; }; /* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(2))) /***/ }), /* 29 */ /***/ (function(module, exports, __webpack_require__) { module.exports = __webpack_require__(30); /***/ }), /* 30 */ /***/ (function(module, exports, __webpack_require__) { "use strict"; /** * Copyright 2013-present, Facebook, Inc. * All rights reserved. * * This source code is licensed under the BSD-style license found in the * LICENSE file in the root directory of this source tree. An additional grant * of patent rights can be found in the PATENTS file in the same directory. * */ var shallowEqual = __webpack_require__(25); /** * Does a shallow comparison for props and state. * See ReactComponentWithPureRenderMixin * See also https://facebook.github.io/react/docs/shallow-compare.html */ function shallowCompare(instance, nextProps, nextState) { return !shallowEqual(instance.props, nextProps) || !shallowEqual(instance.state, nextState); } module.exports = shallowCompare; /***/ }), /* 31 */ /***/ (function(module, exports, __webpack_require__) { module.exports = __webpack_require__(11); /***/ }) /******/ ]); }); ================================================ FILE: demo/demo.js ================================================ import React, { Component } from 'react'; import ReactDOM from 'react-dom'; import { Sparklines, SparklinesBars, SparklinesLine, SparklinesCurve, SparklinesNormalBand, SparklinesReferenceLine, SparklinesSpots } from '../src/Sparklines'; function boxMullerRandom () { let phase = false, x1, x2, w, z; return (function() { if (phase = !phase) { do { x1 = 2.0 * Math.random() - 1.0; x2 = 2.0 * Math.random() - 1.0; w = x1 * x1 + x2 * x2; } while (w >= 1.0); w = Math.sqrt((-2.0 * Math.log(w)) / w); return x1 * w; } else { return x2 * w; } })(); } function randomData(n = 30) { return Array.apply(0, Array(n)).map(boxMullerRandom); } const sampleData = randomData(30); const sampleData100 = randomData(100); const Header = () => const Simple = () => const SimpleCurve = () => const Customizable1 = () => const Customizable2 = () => const Customizable3 = () => const Customizable4 = () => const Customizable5 = () => const Customizable6 = () => const Bounds1 = () => const Spots1 = () => const Spots2 = () => const Spots3 = () => const Bars1 = () => const Bars2 = () => class Dynamic1 extends Component { constructor(props) { super(props); this.state = { data: [] }; setInterval(() => this.setState({ data: this.state.data.concat([boxMullerRandom()]) }), 100); } render() { return ( ); } } class Dynamic2 extends Component { constructor(props) { super(props); this.state = { data: [] }; setInterval(() => this.setState({ data: this.state.data.concat([boxMullerRandom()]) }), 100); } render() { return ( ); } } class Dynamic3 extends Component { constructor(props) { super(props); this.state = { data: [] }; setInterval(() => this.setState({ data: this.state.data.concat([boxMullerRandom()]) }), 100); } render() { return ( ); } } class Dynamic4 extends React.Component { constructor(props) { super(props); this.state = { data: [] }; setInterval(() => this.setState({ data: this.state.data.concat([boxMullerRandom()]) }), 100); } render() { return ( ); } } const ReferenceLine1 = () => const ReferenceLine2 = () => const ReferenceLine3 = () => const ReferenceLine4 = () => const ReferenceLine5 = () => const ReferenceLine6 = () => const NormalBand1 = () => const NormalBand2 = () => const RealWorld1 = () => const RealWorld2 = () => const RealWorld3 = () => const RealWorld4 = () => const RealWorld5 = () => const RealWorld6 = () => const RealWorld7 = () => const RealWorld8 = () => const RealWorld9 = () => const demos = { 'headersparklines': Header, 'simple': Simple, 'simpleCurve': SimpleCurve, 'customizable1': Customizable1, 'customizable2': Customizable2, 'customizable3': Customizable3, 'customizable4': Customizable4, 'customizable5': Customizable5, 'customizable6': Customizable6, 'spots1': Spots1, 'spots2': Spots2, 'spots3': Spots3, 'bounds1': Bounds1, 'bars1': Bars1, 'bars2': Bars2, 'dynamic1': Dynamic1, 'dynamic2': Dynamic2, 'dynamic3': Dynamic3, 'dynamic4': Dynamic4, 'referenceline1': ReferenceLine1, 'referenceline2': ReferenceLine2, 'referenceline3': ReferenceLine3, 'referenceline4': ReferenceLine4, 'referenceline5': ReferenceLine5, 'referenceline6': ReferenceLine6, 'normalband1': NormalBand1, 'normalband2': NormalBand2, 'realworld1': RealWorld1, 'realworld2': RealWorld2, 'realworld3': RealWorld3, 'realworld4': RealWorld4, 'realworld5': RealWorld5, 'realworld6': RealWorld6, 'realworld7': RealWorld7, 'realworld8': RealWorld8, 'realworld9': RealWorld9 }; for (let d in demos) { ReactDOM.render(React.createElement(demos[d]), document.getElementById(d)); } ================================================ FILE: demo/index.html ================================================

React Sparklines

Beautiful and expressive sparklines component for React View on GitHub

npm install react-sparklines

Simple


<Sparklines data={sampleData}>
    <SparklinesLine />
</Sparklines>
            

Simple Curve


<Sparklines data={sampleData}>
    <SparklinesCurve />
</Sparklines>
            

Customizable


<Sparklines data={sampleData}>
    <SparklinesLine color="#253e56" />
</Sparklines>
            

Spots


<Sparklines data={sampleData}>
    <SparklinesLine style={{ fill: "none" }} />
    <SparklinesSpots />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine color="#56b45d" />
    <SparklinesSpots style={{ fill: "#56b45d" }} />
</Sparklines>
            

<Sparklines data={sampleData} margin={6}>
    <SparklinesLine style={{ strokeWidth: 3, stroke: "#336aff", fill: "none" }} />
    <SparklinesSpots size={4}
        style={{ stroke: "#336aff", strokeWidth: 3, fill: "white" }} />
</Sparklines>
            

Bounds


<Sparklines data={sampleData} max={0.5}>
    <SparklinesLine />
</Sparklines>
            

Bars


<Sparklines data={sampleData}>
    <SparklinesBars style={{ fill: "#41c3f9" }} />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesBars style={{ stroke: "white", fill: "#41c3f9", fillOpacity: ".25" }} />
    <SparklinesLine style={{ stroke: "#41c3f9", fill: "none" }} />
</Sparklines>
            

Dynamic


<Sparklines data={this.state.data} limit={20}>
    <SparklinesLine color="#1c8cdc" />
    <SparklinesSpots />
</Sparklines>
            

<Sparklines data={this.state.data} limit={20}>
    <SparklinesBars style={{ fill: "#41c3f9", fillOpacity: ".25" }} />
    <SparklinesLine style={{ stroke: "#41c3f9", fill: "none" }} />
</Sparklines>
            

<Sparklines data={this.state.data} limit={20}>
    <SparklinesLine style={{ stroke: "none", fill: "#8e44af", fillOpacity: "1" }}/>
</Sparklines>
            

<Sparklines data={this.state.data} limit={10} >
    <SparklinesBars color="#0a83d8" />
</Sparklines>
            

Reference Line


<Sparklines data={sampleData}>
    <SparklinesLine />
    <SparklinesReferenceLine type="max" />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine />
    <SparklinesReferenceLine type="min" />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine />
    <SparklinesReferenceLine type="mean" />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine />
    <SparklinesReferenceLine type="avg" />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine />
    <SparklinesReferenceLine type="median" />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesBars style={{ fill: 'slategray', fillOpacity: ".5" }} />
    <SparklinesReferenceLine />
</Sparklines>
            

Normal Band


<Sparklines data={sampleData}>
    <SparklinesLine style={{ fill: "none" }}/>
    <SparklinesNormalBand />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesLine style={{ fill: "none" }}/>
    <SparklinesNormalBand />
    <SparklinesReferenceLine type="mean" />
</Sparklines>
            

Real world examples


<Sparklines data={sampleData}>
    <SparklinesLine style={{ strokeWidth: 3, stroke: "#336aff", fill: "none" }} />
</Sparklines>
            

<Sparklines data={sampleData100} svgWidth={200}>
    <SparklinesLine style={{ stroke: "#2991c8", fill: "none"}} />
    <SparklinesSpots />
    <SparklinesNormalBand style={{ fill: "#2991c8", fillOpacity: .1 }} />
</Sparklines>
            

<Sparklines data={sampleData100}>
    <SparklinesLine style={{ stroke: "black", fill: "none" }} />
    <SparklinesSpots style={{ fill: "orange" }} />
</Sparklines>
            

<Sparklines data={sampleData}>
    <SparklinesBars style={{ stroke: "white", strokeWidth: "1", fill: "#40c0f5" }} />
</Sparklines>
            

<Sparklines data={sampleData} height={80}>
    <SparklinesLine style={{ stroke: "#8ed53f", strokeWidth: "1", fill: "none" }} />
</Sparklines>
            

<Sparklines data={sampleData} height={80}>
    <SparklinesLine style={{ stroke: "#d1192e", strokeWidth: "1", fill: "none" }} />
</Sparklines>
            

<Sparklines data={sampleData} height={40}>
    <SparklinesLine style={{ stroke: "#559500", fill: "#8fc638", fillOpacity: "1" }} />
</Sparklines>
            

<Sparklines data={sampleData} style={{background: "#272727"}} margin={10} height={40}>
    <SparklinesLine style={{ stroke: "none", fill: "#d2673a", fillOpacity: ".5" }} />
</Sparklines>
            

<Sparklines data={sampleData} style={{background: "#00bdcc"}} margin={10} height={40}>
    <SparklinesLine style={{ stroke: "white", fill: "none" }} />
    <SparklinesReferenceLine
        style={{ stroke: 'white', strokeOpacity: .75, strokeDasharray: '2, 2' }} />
</Sparklines>
            
================================================ FILE: demo/webpack.config.js ================================================ var path = require('path'); var webpack = require('webpack') module.exports = { cache: true, entry: './demo.js', output: { path: __dirname, publicPath: '/', filename: 'demo.build.js', }, module: { loaders: [{ test: /\.jsx?$/, exclude: /(node_modules)/, loader: 'babel-loader' }] }, plugins: [] }; ================================================ FILE: index.js ================================================ module.exports = require('./src/Sparklines.js'); ================================================ FILE: package.json ================================================ { "name": "react-sparklines", "version": "1.7.0", "description": "Beautiful and expressive Sparklines component for React ", "main": "build/index.js", "directories": { "src": "src/" }, "scripts": { "start": "cd demo && webpack-dev-server --progress", "test": "mocha --compilers js:babel-core/register __tests__", "test:watch": "mocha --compilers js:babel-core/register --watch __tests__", "compile": "webpack", "prepublish": "npm run compile", "test:bootstrap": "node -r babel-core/register bootstrap-tests.js" }, "repository": { "type": "git", "url": "git+https://github.com/borisyankov/react-sparklines.git" }, "keywords": [ "react", "component", "react-component", "charts", "sparklines", "visualization", "jsx" ], "author": "Boris Yankov (https://github.com/borisyankov)", "license": "MIT", "bugs": { "url": "https://github.com/borisyankov/react-sparklines/issues" }, "homepage": "https://github.com/borisyankov/react-sparklines#readme", "devDependencies": { "babel": "^6.5.2", "babel-core": "^6.8.0", "babel-loader": "7.1.1", "babel-plugin-transform-object-assign": "^6.8.0", "babel-preset-es2015": "^6.6.0", "babel-preset-react": "^6.5.0", "babel-preset-stage-1": "^6.5.0", "babel-runtime": "^6.6.1", "chai": "^4.1.0", "enzyme": "^2.2.0", "hiff": "^0.3.0", "line-by-line": "^0.1.4", "mocha": "^3.2.0", "react": "^15.0.2", "react-addons-test-utils": "^15.0.2", "react-dom": "^15.0.2", "react-element-to-jsx-string": "11.0.1", "replaceall": "^0.1.6", "webpack": "^3.4.1", "webpack-dev-server": "^2.2.0" }, "peerDependencies": { "react": "*", "react-dom": "*" }, "dependencies": { "prop-types": "^15.5.10" } } ================================================ FILE: src/Sparklines.js ================================================ import PropTypes from 'prop-types'; import React, { PureComponent} from 'react'; import SparklinesText from './SparklinesText'; import SparklinesLine from './SparklinesLine'; import SparklinesCurve from './SparklinesCurve'; import SparklinesBars from './SparklinesBars'; import SparklinesSpots from './SparklinesSpots'; import SparklinesReferenceLine from './SparklinesReferenceLine'; import SparklinesNormalBand from './SparklinesNormalBand'; import dataToPoints from './dataProcessing/dataToPoints'; class Sparklines extends PureComponent { static propTypes = { data: PropTypes.array, limit: PropTypes.number, width: PropTypes.number, height: PropTypes.number, svgWidth: PropTypes.number, svgHeight: PropTypes.number, preserveAspectRatio: PropTypes.string, margin: PropTypes.number, style: PropTypes.object, min: PropTypes.number, max: PropTypes.number, onMouseMove: PropTypes.func }; static defaultProps = { data: [], width: 240, height: 60, //Scale the graphic content of the given element non-uniformly if necessary such that the element's bounding box exactly matches the viewport rectangle. preserveAspectRatio: 'none', //https://www.w3.org/TR/SVG/coords.html#PreserveAspectRatioAttribute margin: 2 }; constructor (props) { super(props); } render() { const { data, limit, width, height, svgWidth, svgHeight, preserveAspectRatio, margin, style, max, min} = this.props; if (data.length === 0) return null; const points = dataToPoints({ data, limit, width, height, margin, max, min }); const svgOpts = { style: style, viewBox: `0 0 ${width} ${height}`, preserveAspectRatio: preserveAspectRatio }; if (svgWidth > 0) svgOpts.width = svgWidth; if (svgHeight > 0) svgOpts.height = svgHeight; return ( { React.Children.map(this.props.children, function(child) { return React.cloneElement(child, { data, points, width, height, margin }); }) } ); } } export { Sparklines, SparklinesLine, SparklinesCurve, SparklinesBars, SparklinesSpots, SparklinesReferenceLine, SparklinesNormalBand, SparklinesText } ================================================ FILE: src/SparklinesBars.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; export default class SparklinesBars extends React.Component { static propTypes = { points: PropTypes.arrayOf(PropTypes.object), height: PropTypes.number, style: PropTypes.object, barWidth: PropTypes.number, margin: PropTypes.number, onMouseMove: PropTypes.func, }; static defaultProps = { style: { fill: 'slategray' }, }; render() { const { points, height, style, barWidth, margin, onMouseMove } = this.props; const strokeWidth = 1 * ((style && style.strokeWidth) || 0); const marginWidth = margin ? 2 * margin : 0; const width = barWidth || (points && points.length >= 2 ? Math.max(0, points[1].x - points[0].x - strokeWidth - marginWidth) : 0); return ( {points.map((p, i) => , )} ); } } ================================================ FILE: src/SparklinesCurve.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; export default class SparklinesCurve extends React.Component { static propTypes = { color: PropTypes.string, style: PropTypes.object }; static defaultProps = { style: {} }; render() { const { points, width, height, margin, color, style, divisor = 0.25 } = this.props; let prev; const curve = (p) => { let res; if (!prev) { res = [p.x, p.y] } else { const len = (p.x - prev.x) * divisor; res = [ "C", //x1 prev.x + len, //y1 prev.y, //x2, p.x - len, //y2, p.y, //x, p.x, //y p.y ]; } prev = p; return res; } const linePoints = points .map((p) => curve(p)) .reduce((a, b) => a.concat(b)); const closePolyPoints = [ "L" + points[points.length - 1].x, height - margin, margin, height - margin, margin, points[0].y ]; const fillPoints = linePoints.concat(closePolyPoints); const lineStyle = { stroke: color || style.stroke || 'slategray', strokeWidth: style.strokeWidth || '1', strokeLinejoin: style.strokeLinejoin || 'round', strokeLinecap: style.strokeLinecap || 'round', fill: 'none' }; const fillStyle = { stroke: style.stroke || 'none', strokeWidth: '0', fillOpacity: style.fillOpacity || '.1', fill: style.fill || color || 'slategray' }; return ( ) } } ================================================ FILE: src/SparklinesLine.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; export default class SparklinesLine extends React.Component { static propTypes = { color: PropTypes.string, style: PropTypes.object, }; static defaultProps = { style: {}, onMouseMove: () => {}, }; render() { const { data, points, width, height, margin, color, style, onMouseMove } = this.props; const linePoints = points.map(p => [p.x, p.y]).reduce((a, b) => a.concat(b)); const closePolyPoints = [ points[points.length - 1].x, height - margin, margin, height - margin, margin, points[0].y, ]; const fillPoints = linePoints.concat(closePolyPoints); const lineStyle = { stroke: color || style.stroke || 'slategray', strokeWidth: style.strokeWidth || '1', strokeLinejoin: style.strokeLinejoin || 'round', strokeLinecap: style.strokeLinecap || 'round', fill: 'none', }; const fillStyle = { stroke: style.stroke || 'none', strokeWidth: '0', fillOpacity: style.fillOpacity || '.1', fill: style.fill || color || 'slategray', pointerEvents: 'auto', }; const tooltips = points.map((p, i) => { return ( onMouseMove('enter', data[i], p)} onClick={e => onMouseMove('click', data[i], p)} /> ); }); return ( {tooltips} ); } } ================================================ FILE: src/SparklinesNormalBand.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; import mean from './dataProcessing/mean'; import stdev from './dataProcessing/stdev'; export default class SparklinesNormalBand extends React.Component { static propTypes = { style: PropTypes.object }; static defaultProps = { style: { fill: 'red', fillOpacity: .1 } }; render() { const { points, margin, style } = this.props; const ypoints = points.map(p => p.y); const dataMean = mean(ypoints); const dataStdev = stdev(ypoints); return ( ) } } ================================================ FILE: src/SparklinesReferenceLine.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; import * as dataProcessing from './dataProcessing'; export default class SparklinesReferenceLine extends React.Component { static propTypes = { type: PropTypes.oneOf(['max', 'min', 'mean', 'avg', 'median', 'custom']), value: PropTypes.number, style: PropTypes.object }; static defaultProps = { type: 'mean', style: { stroke: 'red', strokeOpacity: .75, strokeDasharray: '2, 2' } }; render() { const { points, margin, type, style, value } = this.props; const ypoints = points.map(p => p.y); const y = type == 'custom' ? value : dataProcessing[type](ypoints); return ( ) } } ================================================ FILE: src/SparklinesSpots.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; export default class SparklinesSpots extends React.Component { static propTypes = { size: PropTypes.number, style: PropTypes.object, spotColors: PropTypes.object }; static defaultProps = { size: 2, spotColors: { '-1': 'red', '0': 'black', '1': 'green' } }; lastDirection(points) { Math.sign = Math.sign || function(x) { return x > 0 ? 1 : -1; } return points.length < 2 ? 0 : Math.sign(points[points.length - 2].y - points[points.length - 1].y); } render() { const { points, width, height, size, style, spotColors } = this.props; const startSpot = const endSpot = return ( {style && startSpot} {endSpot} ) } } ================================================ FILE: src/SparklinesText.js ================================================ import PropTypes from 'prop-types'; import React from 'react'; export default class SparklinesText extends React.Component { static propTypes = { text: PropTypes.string, point: PropTypes.object, fontSize: PropTypes.number, fontFamily: PropTypes.string }; static defaultProps = { text: '', point: { x: 0, y: 0 } }; render() { const { point, text, fontSize, fontFamily } = this.props; const { x, y } = point; return ( { text } ) } } ================================================ FILE: src/dataProcessing/dataToPoints.js ================================================ import arrayMin from './min'; import arrayMax from './max'; export default ({ data, limit, width = 1, height = 1, margin = 0, max = arrayMax(data), min = arrayMin(data) }) => { const len = data.length; if (limit && limit < len) { data = data.slice(len - limit); } const vfactor = (height - margin * 2) / ((max - min) || 2); const hfactor = (width - margin * 2) / ((limit || len) - (len > 1 ? 1 : 0)); return data.map((d, i) => ({ x: i * hfactor + margin, y: (max === min ? 1 : (max - d)) * vfactor + margin })); }; ================================================ FILE: src/dataProcessing/index.js ================================================ export min from './min'; export max from './min'; export mean from './mean'; export avg from './mean'; export midRange from './midRange'; export median from './median'; export stdev from './stdev'; export variance from './variance'; ================================================ FILE: src/dataProcessing/max.js ================================================ export default data => Math.max.apply(Math, data); ================================================ FILE: src/dataProcessing/mean.js ================================================ export default data => data.reduce((a, b) => a + b) / data.length; ================================================ FILE: src/dataProcessing/median.js ================================================ export default data => data.sort((a,b) => a - b)[Math.floor(data.length / 2)]; ================================================ FILE: src/dataProcessing/midRange.js ================================================ import min from './min'; import max from './max'; export default data => max(data) - min(data) / 2; ================================================ FILE: src/dataProcessing/min.js ================================================ export default data => Math.min.apply(Math, data); ================================================ FILE: src/dataProcessing/stdev.js ================================================ import mean from './mean'; export default data => { const dataMean = mean(data); const sqDiff = data.map(n => Math.pow(n - dataMean, 2)); const avgSqDiff = mean(sqDiff); return Math.sqrt(avgSqDiff); } ================================================ FILE: src/dataProcessing/variance.js ================================================ import mean from './mean' export default data => { const dataMean = mean(data); const sq = data.map(n => Math.pow(n - dataMean, 2)); return mean(sq); } ================================================ FILE: wallaby.conf.js ================================================ module.exports = function (wallaby) { return { files: ['src/*.js'], tests: ['__tests__/*.js'], env: { type: 'node', runner: 'node' }, compilers: { '**/*.js': wallaby.compilers.babel({ presets: [ 'react', 'es2015', 'stage-1', ], }), }, testFramework: 'mocha' }; }; ================================================ FILE: webpack.config.js ================================================ var path = require('path'); var webpack = require('webpack') module.exports = { entry: { index: [ './index.js' ] }, output: { path: path.join(__dirname, 'build'), publicPath: '/', filename: '[name].js', library: 'ReactSparklines', libraryTarget: 'umd' }, externals: { react: { root: 'React', commonjs2: 'react', commonjs: 'react', amd: 'react' } }, module: { loaders: [{ test: /\.jsx?$/, exclude: /(node_modules)/, loader: 'babel-loader' }] }, };