diff --git a/.eslintignore b/.eslintignore index 28cbc6649..45f0f1d2e 100644 --- a/.eslintignore +++ b/.eslintignore @@ -23,7 +23,8 @@ /material /site -# Files generated by flow typechecker +# Files used and generated by flow +/lib/declarations /tmp # Files generated by visual tests diff --git a/.eslintrc b/.eslintrc index 42e6738b4..b559b87af 100644 --- a/.eslintrc +++ b/.eslintrc @@ -169,7 +169,7 @@ "space-unary-ops": 2, "spaced-comment": [2, "always", { "line": { - "markers": ["/"], + "markers": ["/", ":"], "exceptions": ["-", "+"] }, "block": { diff --git a/.flowconfig b/.flowconfig index 11e8eea21..c6d678c4c 100644 --- a/.flowconfig +++ b/.flowconfig @@ -1,5 +1,8 @@ [ignore] .*/node_modules/.* +[libs] +lib/declarations/ + [options] strip_root=true diff --git a/Gulpfile.babel.js b/Gulpfile.babel.js index 980f7b6af..67f770fe8 100755 --- a/Gulpfile.babel.js +++ b/Gulpfile.babel.js @@ -55,9 +55,11 @@ let args = yargs .default("sourcemaps", false) /* Create sourcemaps */ .argv -/* Only use the last value seen, so overrides are possible */ +/* Only use the last seen value if boolean, so overrides are possible */ args = Object.keys(args).reduce((result, arg) => { - result[arg] = [].concat(args[arg]).pop() + result[arg] = Array.isArray(args[arg]) && typeof args[arg][0] === "boolean" // TODO: ugly + ? [].concat(args[arg]).pop() + : args[arg] return result }, {}) @@ -147,16 +149,25 @@ gulp.task("assets:images:clean", /* * Build application logic + * + * When revisioning, the build must be serialized due to race conditions + * happening when two tasks try to write manifest.json simultaneously */ -gulp.task("assets:javascripts:build:application", - load("assets/javascripts/build/application")) +gulp.task("assets:javascripts:build:application", args.revision ? [ + "assets:stylesheets:build" +] : [], load("assets/javascripts/build/application")) /* * Build custom modernizr + * + * When revisioning, the build must be serialized due to race conditions + * happening when two tasks try to write manifest.json simultaneously */ gulp.task("assets:javascripts:build:modernizr", [ "assets:stylesheets:build" -], load("assets/javascripts/build/modernizr")) +].concat(args.revision ? [ + "assets:javascripts:build:application" +] : []), load("assets/javascripts/build/modernizr")) /* * Build application logic and Modernizr diff --git a/lib/declarations/fastclick.js b/lib/declarations/fastclick.js new file mode 100644 index 000000000..32d2a6ef8 --- /dev/null +++ b/lib/declarations/fastclick.js @@ -0,0 +1,36 @@ +/* + * Copyright (c) 2016-2017 Martin Donath + * + * 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 NON-INFRINGEMENT. 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. + */ + +/* ---------------------------------------------------------------------------- + * Declarations + * ------------------------------------------------------------------------- */ + +declare module "fastclick" { + + /* FastClick type */ + declare type FastClick = { + attach(name: HTMLElement): null + } + + /* Exports */ + declare export default FastClick +} diff --git a/lib/declarations/js-cookie.js b/lib/declarations/js-cookie.js new file mode 100644 index 000000000..328c9795b --- /dev/null +++ b/lib/declarations/js-cookie.js @@ -0,0 +1,43 @@ +/* + * Copyright (c) 2016-2017 Martin Donath + * + * 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 NON-INFRINGEMENT. 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. + */ + +/* ---------------------------------------------------------------------------- + * Declarations + * ------------------------------------------------------------------------- */ + +declare module "js-cookie" { + + /* Options type for setting cookie values */ + declare type Options = { + path?: string, + expires?: number | string + } + + /* Cookie type */ + declare type Cookie = { + getJSON(json: string): Object, + set(key: string, value: string, options?: Options): string + } + + /* Exports */ + declare export default Cookie +} diff --git a/lib/declarations/jsx.js b/lib/declarations/jsx.js new file mode 100644 index 000000000..75a3940d8 --- /dev/null +++ b/lib/declarations/jsx.js @@ -0,0 +1,34 @@ +/* + * Copyright (c) 2016-2017 Martin Donath + * + * 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 NON-INFRINGEMENT. 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. + */ + +/* ---------------------------------------------------------------------------- + * Declarations + * ------------------------------------------------------------------------- */ + +declare class Jsx { + static createElement(tag: string, properties?: Object, + ...children?: Array> + ): HTMLElement +} + +/* Exports */ +declare export default Jsx diff --git a/lib/declarations/lunr.js b/lib/declarations/lunr.js new file mode 100644 index 000000000..2d78e36b2 --- /dev/null +++ b/lib/declarations/lunr.js @@ -0,0 +1,32 @@ +/* + * Copyright (c) 2016-2017 Martin Donath + * + * 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 NON-INFRINGEMENT. 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. + */ + +/* ---------------------------------------------------------------------------- + * Declarations + * ------------------------------------------------------------------------- */ + +declare module "lunr" { + declare class lunr { + // TODO + } + declare function exports(): lunr +} diff --git a/lib/declarations/modernizr.js b/lib/declarations/modernizr.js new file mode 100644 index 000000000..c4dbc07c3 --- /dev/null +++ b/lib/declarations/modernizr.js @@ -0,0 +1,32 @@ +/* + * Copyright (c) 2016-2017 Martin Donath + * + * 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 NON-INFRINGEMENT. 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. + */ + +/* ---------------------------------------------------------------------------- + * Declarations + * ------------------------------------------------------------------------- */ + +declare class Modernizr { + static addTest(name: string, test: () => boolean): null +} + +/* Exports */ +declare export default Modernizr diff --git a/lib/providers/jsx.js b/lib/providers/jsx.js index d34995729..4dc0b6b66 100644 --- a/lib/providers/jsx.js +++ b/lib/providers/jsx.js @@ -24,13 +24,13 @@ * Module * ------------------------------------------------------------------------- */ -export default /* JSX */ { +export default /* Jsx */ { /** * Create a native DOM node from JSX's intermediate representation * * @param {string} tag - Tag name - * @param {object} properties - Properties + * @param {Object} properties - Properties // TODO: nullable, as the second... * @param {...(string|number|Array)} children - Child nodes * @return {HTMLElement} Native DOM node */ diff --git a/lib/tasks/assets/javascripts/annotate.js b/lib/tasks/assets/javascripts/annotate.js index c0d2b26c2..d479b058d 100644 --- a/lib/tasks/assets/javascripts/annotate.js +++ b/lib/tasks/assets/javascripts/annotate.js @@ -20,6 +20,7 @@ * IN THE SOFTWARE. */ +import { transform } from "babel-core" import jsdoc2flow from "flow-jsdoc" import through from "through2" @@ -37,9 +38,18 @@ export default (gulp, config) => { if (file.isNull() || file.isStream()) return done() + /* Perform Babel transformation to resolve JSX calls */ + const transformed = transform(file.contents.toString(), { + plugins: [ + ["transform-react-jsx", { + "pragma": "Jsx.createElement" + }] + ] + }) + /* Annotate contents */ file.contents = new Buffer(jsdoc2flow( - `/* @flow */\n\n${file.contents.toString()}` + `/* @flow */\n\n${transformed.code}` ).toString()) /* Push file to next stage */ diff --git a/lib/tasks/assets/javascripts/build/application.js b/lib/tasks/assets/javascripts/build/application.js index 805753c2e..62cc51ebb 100644 --- a/lib/tasks/assets/javascripts/build/application.js +++ b/lib/tasks/assets/javascripts/build/application.js @@ -70,7 +70,7 @@ export default (gulp, config, args) => { /* Provide JSX helper */ new webpack.ProvidePlugin({ - JSX: path.join(process.cwd(), `${config.lib}/providers/jsx.js`) + Jsx: path.join(process.cwd(), `${config.lib}/providers/jsx.js`) }) ].concat( diff --git a/lib/tasks/assets/javascripts/lint.js b/lib/tasks/assets/javascripts/lint.js index f71250ecb..17c6e0e26 100644 --- a/lib/tasks/assets/javascripts/lint.js +++ b/lib/tasks/assets/javascripts/lint.js @@ -39,7 +39,7 @@ const format = eslint.getFormatter() export default (gulp, config) => { return () => { - return gulp.src(`${config.assets.src}/javascripts/**/*.js`) + return gulp.src(`${config.assets.src}/javascripts/**/*.{js,jsx}`) /* Linting */ .pipe( diff --git a/material/assets/images/icons/bitbucket-670608a71a.svg b/material/assets/images/icons/bitbucket-670608a71a.svg new file mode 100644 index 000000000..7d95cb22d --- /dev/null +++ b/material/assets/images/icons/bitbucket-670608a71a.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/material/assets/images/icons/bitbucket.svg b/material/assets/images/icons/bitbucket.svg deleted file mode 100644 index ffc79b1ec..000000000 --- a/material/assets/images/icons/bitbucket.svg +++ /dev/null @@ -1,20 +0,0 @@ - - - diff --git a/material/assets/images/icons/github-1da075986e.svg b/material/assets/images/icons/github-1da075986e.svg new file mode 100644 index 000000000..3cacb2e0f --- /dev/null +++ b/material/assets/images/icons/github-1da075986e.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/material/assets/images/icons/github.svg b/material/assets/images/icons/github.svg deleted file mode 100644 index f8944b015..000000000 --- a/material/assets/images/icons/github.svg +++ /dev/null @@ -1,18 +0,0 @@ - - - diff --git a/material/assets/images/icons/gitlab-5ad3f9f9e5.svg b/material/assets/images/icons/gitlab-5ad3f9f9e5.svg new file mode 100644 index 000000000..b036a9b52 --- /dev/null +++ b/material/assets/images/icons/gitlab-5ad3f9f9e5.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/material/assets/images/icons/gitlab.svg b/material/assets/images/icons/gitlab.svg deleted file mode 100644 index cda66137a..000000000 --- a/material/assets/images/icons/gitlab.svg +++ /dev/null @@ -1,38 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - diff --git a/material/assets/javascripts/application-3fa7d77989.js b/material/assets/javascripts/application-3fa7d77989.js new file mode 100644 index 000000000..0e379377c --- /dev/null +++ b/material/assets/javascripts/application-3fa7d77989.js @@ -0,0 +1,3 @@ +window.app=function(t){function e(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return t[r].call(o.exports,o,o.exports,e),o.l=!0,o.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="",e(e.s=89)}([function(t,e,n){"use strict";var r=n(29)("wks"),o=n(21),i=n(1).Symbol,s="function"==typeof i,a=t.exports=function(t){return r[t]||(r[t]=s&&i[t]||(s?i:o)("Symbol."+t))};a.store=r},function(t,e,n){"use strict";var r=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=r)},function(t,e,n){"use strict";var r=n(11);t.exports=function(t){if(!r(t))throw TypeError(t+" is not an object!");return t}},function(t,e,n){"use strict";var r=n(12),o=n(28);t.exports=n(5)?function(t,e,n){return r.f(t,e,o(1,n))}:function(t,e,n){return t[e]=n,t}},function(t,e,n){"use strict";var r=t.exports={version:"2.4.0"};"number"==typeof __e&&(__e=r)},function(t,e,n){"use strict";t.exports=!n(24)(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},function(t,e,n){"use strict";var r={}.hasOwnProperty;t.exports=function(t,e){return r.call(t,e)}},function(t,e,n){"use strict";t.exports={}},function(t,e,n){"use strict";var r=n(1),o=n(3),i=n(6),s=n(21)("src"),a="toString",c=Function[a],u=(""+c).split(a);n(4).inspectSource=function(t){return c.call(t)},(t.exports=function(t,e,n,a){var c="function"==typeof n;c&&(i(n,"name")||o(n,"name",e)),t[e]!==n&&(c&&(i(n,s)||o(n,s,t[e]?""+t[e]:u.join(String(e)))),t===r?t[e]=n:a?t[e]?t[e]=n:o(t,e,n):(delete t[e],o(t,e,n)))})(Function.prototype,a,function(){return"function"==typeof this&&this[s]||c.call(this)})},function(t,e,n){"use strict";var r={}.toString;t.exports=function(t){return r.call(t).slice(8,-1)}},function(t,e,n){"use strict";var r=n(13);t.exports=function(t,e,n){if(r(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,r){return t.call(e,n,r)};case 3:return function(n,r,o){return t.call(e,n,r,o)}}return function(){return t.apply(e,arguments)}}},function(t,e,n){"use strict";var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t};t.exports=function(t){return"object"===("undefined"==typeof t?"undefined":r(t))?null!==t:"function"==typeof t}},function(t,e,n){"use strict";var r=n(2),o=n(42),i=n(62),s=Object.defineProperty;e.f=n(5)?Object.defineProperty:function(t,e,n){if(r(t),e=i(e,!0),r(n),o)try{return s(t,e,n)}catch(t){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},function(t,e,n){"use strict";t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e,n){"use strict";var r=n(9),o=n(0)("toStringTag"),i="Arguments"==r(function(){return arguments}()),s=function(t,e){try{return t[e]}catch(t){}};t.exports=function(t){var e,n,a;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=s(e=Object(t),o))?n:i?r(e):"Object"==(a=r(e))&&"function"==typeof e.callee?"Arguments":a}},function(t,e,n){"use strict";t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},function(t,e,n){"use strict";var r=n(11),o=n(1).document,i=r(o)&&r(o.createElement);t.exports=function(t){return i?o.createElement(t):{}}},function(t,e,n){"use strict";var r=n(12).f,o=n(6),i=n(0)("toStringTag");t.exports=function(t,e,n){t&&!o(t=n?t:t.prototype,i)&&r(t,i,{configurable:!0,value:e})}},function(t,e,n){"use strict";var r=n(29)("keys"),o=n(21);t.exports=function(t){return r[t]||(r[t]=o(t))}},function(t,e,n){"use strict";var r=Math.ceil,o=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?o:r)(t)}},function(t,e,n){"use strict";var r=n(44),o=n(15);t.exports=function(t){return r(o(t))}},function(t,e,n){"use strict";var r=0,o=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++r+o).toString(36))}},function(t,e,n){"use strict";t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},function(t,e,n){"use strict";var r=n(1),o=n(4),i=n(3),s=n(8),a=n(10),c="prototype",u=function t(e,n,u){var l,f,h,d,p=e&t.F,v=e&t.G,m=e&t.S,y=e&t.P,g=e&t.B,w=v?r:m?r[n]||(r[n]={}):(r[n]||{})[c],b=v?o:o[n]||(o[n]={}),_=b[c]||(b[c]={});v&&(u=n);for(l in u)f=!p&&w&&void 0!==w[l],h=(f?w:u)[l],d=g&&f?a(h,r):y&&"function"==typeof h?a(Function.call,h):h,w&&s(w,l,h,e&t.U),b[l]!=h&&i(b,l,d),y&&_[l]!=h&&(_[l]=h)};r.core=o,u.F=1,u.G=2,u.S=4,u.P=8,u.B=16,u.W=32,u.U=64,u.R=128,t.exports=u},function(t,e,n){"use strict";t.exports=function(t){try{return!!t()}catch(t){return!0}}},function(t,e,n){"use strict";t.exports=n(1).document&&document.documentElement},function(t,e,n){"use strict";var r=n(27),o=n(23),i=n(8),s=n(3),a=n(6),c=n(7),u=n(47),l=n(17),f=n(53),h=n(0)("iterator"),d=!([].keys&&"next"in[].keys()),p="@@iterator",v="keys",m="values",y=function(){return this};t.exports=function(t,e,n,g,w,b,_){u(n,e,g);var E,S,x,k=function(t){if(!d&&t in A)return A[t];switch(t){case v:return function(){return new n(this,t)};case m:return function(){return new n(this,t)}}return function(){return new n(this,t)}},T=e+" Iterator",O=w==m,C=!1,A=t.prototype,P=A[h]||A[p]||w&&A[w],L=P||k(w),M=w?O?k("entries"):L:void 0,j="Array"==e?A.entries||P:P;if(j&&(x=f(j.call(new t)),x!==Object.prototype&&(l(x,T,!0),r||a(x,h)||s(x,h,y))),O&&P&&P.name!==m&&(C=!0,L=function(){return P.call(this)}),r&&!_||!d&&!C&&A[h]||s(A,h,L),c[e]=L,c[T]=y,w)if(E={values:O?L:k(m),keys:b?L:k(v),entries:M},_)for(S in E)S in A||i(A,S,E[S]);else o(o.P+o.F*(d||C),e,E);return E}},function(t,e,n){"use strict";t.exports=!1},function(t,e,n){"use strict";t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e,n){"use strict";var r=n(1),o="__core-js_shared__",i=r[o]||(r[o]={});t.exports=function(t){return i[t]||(i[t]={})}},function(t,e,n){"use strict";var r,o,i,s=n(10),a=n(43),c=n(25),u=n(16),l=n(1),f=l.process,h=l.setImmediate,d=l.clearImmediate,p=l.MessageChannel,v=0,m={},y="onreadystatechange",g=function(){var t=+this;if(m.hasOwnProperty(t)){var e=m[t];delete m[t],e()}},w=function(t){g.call(t.data)};h&&d||(h=function(t){for(var e=[],n=1;arguments.length>n;)e.push(arguments[n++]);return m[++v]=function(){a("function"==typeof t?t:Function(t),e)},r(v),v},d=function(t){delete m[t]},"process"==n(9)(f)?r=function(t){f.nextTick(s(g,t,1))}:p?(o=new p,i=o.port2,o.port1.onmessage=w,r=s(i.postMessage,i,1)):l.addEventListener&&"function"==typeof postMessage&&!l.importScripts?(r=function(t){l.postMessage(t+"","*")},l.addEventListener("message",w,!1)):r=y in u("script")?function(t){c.appendChild(u("script"))[y]=function(){c.removeChild(this),g.call(t)}}:function(t){setTimeout(s(g,t,1),0)}),t.exports={set:h,clear:d}},function(t,e,n){"use strict";var r=n(19),o=Math.min;t.exports=function(t){return t>0?o(r(t),9007199254740991):0}},function(t,e,n){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=function(){function t(t,e){for(var n=0;n-1?e:t}function d(t,e){e=e||{};var n=e.body;if(t instanceof d){if(t.bodyUsed)throw new TypeError("Already read");this.url=t.url,this.credentials=t.credentials,e.headers||(this.headers=new o(t.headers)),this.method=t.method,this.mode=t.mode,n||null==t._bodyInit||(n=t._bodyInit,t.bodyUsed=!0)}else this.url=String(t);if(this.credentials=e.credentials||this.credentials||"omit",!e.headers&&this.headers||(this.headers=new o(e.headers)),this.method=h(e.method||this.method||"GET"),this.mode=e.mode||this.mode||null,this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&n)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(n)}function p(t){var e=new FormData;return t.trim().split("&").forEach(function(t){if(t){var n=t.split("="),r=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");e.append(decodeURIComponent(r),decodeURIComponent(o))}}),e}function v(t){var e=new o;return t.split(/\r?\n/).forEach(function(t){var n=t.split(":"),r=n.shift().trim();if(r){var o=n.join(":").trim();e.append(r,o)}}),e}function m(t,e){e||(e={}),this.type="default",this.status="status"in e?e.status:200,this.ok=this.status>=200&&this.status<300,this.statusText="statusText"in e?e.statusText:"OK",this.headers=new o(e.headers),this.url=e.url||"",this._initBody(t)}if(!t.fetch){var y={searchParams:"URLSearchParams"in t,iterable:"Symbol"in t&&"iterator"in Symbol,blob:"FileReader"in t&&"Blob"in t&&function(){try{return new Blob,!0}catch(t){return!1}}(),formData:"FormData"in t,arrayBuffer:"ArrayBuffer"in t};if(y.arrayBuffer)var g=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],w=function(t){return t&&DataView.prototype.isPrototypeOf(t)},b=ArrayBuffer.isView||function(t){return t&&g.indexOf(Object.prototype.toString.call(t))>-1};o.prototype.append=function(t,r){t=e(t),r=n(r);var o=this.map[t];this.map[t]=o?o+","+r:r},o.prototype.delete=function(t){delete this.map[e(t)]},o.prototype.get=function(t){return t=e(t),this.has(t)?this.map[t]:null},o.prototype.has=function(t){return this.map.hasOwnProperty(e(t))},o.prototype.set=function(t,r){this.map[e(t)]=n(r)},o.prototype.forEach=function(t,e){for(var n in this.map)this.map.hasOwnProperty(n)&&t.call(e,this.map[n],n,this)},o.prototype.keys=function(){var t=[];return this.forEach(function(e,n){t.push(n)}),r(t)},o.prototype.values=function(){var t=[];return this.forEach(function(e){t.push(e)}),r(t)},o.prototype.entries=function(){var t=[];return this.forEach(function(e,n){t.push([n,e])}),r(t)},y.iterable&&(o.prototype[Symbol.iterator]=o.prototype.entries);var _=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];d.prototype.clone=function(){return new d(this,{body:this._bodyInit})},f.call(d.prototype),f.call(m.prototype),m.prototype.clone=function(){return new m(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new o(this.headers),url:this.url})},m.error=function(){var t=new m(null,{status:0,statusText:""});return t.type="error",t};var E=[301,302,303,307,308];m.redirect=function(t,e){if(E.indexOf(e)===-1)throw new RangeError("Invalid status code");return new m(null,{status:e,headers:{location:t}})},t.Headers=o,t.Request=d,t.Response=m,t.fetch=function(t,e){return new Promise(function(n,r){var o=new d(t,e),i=new XMLHttpRequest;i.onload=function(){var t={status:i.status,statusText:i.statusText,headers:v(i.getAllResponseHeaders()||"")};t.url="responseURL"in i?i.responseURL:t.headers.get("X-Request-URL");var e="response"in i?i.response:i.responseText;n(new m(e,t))},i.onerror=function(){r(new TypeError("Network request failed"))},i.ontimeout=function(){r(new TypeError("Network request failed"))},i.open(o.method,o.url,!0),"include"===o.credentials&&(i.withCredentials=!0),"responseType"in i&&y.blob&&(i.responseType="blob"),o.headers.forEach(function(t,e){i.setRequestHeader(e,t)}),i.send("undefined"==typeof o._bodyInit?null:o._bodyInit)})},t.fetch.polyfill=!0}}("undefined"!=typeof self?self:void 0)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r=n(69),o=n.n(r),i=n(72);n.d(e,"initialize",function(){return s});var s=function(t){new i.a.Event.Listener(document,"DOMContentLoaded",function(){if(Modernizr.addTest("ios",function(){return!!navigator.userAgent.match(/(iPad|iPhone|iPod)/g)}),!(document.body instanceof HTMLElement))throw new ReferenceError;o.a.attach(document.body);var t=document.querySelectorAll("table:not([class])");if(Array.prototype.forEach.call(t,function(t){var e=document.createElement("div");e.classList.add("md-typeset__table"),t.nextSibling?t.parentNode.insertBefore(e,t.nextSibling):t.parentNode.appendChild(e),e.appendChild(t)}),Modernizr.ios){var e=document.querySelectorAll("[data-md-scrollfix]");Array.prototype.forEach.call(e,function(t){t.addEventListener("touchstart",function(){var e=t.scrollTop;0===e?t.scrollTop=1:e+t.offsetHeight===t.scrollHeight&&(t.scrollTop=e-1)})})}}).listen(),new i.a.Event.MatchMedia("(min-width: 1220px)",new i.a.Event.Listener(window,["scroll","resize","orientationchange"],new i.a.Sidebar.Position("[data-md-component=navigation]"))),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener(window,["scroll","resize","orientationchange"],new i.a.Sidebar.Position("[data-md-component=toc]"))),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener(window,"scroll",new i.a.Nav.Blur("[data-md-component=toc] .md-nav__link")));var e=document.querySelectorAll("[data-md-component=collapsible]");Array.prototype.forEach.call(e,function(t){new i.a.Event.MatchMedia("(min-width: 1220px)",new i.a.Event.Listener(t.previousElementSibling,"click",new i.a.Nav.Collapse(t)))}),new i.a.Event.MatchMedia("(max-width: 1219px)",new i.a.Event.Listener("[data-md-component=navigation] [data-md-toggle]","change",new i.a.Nav.Scrolling("[data-md-component=navigation] nav"))),new i.a.Event.MatchMedia("(max-width: 959px)",new i.a.Event.Listener("[data-md-toggle=search]","change",new i.a.Search.Lock("[data-md-toggle=search]"))),new i.a.Event.Listener(document.forms.search.query,["focus","keyup"],new i.a.Search.Result("[data-md-component=result]",function(){return fetch(t.url.base+"/mkdocs/search_index.json",{credentials:"same-origin"}).then(function(t){return t.json()}).then(function(e){return e.docs.map(function(e){return e.location=t.url.base+e.location,e})})})).listen(),new i.a.Event.MatchMedia("(max-width: 1219px)",new i.a.Event.Listener("[data-md-component=overlay]","touchstart",function(t){return t.preventDefault()})),new i.a.Event.MatchMedia("(max-width: 959px)",new i.a.Event.Listener("[data-md-component=navigation] [href^='#']","click",function(){var t=document.querySelector("[data-md-toggle=drawer]");t instanceof HTMLInputElement&&t.checked&&(t.checked=!1,t.dispatchEvent(new CustomEvent("change")))})),new i.a.Event.Listener("[data-md-toggle=search]","change",function(t){setTimeout(function(t){var e=document.forms.search.query;t instanceof HTMLInputElement&&t.checked&&e.focus()},400,t.target)}).listen(),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener(document.forms.search.query,"focus",function(){var t=document.querySelector("[data-md-toggle=search]");t instanceof HTMLInputElement&&!t.checked&&(t.checked=!0,t.dispatchEvent(new CustomEvent("change")))})),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener(document.body,"click",function(){var t=document.querySelector("[data-md-toggle=search]");t instanceof HTMLInputElement&&t.checked&&(t.checked=!1,t.dispatchEvent(new CustomEvent("change")))})),new i.a.Event.Listener(window,"keyup",function(t){var e=t.keyCode||t.which;if(27===e){var n=document.querySelector("[data-md-toggle=search]");n instanceof HTMLInputElement&&n.checked&&(n.checked=!1,n.dispatchEvent(new CustomEvent("change")),document.forms.search.query.blur())}}).listen(),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener("[data-md-toggle=search]","click",function(t){return t.stopPropagation()})),new i.a.Event.MatchMedia("(min-width: 960px)",new i.a.Event.Listener("[data-md-component=search]","click",function(t){return t.stopPropagation()})),function(){var t=document.querySelector("[data-md-source]");if(!t)return Promise.resolve([]);if(!(t instanceof HTMLAnchorElement))throw new ReferenceError;switch(t.dataset.mdSource){case"github":return new i.a.Source.Adapter.GitHub(t).fetch();default:return Promise.resolve([])}}().then(function(t){var e=document.querySelectorAll("[data-md-source]");Array.prototype.forEach.call(e,function(e){new i.a.Source.Repository(e).initialize(t)})})}},function(t,e,n){"use strict";var r=n(0)("unscopables"),o=Array.prototype;void 0==o[r]&&n(3)(o,r,{}),t.exports=function(t){o[r][t]=!0}},function(t,e,n){"use strict";t.exports=function(t,e,n,r){if(!(t instanceof e)||void 0!==r&&r in t)throw TypeError(n+": incorrect invocation!");return t}},function(t,e,n){"use strict";var r=n(20),o=n(31),i=n(60);t.exports=function(t){return function(e,n,s){var a,c=r(e),u=o(c.length),l=i(s,u);if(t&&n!=n){for(;u>l;)if(a=c[l++],a!=a)return!0}else for(;u>l;l++)if((t||l in c)&&c[l]===n)return t||l||0;return!t&&-1}}},function(t,e,n){"use strict";var r=n(10),o=n(46),i=n(45),s=n(2),a=n(31),c=n(63),u={},l={},f=t.exports=function(t,e,n,f,h){var d,p,v,m,y=h?function(){return t}:c(t),g=r(n,f,e?2:1),w=0;if("function"!=typeof y)throw TypeError(t+" is not iterable!");if(i(y)){for(d=a(t.length);d>w;w++)if(m=e?g(s(p=t[w])[0],p[1]):g(t[w]),m===u||m===l)return m}else for(v=y.call(t);!(p=v.next()).done;)if(m=o(v,g,p.value,e),m===u||m===l)return m};f.BREAK=u,f.RETURN=l},function(t,e,n){"use strict";t.exports=!n(5)&&!n(24)(function(){return 7!=Object.defineProperty(n(16)("div"),"a",{get:function(){return 7}}).a})},function(t,e,n){"use strict";t.exports=function(t,e,n){var r=void 0===n;switch(e.length){case 0:return r?t():t.call(n);case 1:return r?t(e[0]):t.call(n,e[0]);case 2:return r?t(e[0],e[1]):t.call(n,e[0],e[1]);case 3:return r?t(e[0],e[1],e[2]):t.call(n,e[0],e[1],e[2]);case 4:return r?t(e[0],e[1],e[2],e[3]):t.call(n,e[0],e[1],e[2],e[3])}return t.apply(n,e)}},function(t,e,n){"use strict";var r=n(9);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e,n){"use strict";var r=n(7),o=n(0)("iterator"),i=Array.prototype;t.exports=function(t){return void 0!==t&&(r.Array===t||i[o]===t)}},function(t,e,n){"use strict";var r=n(2);t.exports=function(t,e,n,o){try{return o?e(r(n)[0],n[1]):e(n)}catch(e){var i=t.return;throw void 0!==i&&r(i.call(t)),e}}},function(t,e,n){"use strict";var r=n(51),o=n(28),i=n(17),s={};n(3)(s,n(0)("iterator"),function(){return this}),t.exports=function(t,e,n){t.prototype=r(s,{next:o(1,n)}),i(t,e+" Iterator")}},function(t,e,n){"use strict";var r=n(0)("iterator"),o=!1;try{var i=[7][r]();i.return=function(){o=!0},Array.from(i,function(){throw 2})}catch(t){}t.exports=function(t,e){if(!e&&!o)return!1;var n=!1;try{var i=[7],s=i[r]();s.next=function(){return{done:n=!0}},i[r]=function(){return s},t(i)}catch(t){}return n}},function(t,e,n){"use strict";t.exports=function(t,e){return{value:e,done:!!t}}},function(t,e,n){"use strict";var r=n(1),o=n(30).set,i=r.MutationObserver||r.WebKitMutationObserver,s=r.process,a=r.Promise,c="process"==n(9)(s);t.exports=function(){var t,e,n,u=function(){var r,o;for(c&&(r=s.domain)&&r.exit();t;){o=t.fn,t=t.next;try{o()}catch(r){throw t?n():e=void 0,r}}e=void 0,r&&r.enter()};if(c)n=function(){s.nextTick(u)};else if(i){var l=!0,f=document.createTextNode("");new i(u).observe(f,{characterData:!0}),n=function(){f.data=l=!l}}else if(a&&a.resolve){var h=a.resolve();n=function(){h.then(u)}}else n=function(){o.call(r,u)};return function(r){var o={fn:r,next:void 0};e&&(e.next=o),t||(t=o,n()),e=o}}},function(t,e,n){"use strict";var r=n(2),o=n(52),i=n(22),s=n(18)("IE_PROTO"),a=function(){},c="prototype",u=function(){var t,e=n(16)("iframe"),r=i.length,o="<",s=">";for(e.style.display="none",n(25).appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(o+"script"+s+"document.F=Object"+o+"/script"+s),t.close(),u=t.F;r--;)delete u[c][i[r]];return u()};t.exports=Object.create||function(t,e){var n;return null!==t?(a[c]=r(t),n=new a,a[c]=null,n[s]=t):n=u(),void 0===e?n:o(n,e)}},function(t,e,n){"use strict";var r=n(12),o=n(2),i=n(55);t.exports=n(5)?Object.defineProperties:function(t,e){o(t);for(var n,s=i(e),a=s.length,c=0;a>c;)r.f(t,n=s[c++],e[n]);return t}},function(t,e,n){"use strict";var r=n(6),o=n(61),i=n(18)("IE_PROTO"),s=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=o(t),r(t,i)?t[i]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?s:null}},function(t,e,n){"use strict";var r=n(6),o=n(20),i=n(40)(!1),s=n(18)("IE_PROTO");t.exports=function(t,e){var n,a=o(t),c=0,u=[];for(n in a)n!=s&&r(a,n)&&u.push(n);for(;e.length>c;)r(a,n=e[c++])&&(~i(u,n)||u.push(n));return u}},function(t,e,n){"use strict";var r=n(54),o=n(22);t.exports=Object.keys||function(t){return r(t,o)}},function(t,e,n){"use strict";var r=n(8);t.exports=function(t,e,n){for(var o in e)r(t,o,e[o],n);return t}},function(t,e,n){"use strict";var r=n(1),o=n(12),i=n(5),s=n(0)("species");t.exports=function(t){var e=r[t];i&&e&&!e[s]&&o.f(e,s,{configurable:!0,get:function(){return this}})}},function(t,e,n){"use strict";var r=n(2),o=n(13),i=n(0)("species");t.exports=function(t,e){var n,s=r(t).constructor;return void 0===s||void 0==(n=r(s)[i])?e:o(n)}},function(t,e,n){"use strict";var r=n(19),o=n(15);t.exports=function(t){return function(e,n){var i,s,a=String(o(e)),c=r(n),u=a.length;return c<0||c>=u?t?"":void 0:(i=a.charCodeAt(c),i<55296||i>56319||c+1===u||(s=a.charCodeAt(c+1))<56320||s>57343?t?a.charAt(c):i:t?a.slice(c,c+2):(i-55296<<10)+(s-56320)+65536)}}},function(t,e,n){"use strict";var r=n(19),o=Math.max,i=Math.min;t.exports=function(t,e){return t=r(t),t<0?o(t+e,0):i(t,e)}},function(t,e,n){"use strict";var r=n(15);t.exports=function(t){return Object(r(t))}},function(t,e,n){"use strict";var r=n(11);t.exports=function(t,e){if(!r(t))return t;var n,o;if(e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;if("function"==typeof(n=t.valueOf)&&!r(o=n.call(t)))return o;if(!e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;throw TypeError("Can't convert object to primitive value")}},function(t,e,n){"use strict";var r=n(14),o=n(0)("iterator"),i=n(7);t.exports=n(4).getIteratorMethod=function(t){if(void 0!=t)return t[o]||t["@@iterator"]||i[r(t)]}},function(t,e,n){"use strict";var r=n(38),o=n(49),i=n(7),s=n(20);t.exports=n(26)(Array,"Array",function(t,e){this._t=s(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,o(1)):"keys"==e?o(0,n):"values"==e?o(0,t[n]):o(0,[n,t[n]])},"values"),i.Arguments=i.Array,r("keys"),r("values"),r("entries")},function(t,e,n){"use strict";var r=n(14),o={};o[n(0)("toStringTag")]="z",o+""!="[object z]"&&n(8)(Object.prototype,"toString",function(){return"[object "+r(this)+"]"},!0)},function(t,e,n){"use strict";var r,o,i,s=n(27),a=n(1),c=n(10),u=n(14),l=n(23),f=n(11),h=n(13),d=n(39),p=n(41),v=n(58),m=n(30).set,y=n(50)(),g="Promise",w=a.TypeError,b=a.process,_=a[g],b=a.process,E="process"==u(b),S=function(){},x=!!function(){try{var t=_.resolve(1),e=(t.constructor={})[n(0)("species")]=function(t){t(S,S)};return(E||"function"==typeof PromiseRejectionEvent)&&t.then(S)instanceof e}catch(t){}}(),k=function(t,e){return t===e||t===_&&e===i},T=function(t){var e;return!(!f(t)||"function"!=typeof(e=t.then))&&e},O=function(t){return k(_,t)?new C(t):new o(t)},C=o=function(t){var e,n;this.promise=new t(function(t,r){if(void 0!==e||void 0!==n)throw w("Bad Promise constructor");e=t,n=r}),this.resolve=h(e),this.reject=h(n)},A=function(t){try{t()}catch(t){return{error:t}}},P=function(t,e){if(!t._n){t._n=!0;var n=t._c;y(function(){for(var r=t._v,o=1==t._s,i=0,s=function(e){var n,i,s=o?e.ok:e.fail,a=e.resolve,c=e.reject,u=e.domain;try{s?(o||(2==t._h&&j(t),t._h=1),s===!0?n=r:(u&&u.enter(),n=s(r),u&&u.exit()),n===e.promise?c(w("Promise-chain cycle")):(i=T(n))?i.call(n,a,c):a(n)):c(r)}catch(t){c(t)}};n.length>i;)s(n[i++]);t._c=[],t._n=!1,e&&!t._h&&L(t)})}},L=function(t){m.call(a,function(){var e,n,r,o=t._v;if(M(t)&&(e=A(function(){E?b.emit("unhandledRejection",o,t):(n=a.onunhandledrejection)?n({promise:t,reason:o}):(r=a.console)&&r.error&&r.error("Unhandled promise rejection",o)}),t._h=E||M(t)?2:1),t._a=void 0,e)throw e.error})},M=function t(e){if(1==e._h)return!1;for(var n,r=e._a||e._c,o=0;r.length>o;)if(n=r[o++],n.fail||!t(n.promise))return!1;return!0},j=function(t){m.call(a,function(){var e;E?b.emit("rejectionHandled",t):(e=a.onrejectionhandled)&&e({promise:t,reason:t._v})})},F=function(t){var e=this;e._d||(e._d=!0,e=e._w||e,e._v=t,e._s=2,e._a||(e._a=e._c.slice()),P(e,!0))},N=function t(e){var n,r=this;if(!r._d){r._d=!0,r=r._w||r;try{if(r===e)throw w("Promise can't be resolved itself");(n=T(e))?y(function(){var o={_w:r,_d:!1};try{n.call(e,c(t,o,1),c(F,o,1))}catch(t){F.call(o,t)}}):(r._v=e,r._s=1,P(r,!1))}catch(t){F.call({_w:r,_d:!1},t)}}};x||(_=function(t){d(this,_,g,"_h"),h(t),r.call(this);try{t(c(N,this,1),c(F,this,1))}catch(t){F.call(this,t)}},r=function(t){this._c=[],this._a=void 0,this._s=0,this._d=!1,this._v=void 0,this._h=0,this._n=!1},r.prototype=n(56)(_.prototype,{then:function(t,e){var n=O(v(this,_));return n.ok="function"!=typeof t||t,n.fail="function"==typeof e&&e,n.domain=E?b.domain:void 0,this._c.push(n),this._a&&this._a.push(n),this._s&&P(this,!1),n.promise},catch:function(t){return this.then(void 0,t)}}),C=function(){var t=new r;this.promise=t,this.resolve=c(N,t,1),this.reject=c(F,t,1)}),l(l.G+l.W+l.F*!x,{Promise:_}),n(17)(_,g),n(57)(g),i=n(4)[g],l(l.S+l.F*!x,g,{reject:function(t){var e=O(this),n=e.reject;return n(t),e.promise}}),l(l.S+l.F*(s||!x),g,{resolve:function(t){if(t instanceof _&&k(t.constructor,this))return t;var e=O(this),n=e.resolve;return n(t),e.promise}}),l(l.S+l.F*!(x&&n(48)(function(t){_.all(t).catch(S)})),g,{all:function(t){var e=this,n=O(e),r=n.resolve,o=n.reject,i=A(function(){var n=[],i=0,s=1;p(t,!1,function(t){var a=i++,c=!1;n.push(void 0),s++,e.resolve(t).then(function(t){c||(c=!0,n[a]=t,--s||r(n))},o)}),--s||r(n)});return i&&o(i.error),n.promise},race:function(t){var e=this,n=O(e),r=n.reject,o=A(function(){p(t,!1,function(t){e.resolve(t).then(n.resolve,r)})});return o&&r(o.error),n.promise}})},function(t,e,n){"use strict";var r=n(59)(!0);n(26)(String,"String",function(t){this._t=String(t),this._i=0},function(){var t,e=this._t,n=this._i;return n>=e.length?{value:void 0,done:!0}:(t=r(e,n),this._i+=t.length,{value:t,done:!1})})},function(t,e,n){"use strict";for(var r=n(64),o=n(8),i=n(1),s=n(3),a=n(7),c=n(0),u=c("iterator"),l=c("toStringTag"),f=a.Array,h=["NodeList","DOMTokenList","MediaList","StyleSheetList","CSSRuleList"],d=0;d<5;d++){var p,v=h[d],m=i[v],y=m&&m.prototype;if(y){y[u]||s(y,u,f),y[l]||s(y,l,v),a[v]=f;for(p in r)y[p]||o(y,p,r[p],!0)}}},function(t,e,n){"use strict";var r,o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t};!function(){function i(t,e){function n(t,e){return function(){return t.apply(e,arguments)}}var r;if(e=e||{},this.trackingClick=!1,this.trackingClickStart=0,this.targetElement=null,this.touchStartX=0,this.touchStartY=0,this.lastTouchIdentifier=0,this.touchBoundary=e.touchBoundary||10,this.layer=t,this.tapDelay=e.tapDelay||200,this.tapTimeout=e.tapTimeout||700,!i.notNeeded(t)){for(var o=["onMouse","onClick","onTouchStart","onTouchMove","onTouchEnd","onTouchCancel"],s=this,c=0,u=o.length;c=0,a=navigator.userAgent.indexOf("Android")>0&&!s,c=/iP(ad|hone|od)/.test(navigator.userAgent)&&!s,u=c&&/OS 4_\d(_\d)?/.test(navigator.userAgent),l=c&&/OS [6-7]_\d/.test(navigator.userAgent),f=navigator.userAgent.indexOf("BB10")>0;i.prototype.needsClick=function(t){switch(t.nodeName.toLowerCase()){case"button":case"select":case"textarea":if(t.disabled)return!0;break;case"input":if(c&&"file"===t.type||t.disabled)return!0;break;case"label":case"iframe":case"video":return!0}return/\bneedsclick\b/.test(t.className)},i.prototype.needsFocus=function(t){switch(t.nodeName.toLowerCase()){case"textarea":return!0;case"select":return!a;case"input":switch(t.type){case"button":case"checkbox":case"file":case"image":case"radio":case"submit":return!1}return!t.disabled&&!t.readOnly;default:return/\bneedsfocus\b/.test(t.className)}},i.prototype.sendClick=function(t,e){var n,r;document.activeElement&&document.activeElement!==t&&document.activeElement.blur(),r=e.changedTouches[0],n=document.createEvent("MouseEvents"),n.initMouseEvent(this.determineEventType(t),!0,!0,window,1,r.screenX,r.screenY,r.clientX,r.clientY,!1,!1,!1,!1,0,null),n.forwardedTouchEvent=!0,t.dispatchEvent(n)},i.prototype.determineEventType=function(t){return a&&"select"===t.tagName.toLowerCase()?"mousedown":"click"},i.prototype.focus=function(t){var e;c&&t.setSelectionRange&&0!==t.type.indexOf("date")&&"time"!==t.type&&"month"!==t.type?(e=t.value.length,t.setSelectionRange(e,e)):t.focus()},i.prototype.updateScrollParent=function(t){var e,n;if(e=t.fastClickScrollParent,!e||!e.contains(t)){n=t;do{if(n.scrollHeight>n.offsetHeight){e=n,t.fastClickScrollParent=n;break}n=n.parentElement}while(n)}e&&(e.fastClickLastScrollTop=e.scrollTop)},i.prototype.getTargetElementFromEventTarget=function(t){return t.nodeType===Node.TEXT_NODE?t.parentNode:t},i.prototype.onTouchStart=function(t){var e,n,r;if(t.targetTouches.length>1)return!0;if(e=this.getTargetElementFromEventTarget(t.target),n=t.targetTouches[0],c){if(r=window.getSelection(),r.rangeCount&&!r.isCollapsed)return!0;if(!u){if(n.identifier&&n.identifier===this.lastTouchIdentifier)return t.preventDefault(),!1;this.lastTouchIdentifier=n.identifier,this.updateScrollParent(e)}}return this.trackingClick=!0,this.trackingClickStart=t.timeStamp,this.targetElement=e,this.touchStartX=n.pageX,this.touchStartY=n.pageY,t.timeStamp-this.lastClickTimen||Math.abs(e.pageY-this.touchStartY)>n},i.prototype.onTouchMove=function(t){return!this.trackingClick||((this.targetElement!==this.getTargetElementFromEventTarget(t.target)||this.touchHasMoved(t))&&(this.trackingClick=!1,this.targetElement=null),!0)},i.prototype.findControl=function(t){return void 0!==t.control?t.control:t.htmlFor?document.getElementById(t.htmlFor):t.querySelector("button, input:not([type=hidden]), keygen, meter, output, progress, select, textarea")},i.prototype.onTouchEnd=function(t){var e,n,r,o,i,s=this.targetElement;if(!this.trackingClick)return!0;if(t.timeStamp-this.lastClickTimethis.tapTimeout)return!0;if(this.cancelNextClick=!1,this.lastClickTime=t.timeStamp,n=this.trackingClickStart,this.trackingClick=!1,this.trackingClickStart=0,l&&(i=t.changedTouches[0],s=document.elementFromPoint(i.pageX-window.pageXOffset,i.pageY-window.pageYOffset)||s,s.fastClickScrollParent=this.targetElement.fastClickScrollParent),r=s.tagName.toLowerCase(),"label"===r){if(e=this.findControl(s)){if(this.focus(s),a)return!1;s=e}}else if(this.needsFocus(s))return t.timeStamp-n>100||c&&window.top!==window&&"input"===r?(this.targetElement=null,!1):(this.focus(s),this.sendClick(s,t),c&&"select"===r||(this.targetElement=null,t.preventDefault()),!1);return!(!c||u||(o=s.fastClickScrollParent,!o||o.fastClickLastScrollTop===o.scrollTop))||(this.needsClick(s)||(t.preventDefault(),this.sendClick(s,t)),!1)},i.prototype.onTouchCancel=function(){this.trackingClick=!1,this.targetElement=null},i.prototype.onMouse=function(t){return!this.targetElement||(!!t.forwardedTouchEvent||(!t.cancelable||(!(!this.needsClick(this.targetElement)||this.cancelNextClick)||(t.stopImmediatePropagation?t.stopImmediatePropagation():t.propagationStopped=!0,t.stopPropagation(),t.preventDefault(),!1))))},i.prototype.onClick=function(t){var e;return this.trackingClick?(this.targetElement=null,this.trackingClick=!1,!0):"submit"===t.target.type&&0===t.detail||(e=this.onMouse(t),e||(this.targetElement=null),e)},i.prototype.destroy=function(){var t=this.layer;a&&(t.removeEventListener("mouseover",this.onMouse,!0),t.removeEventListener("mousedown",this.onMouse,!0),t.removeEventListener("mouseup",this.onMouse,!0)),t.removeEventListener("click",this.onClick,!0),t.removeEventListener("touchstart",this.onTouchStart,!1),t.removeEventListener("touchmove",this.onTouchMove,!1),t.removeEventListener("touchend",this.onTouchEnd,!1),t.removeEventListener("touchcancel",this.onTouchCancel,!1)},i.notNeeded=function(t){var e,n,r,o;if("undefined"==typeof window.ontouchstart)return!0;if(n=+(/Chrome\/([0-9]+)/.exec(navigator.userAgent)||[,0])[1]){if(!a)return!0;if(e=document.querySelector("meta[name=viewport]")){if(e.content.indexOf("user-scalable=no")!==-1)return!0;if(n>31&&document.documentElement.scrollWidth<=window.outerWidth)return!0}}if(f&&(r=navigator.userAgent.match(/Version\/([0-9]*)\.([0-9]*)/),r[1]>=10&&r[2]>=3&&(e=document.querySelector("meta[name=viewport]")))){if(e.content.indexOf("user-scalable=no")!==-1)return!0;if(document.documentElement.scrollWidth<=window.outerWidth)return!0}return"none"===t.style.msTouchAction||"manipulation"===t.style.touchAction||(o=+(/Firefox\/([0-9]+)/.exec(navigator.userAgent)||[,0])[1],!!(o>=27&&(e=document.querySelector("meta[name=viewport]"),e&&(e.content.indexOf("user-scalable=no")!==-1||document.documentElement.scrollWidth<=window.outerWidth)))||("none"===t.style.touchAction||"manipulation"===t.style.touchAction))},i.attach=function(t,e){return new i(t,e)},"object"===o(n(33))&&n(33)?(r=function(){return i}.call(e,n,e,t),!(void 0!==r&&(t.exports=r))):"undefined"!=typeof t&&t.exports?(t.exports=i.attach,t.exports.FastClick=i):window.FastClick=i}()},function(t,e,n){"use strict";var r,o,i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t};!function(s){var a=!1;if(r=s,o="function"==typeof r?r.call(e,n,e,t):r,!(void 0!==o&&(t.exports=o)),a=!0,"object"===i(e)&&(t.exports=s(),a=!0),!a){var c=window.Cookies,u=window.Cookies=s();u.noConflict=function(){return window.Cookies=c,u}}}(function(){function t(){for(var t=0,e={};t1){if(i=t({path:"/"},r.defaults,i),"number"==typeof i.expires){var a=new Date;a.setMilliseconds(a.getMilliseconds()+864e5*i.expires),i.expires=a}try{s=JSON.stringify(o),/^[\{\[]/.test(s)&&(o=s)}catch(t){}return o=n.write?n.write(o,e):encodeURIComponent(String(o)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g,decodeURIComponent),e=encodeURIComponent(String(e)),e=e.replace(/%(23|24|26|2B|5E|60|7C)/g,decodeURIComponent),e=e.replace(/[\(\)]/g,escape),document.cookie=[e,"=",o,i.expires?"; expires="+i.expires.toUTCString():"",i.path?"; path="+i.path:"",i.domain?"; domain="+i.domain:"",i.secure?"; secure":""].join("")}e||(s={});for(var c=document.cookie?document.cookie.split("; "):[],u=/(%[0-9A-Z]{2})+/g,l=0;ln.idx?n=n.next:(r+=e.val*n.val,e=e.next,n=n.next);return r},i.Vector.prototype.similarity=function(t){return this.dot(t)/(this.magnitude()*t.magnitude())},i.SortedSet=function(){this.length=0,this.elements=[]},i.SortedSet.load=function(t){var e=new this;return e.elements=t,e.length=t.length,e},i.SortedSet.prototype.add=function(){var t,e;for(t=0;t1;){if(i===t)return o;it&&(n=o),r=n-e,o=e+Math.floor(r/2),i=this.elements[o]}return i===t?o:-1},i.SortedSet.prototype.locationFor=function(t){for(var e=0,n=this.elements.length,r=n-e,o=e+Math.floor(r/2),i=this.elements[o];r>1;)it&&(n=o),r=n-e,o=e+Math.floor(r/2),i=this.elements[o];return i>t?o:io-1||r>s-1)break;a[n]!==c[r]?a[n]c[r]&&r++:(e.add(a[n]),n++,r++)}return e},i.SortedSet.prototype.clone=function(){var t=new i.SortedSet;return t.elements=this.toArray(),t.length=t.elements.length,t},i.SortedSet.prototype.union=function(t){var e,n,r;this.length>=t.length?(e=this,n=t):(e=t,n=this),r=e.clone();for(var o=0,i=n.toArray();o0&&(r=1+Math.log(this.documentStore.length/n)),this._idfCache[e]=r},i.Index.prototype.search=function(t){var e=this.pipeline.run(this.tokenizerFn(t)),n=new i.Vector,r=[],o=this._fields.reduce(function(t,e){return t+e.boost},0),s=e.some(function(t){return this.tokenStore.has(t)},this);if(!s)return[];e.forEach(function(t,e,s){var a=1/s.length*this._fields.length*o,c=this,u=this.tokenStore.expand(t).reduce(function(e,r){var o=c.corpusTokens.indexOf(r),s=c.idf(r),u=1,l=new i.SortedSet;if(r!==t){var f=Math.max(3,r.length-t.length);u=1/Math.log(f)}o>-1&&n.insert(o,a*s*u);for(var h=c.tokenStore.get(r),d=Object.keys(h),p=d.length,v=0;v0&&(this.els_[n-1].dataset.mdState="blur"),this.index_=n;else for(var r=this.index_;r>=0;r--){if(!(this.anchors_[r].offsetTop-80>t)){this.index_=r;break}r>0&&(this.els_[r-1].dataset.mdState="")}this.offset_=t,this.dir_=e}}},{key:"reset",value:function(){Array.prototype.forEach.call(this.els_,function(t){t.dataset.mdState=""}),this.index_=0,this.offset_=window.pageYOffset}}]),t}();e.a=i},function(t,e,n){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=function(){function t(t,e){for(var n=0;nn){for(;" "!==t[n]&&--n>0;);return t.substring(0,n)+"..."}return t}},{key:"update",value:function(t){var e=this;if("focus"!==t.type||this.index_){if("keyup"===t.type){var n=t.target;if(!(n instanceof HTMLInputElement))throw new ReferenceError;for(;this.list_.firstChild;)this.list_.removeChild(this.list_.firstChild);var r=this.index_.search(n.value);r+=3,r.forEach(function(t){var n=e.data_[t.ref],r=n.location.split("#"),o=s(r,1),i=o[0];i=i.replace(/^(\/?\.{2})+/g,""),e.list_.appendChild(JSX.createElement("li",{class:"md-search-result__item"},JSX.createElement("a",{href:n.location,title:n.title,class:"md-search-result__link","data-md-rel":i===document.location.pathname?"anchor":""},JSX.createElement("article",{class:"md-search-result__article"},JSX.createElement("h1",{class:"md-search-result__title"},n.title),JSX.createElement("p",{class:"md-search-result__teaser"},e.truncate_(n.text,140))))))});var o=this.list_.querySelectorAll("[data-md-rel=anchor]");Array.prototype.forEach.call(o,function(t){t.addEventListener("click",function(e){var n=document.querySelector("[data-md-toggle=search]");n instanceof HTMLInputElement&&n.checked&&(n.checked=!1,n.dispatchEvent(new CustomEvent("change"))),e.preventDefault(),setTimeout(function(){document.location.href=t.href},100)})}),this.meta_.textContent=r.length+" search result"+(1!==r.length?"s":"")}}else!function(){var t=function(t){e.index_=i()(function(){this.field("title",{boost:10}),this.field("text"),this.ref("location")}),e.data_=t.reduce(function(t,n){return e.index_.add(n),t[n.location]=n,t},{})};setTimeout(function(){return"function"==typeof e.data_?e.data_().then(t):t(e.data_)},250)}()}}]),t}();e.a=c},function(t,e,n){"use strict";var r=n(83);e.a={Position:r.a}},function(t,e,n){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=function(){function t(t,e){for(var n=0;n=this.offset_?"lock"!==this.el_.dataset.mdState&&(this.el_.dataset.mdState="lock"):"lock"===this.el_.dataset.mdState&&(this.el_.dataset.mdState="")}},{key:"reset",value:function(){this.el_.dataset.mdState="",this.el_.style.height="",this.height_=0}}]),t}();e.a=i},function(t,e,n){"use strict";var r=n(85),o=n(88);e.a={Adapter:r.a,Repository:o.a}},function(t,e,n){"use strict";var r=n(87);e.a={GitHub:r.a}},function(t,e,n){"use strict";function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=n(70),i=n.n(o),s=function(){function t(t,e){for(var n=0;n1e4?(t/1e3).toFixed(0)+"k":t>1e3?(t/1e3).toFixed(1)+"k":""+t}},{key:"hash_",value:function(t){var e=0;if(0===t.length)return e;for(var n=0,r=t.length;n 0 ? floor : ceil)(it); -}; - -/***/ }), -/* 20 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// to indexed object, toObject with fallback for non-array-like ES3 strings -var IObject = __webpack_require__(45), - defined = __webpack_require__(15); -module.exports = function (it) { - return IObject(defined(it)); -}; - -/***/ }), -/* 21 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var id = 0, - px = Math.random(); -module.exports = function (key) { - return 'Symbol('.concat(key === undefined ? '' : key, ')_', (++id + px).toString(36)); -}; - -/***/ }), -/* 22 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -Object.defineProperty(exports, "__esModule", { - value: true -}); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -exports.default = /* JSX */{ - - /** - * Create a native DOM node from JSX's intermediate representation - * - * @param {string} tag - Tag name - * @param {object} properties - Properties - * @param {...(string|number|Array)} children - Child nodes - * @return {HTMLElement} Native DOM node - */ - createElement: function createElement(tag, properties) { - var el = document.createElement(tag); - - /* Set all properties */ - if (properties) Array.prototype.forEach.call(Object.keys(properties), function (attr) { - el.setAttribute(attr, properties[attr]); - }); - - /* Iterate child nodes */ - var iterateChildNodes = function iterateChildNodes(nodes) { - Array.prototype.forEach.call(nodes, function (node) { - - /* Directly append text content */ - if (typeof node === "string" || typeof node === "number") { - el.textContent += node; - - /* Recurse, if we got an array */ - } else if (Array.isArray(node)) { - iterateChildNodes(node); - - /* Append regular nodes */ - } else { - el.appendChild(node); - } - }); - }; - - /* Iterate child nodes and return element */ - - for (var _len = arguments.length, children = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) { - children[_key - 2] = arguments[_key]; - } - - iterateChildNodes(children); - return el; - } -}; -module.exports = exports["default"]; - -/***/ }), -/* 23 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// IE 8- don't enum bug keys -module.exports = 'constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf'.split(','); - -/***/ }), -/* 24 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var global = __webpack_require__(1), - core = __webpack_require__(4), - hide = __webpack_require__(3), - redefine = __webpack_require__(8), - ctx = __webpack_require__(10), - PROTOTYPE = 'prototype'; - -var $export = function $export(type, name, source) { - var IS_FORCED = type & $export.F, - IS_GLOBAL = type & $export.G, - IS_STATIC = type & $export.S, - IS_PROTO = type & $export.P, - IS_BIND = type & $export.B, - target = IS_GLOBAL ? global : IS_STATIC ? global[name] || (global[name] = {}) : (global[name] || {})[PROTOTYPE], - exports = IS_GLOBAL ? core : core[name] || (core[name] = {}), - expProto = exports[PROTOTYPE] || (exports[PROTOTYPE] = {}), - key, - own, - out, - exp; - if (IS_GLOBAL) source = name; - for (key in source) { - // contains in native - own = !IS_FORCED && target && target[key] !== undefined; - // export native or passed - out = (own ? target : source)[key]; - // bind timers to global for call from export context - exp = IS_BIND && own ? ctx(out, global) : IS_PROTO && typeof out == 'function' ? ctx(Function.call, out) : out; - // extend global - if (target) redefine(target, key, out, type & $export.U); - // export - if (exports[key] != out) hide(exports, key, exp); - if (IS_PROTO && expProto[key] != out) expProto[key] = out; - } -}; -global.core = core; -// type bitmap -$export.F = 1; // forced -$export.G = 2; // global -$export.S = 4; // static -$export.P = 8; // proto -$export.B = 16; // bind -$export.W = 32; // wrap -$export.U = 64; // safe -$export.R = 128; // real proto method for `library` -module.exports = $export; - -/***/ }), -/* 25 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = function (exec) { - try { - return !!exec(); - } catch (e) { - return true; - } -}; - -/***/ }), -/* 26 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = __webpack_require__(1).document && document.documentElement; - -/***/ }), -/* 27 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var LIBRARY = __webpack_require__(28), - $export = __webpack_require__(24), - redefine = __webpack_require__(8), - hide = __webpack_require__(3), - has = __webpack_require__(6), - Iterators = __webpack_require__(7), - $iterCreate = __webpack_require__(48), - setToStringTag = __webpack_require__(17), - getPrototypeOf = __webpack_require__(54), - ITERATOR = __webpack_require__(0)('iterator'), - BUGGY = !([].keys && 'next' in [].keys()) // Safari has buggy iterators w/o `next` -, - FF_ITERATOR = '@@iterator', - KEYS = 'keys', - VALUES = 'values'; - -var returnThis = function returnThis() { - return this; -}; - -module.exports = function (Base, NAME, Constructor, next, DEFAULT, IS_SET, FORCED) { - $iterCreate(Constructor, NAME, next); - var getMethod = function getMethod(kind) { - if (!BUGGY && kind in proto) return proto[kind]; - switch (kind) { - case KEYS: - return function keys() { - return new Constructor(this, kind); - }; - case VALUES: - return function values() { - return new Constructor(this, kind); - }; - }return function entries() { - return new Constructor(this, kind); - }; - }; - var TAG = NAME + ' Iterator', - DEF_VALUES = DEFAULT == VALUES, - VALUES_BUG = false, - proto = Base.prototype, - $native = proto[ITERATOR] || proto[FF_ITERATOR] || DEFAULT && proto[DEFAULT], - $default = $native || getMethod(DEFAULT), - $entries = DEFAULT ? !DEF_VALUES ? $default : getMethod('entries') : undefined, - $anyNative = NAME == 'Array' ? proto.entries || $native : $native, - methods, - key, - IteratorPrototype; - // Fix native - if ($anyNative) { - IteratorPrototype = getPrototypeOf($anyNative.call(new Base())); - if (IteratorPrototype !== Object.prototype) { - // Set @@toStringTag to native iterators - setToStringTag(IteratorPrototype, TAG, true); - // fix for some old engines - if (!LIBRARY && !has(IteratorPrototype, ITERATOR)) hide(IteratorPrototype, ITERATOR, returnThis); - } - } - // fix Array#{values, @@iterator}.name in V8 / FF - if (DEF_VALUES && $native && $native.name !== VALUES) { - VALUES_BUG = true; - $default = function values() { - return $native.call(this); - }; - } - // Define iterator - if ((!LIBRARY || FORCED) && (BUGGY || VALUES_BUG || !proto[ITERATOR])) { - hide(proto, ITERATOR, $default); - } - // Plug for library - Iterators[NAME] = $default; - Iterators[TAG] = returnThis; - if (DEFAULT) { - methods = { - values: DEF_VALUES ? $default : getMethod(VALUES), - keys: IS_SET ? $default : getMethod(KEYS), - entries: $entries - }; - if (FORCED) for (key in methods) { - if (!(key in proto)) redefine(proto, key, methods[key]); - } else $export($export.P + $export.F * (BUGGY || VALUES_BUG), NAME, methods); - } - return methods; -}; - -/***/ }), -/* 28 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = false; - -/***/ }), -/* 29 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = function (bitmap, value) { - return { - enumerable: !(bitmap & 1), - configurable: !(bitmap & 2), - writable: !(bitmap & 4), - value: value - }; -}; - -/***/ }), -/* 30 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var global = __webpack_require__(1), - SHARED = '__core-js_shared__', - store = global[SHARED] || (global[SHARED] = {}); -module.exports = function (key) { - return store[key] || (store[key] = {}); -}; - -/***/ }), -/* 31 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var ctx = __webpack_require__(10), - invoke = __webpack_require__(44), - html = __webpack_require__(26), - cel = __webpack_require__(16), - global = __webpack_require__(1), - process = global.process, - setTask = global.setImmediate, - clearTask = global.clearImmediate, - MessageChannel = global.MessageChannel, - counter = 0, - queue = {}, - ONREADYSTATECHANGE = 'onreadystatechange', - defer, - channel, - port; -var run = function run() { - var id = +this; - if (queue.hasOwnProperty(id)) { - var fn = queue[id]; - delete queue[id]; - fn(); - } -}; -var listener = function listener(event) { - run.call(event.data); -}; -// Node.js 0.9+ & IE10+ has setImmediate, otherwise: -if (!setTask || !clearTask) { - setTask = function setImmediate(fn) { - var args = [], - i = 1; - while (arguments.length > i) { - args.push(arguments[i++]); - }queue[++counter] = function () { - invoke(typeof fn == 'function' ? fn : Function(fn), args); - }; - defer(counter); - return counter; - }; - clearTask = function clearImmediate(id) { - delete queue[id]; - }; - // Node.js 0.8- - if (__webpack_require__(9)(process) == 'process') { - defer = function defer(id) { - process.nextTick(ctx(run, id, 1)); - }; - // Browsers with MessageChannel, includes WebWorkers - } else if (MessageChannel) { - channel = new MessageChannel(); - port = channel.port2; - channel.port1.onmessage = listener; - defer = ctx(port.postMessage, port, 1); - // Browsers with postMessage, skip WebWorkers - // IE8 has postMessage, but it's sync & typeof its postMessage is 'object' - } else if (global.addEventListener && typeof postMessage == 'function' && !global.importScripts) { - defer = function defer(id) { - global.postMessage(id + '', '*'); - }; - global.addEventListener('message', listener, false); - // IE8- - } else if (ONREADYSTATECHANGE in cel('script')) { - defer = function defer(id) { - html.appendChild(cel('script'))[ONREADYSTATECHANGE] = function () { - html.removeChild(this); - run.call(id); - }; - }; - // Rest old browsers - } else { - defer = function defer(id) { - setTimeout(ctx(run, id, 1), 0); - }; - } -} -module.exports = { - set: setTask, - clear: clearTask -}; - -/***/ }), -/* 32 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 7.1.15 ToLength -var toInteger = __webpack_require__(19), - min = Math.min; -module.exports = function (it) { - return it > 0 ? min(toInteger(it), 0x1fffffffffffff) : 0; // pow(2, 53) - 1 == 9007199254740991 -}; - -/***/ }), -/* 33 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Listener = function () { - - /** - * Generic event listener - * - * @constructor - * - * @property {(Array)} els_ - Event targets - * @property {Object} handler_- Event handlers - * @property {Array} events_ - Event names - * @property {Function} update_ - Update handler - * - * @param {?(string|EventTarget|NodeList)} els - - * Selector or Event targets - * @param {(string|Array)} events - Event names - * @param {(Object|Function)} handler - Handler to be invoked - */ - function Listener(els, events, handler) { - var _this = this; - - _classCallCheck(this, Listener); - - this.els_ = Array.prototype.slice.call(typeof els === "string" ? document.querySelectorAll(els) : [].concat(els)); - - /* Set handler as function or directly as object */ - this.handler_ = typeof handler === "function" ? { update: handler } : handler; - - /* Initialize event names and update handler */ - this.events_ = [].concat(events); - this.update_ = function (ev) { - return _this.handler_.update(ev); - }; - } - - /** - * Register listener for all relevant events - */ - - - _createClass(Listener, [{ - key: "listen", - value: function listen() { - var _this2 = this; - - this.els_.forEach(function (el) { - _this2.events_.forEach(function (event) { - el.addEventListener(event, _this2.update_, false); - }); - }); - - /* Execute setup handler, if implemented */ - if (typeof this.handler_.setup === "function") this.handler_.setup(); - } - - /** - * Unregister listener for all relevant events - */ - - }, { - key: "unlisten", - value: function unlisten() { - var _this3 = this; - - this.els_.forEach(function (el) { - _this3.events_.forEach(function (event) { - el.removeEventListener(event, _this3.update_); - }); - }); - - /* Execute reset handler, if implemented */ - if (typeof this.handler_.reset === "function") this.handler_.reset(); - } - }]); - - return Listener; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Listener; - -/***/ }), -/* 34 */ -/***/ (function(module, exports) { - -/* WEBPACK VAR INJECTION */(function(__webpack_amd_options__) {/* globals __webpack_amd_options__ */ -module.exports = __webpack_amd_options__; - -/* WEBPACK VAR INJECTION */}.call(exports, {})) - -/***/ }), -/* 35 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -__webpack_require__(66); -__webpack_require__(68); -__webpack_require__(69); -__webpack_require__(67); -module.exports = __webpack_require__(4).Promise; - -/***/ }), -/* 36 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// Polyfill for creating CustomEvents on IE9/10/11 - -// code pulled from: -// https://github.com/d4tocchini/customevent-polyfill -// https://developer.mozilla.org/en-US/docs/Web/API/CustomEvent#Polyfill - -try { - var ce = new window.CustomEvent('test'); - ce.preventDefault(); - if (ce.defaultPrevented !== true) { - // IE has problems with .preventDefault() on custom events - // http://stackoverflow.com/questions/23349191 - throw new Error('Could not prevent default'); - } -} catch (e) { - var CustomEvent = function CustomEvent(event, params) { - var evt, origPrevent; - params = params || { - bubbles: false, - cancelable: false, - detail: undefined - }; - - evt = document.createEvent("CustomEvent"); - evt.initCustomEvent(event, params.bubbles, params.cancelable, params.detail); - origPrevent = evt.preventDefault; - evt.preventDefault = function () { - origPrevent.call(this); - try { - Object.defineProperty(this, 'defaultPrevented', { - get: function get() { - return true; - } - }); - } catch (e) { - this.defaultPrevented = true; - } - }; - return evt; - }; - - CustomEvent.prototype = window.Event.prototype; - window.CustomEvent = CustomEvent; // expose definition to window -} - -/***/ }), -/* 37 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -(function (self) { - 'use strict'; - - if (self.fetch) { - return; - } - - var support = { - searchParams: 'URLSearchParams' in self, - iterable: 'Symbol' in self && 'iterator' in Symbol, - blob: 'FileReader' in self && 'Blob' in self && function () { - try { - new Blob(); - return true; - } catch (e) { - return false; - } - }(), - formData: 'FormData' in self, - arrayBuffer: 'ArrayBuffer' in self - }; - - if (support.arrayBuffer) { - var viewClasses = ['[object Int8Array]', '[object Uint8Array]', '[object Uint8ClampedArray]', '[object Int16Array]', '[object Uint16Array]', '[object Int32Array]', '[object Uint32Array]', '[object Float32Array]', '[object Float64Array]']; - - var isDataView = function isDataView(obj) { - return obj && DataView.prototype.isPrototypeOf(obj); - }; - - var isArrayBufferView = ArrayBuffer.isView || function (obj) { - return obj && viewClasses.indexOf(Object.prototype.toString.call(obj)) > -1; - }; - } - - function normalizeName(name) { - if (typeof name !== 'string') { - name = String(name); - } - if (/[^a-z0-9\-#$%&'*+.\^_`|~]/i.test(name)) { - throw new TypeError('Invalid character in header field name'); - } - return name.toLowerCase(); - } - - function normalizeValue(value) { - if (typeof value !== 'string') { - value = String(value); - } - return value; - } - - // Build a destructive iterator for the value list - function iteratorFor(items) { - var iterator = { - next: function next() { - var value = items.shift(); - return { done: value === undefined, value: value }; - } - }; - - if (support.iterable) { - iterator[Symbol.iterator] = function () { - return iterator; - }; - } - - return iterator; - } - - function Headers(headers) { - this.map = {}; - - if (headers instanceof Headers) { - headers.forEach(function (value, name) { - this.append(name, value); - }, this); - } else if (headers) { - Object.getOwnPropertyNames(headers).forEach(function (name) { - this.append(name, headers[name]); - }, this); - } - } - - Headers.prototype.append = function (name, value) { - name = normalizeName(name); - value = normalizeValue(value); - var oldValue = this.map[name]; - this.map[name] = oldValue ? oldValue + ',' + value : value; - }; - - Headers.prototype['delete'] = function (name) { - delete this.map[normalizeName(name)]; - }; - - Headers.prototype.get = function (name) { - name = normalizeName(name); - return this.has(name) ? this.map[name] : null; - }; - - Headers.prototype.has = function (name) { - return this.map.hasOwnProperty(normalizeName(name)); - }; - - Headers.prototype.set = function (name, value) { - this.map[normalizeName(name)] = normalizeValue(value); - }; - - Headers.prototype.forEach = function (callback, thisArg) { - for (var name in this.map) { - if (this.map.hasOwnProperty(name)) { - callback.call(thisArg, this.map[name], name, this); - } - } - }; - - Headers.prototype.keys = function () { - var items = []; - this.forEach(function (value, name) { - items.push(name); - }); - return iteratorFor(items); - }; - - Headers.prototype.values = function () { - var items = []; - this.forEach(function (value) { - items.push(value); - }); - return iteratorFor(items); - }; - - Headers.prototype.entries = function () { - var items = []; - this.forEach(function (value, name) { - items.push([name, value]); - }); - return iteratorFor(items); - }; - - if (support.iterable) { - Headers.prototype[Symbol.iterator] = Headers.prototype.entries; - } - - function consumed(body) { - if (body.bodyUsed) { - return Promise.reject(new TypeError('Already read')); - } - body.bodyUsed = true; - } - - function fileReaderReady(reader) { - return new Promise(function (resolve, reject) { - reader.onload = function () { - resolve(reader.result); - }; - reader.onerror = function () { - reject(reader.error); - }; - }); - } - - function readBlobAsArrayBuffer(blob) { - var reader = new FileReader(); - var promise = fileReaderReady(reader); - reader.readAsArrayBuffer(blob); - return promise; - } - - function readBlobAsText(blob) { - var reader = new FileReader(); - var promise = fileReaderReady(reader); - reader.readAsText(blob); - return promise; - } - - function readArrayBufferAsText(buf) { - var view = new Uint8Array(buf); - var chars = new Array(view.length); - - for (var i = 0; i < view.length; i++) { - chars[i] = String.fromCharCode(view[i]); - } - return chars.join(''); - } - - function bufferClone(buf) { - if (buf.slice) { - return buf.slice(0); - } else { - var view = new Uint8Array(buf.byteLength); - view.set(new Uint8Array(buf)); - return view.buffer; - } - } - - function Body() { - this.bodyUsed = false; - - this._initBody = function (body) { - this._bodyInit = body; - if (!body) { - this._bodyText = ''; - } else if (typeof body === 'string') { - this._bodyText = body; - } else if (support.blob && Blob.prototype.isPrototypeOf(body)) { - this._bodyBlob = body; - } else if (support.formData && FormData.prototype.isPrototypeOf(body)) { - this._bodyFormData = body; - } else if (support.searchParams && URLSearchParams.prototype.isPrototypeOf(body)) { - this._bodyText = body.toString(); - } else if (support.arrayBuffer && support.blob && isDataView(body)) { - this._bodyArrayBuffer = bufferClone(body.buffer); - // IE 10-11 can't handle a DataView body. - this._bodyInit = new Blob([this._bodyArrayBuffer]); - } else if (support.arrayBuffer && (ArrayBuffer.prototype.isPrototypeOf(body) || isArrayBufferView(body))) { - this._bodyArrayBuffer = bufferClone(body); - } else { - throw new Error('unsupported BodyInit type'); - } - - if (!this.headers.get('content-type')) { - if (typeof body === 'string') { - this.headers.set('content-type', 'text/plain;charset=UTF-8'); - } else if (this._bodyBlob && this._bodyBlob.type) { - this.headers.set('content-type', this._bodyBlob.type); - } else if (support.searchParams && URLSearchParams.prototype.isPrototypeOf(body)) { - this.headers.set('content-type', 'application/x-www-form-urlencoded;charset=UTF-8'); - } - } - }; - - if (support.blob) { - this.blob = function () { - var rejected = consumed(this); - if (rejected) { - return rejected; - } - - if (this._bodyBlob) { - return Promise.resolve(this._bodyBlob); - } else if (this._bodyArrayBuffer) { - return Promise.resolve(new Blob([this._bodyArrayBuffer])); - } else if (this._bodyFormData) { - throw new Error('could not read FormData body as blob'); - } else { - return Promise.resolve(new Blob([this._bodyText])); - } - }; - - this.arrayBuffer = function () { - if (this._bodyArrayBuffer) { - return consumed(this) || Promise.resolve(this._bodyArrayBuffer); - } else { - return this.blob().then(readBlobAsArrayBuffer); - } - }; - } - - this.text = function () { - var rejected = consumed(this); - if (rejected) { - return rejected; - } - - if (this._bodyBlob) { - return readBlobAsText(this._bodyBlob); - } else if (this._bodyArrayBuffer) { - return Promise.resolve(readArrayBufferAsText(this._bodyArrayBuffer)); - } else if (this._bodyFormData) { - throw new Error('could not read FormData body as text'); - } else { - return Promise.resolve(this._bodyText); - } - }; - - if (support.formData) { - this.formData = function () { - return this.text().then(decode); - }; - } - - this.json = function () { - return this.text().then(JSON.parse); - }; - - return this; - } - - // HTTP methods whose capitalization should be normalized - var methods = ['DELETE', 'GET', 'HEAD', 'OPTIONS', 'POST', 'PUT']; - - function normalizeMethod(method) { - var upcased = method.toUpperCase(); - return methods.indexOf(upcased) > -1 ? upcased : method; - } - - function Request(input, options) { - options = options || {}; - var body = options.body; - - if (input instanceof Request) { - if (input.bodyUsed) { - throw new TypeError('Already read'); - } - this.url = input.url; - this.credentials = input.credentials; - if (!options.headers) { - this.headers = new Headers(input.headers); - } - this.method = input.method; - this.mode = input.mode; - if (!body && input._bodyInit != null) { - body = input._bodyInit; - input.bodyUsed = true; - } - } else { - this.url = String(input); - } - - this.credentials = options.credentials || this.credentials || 'omit'; - if (options.headers || !this.headers) { - this.headers = new Headers(options.headers); - } - this.method = normalizeMethod(options.method || this.method || 'GET'); - this.mode = options.mode || this.mode || null; - this.referrer = null; - - if ((this.method === 'GET' || this.method === 'HEAD') && body) { - throw new TypeError('Body not allowed for GET or HEAD requests'); - } - this._initBody(body); - } - - Request.prototype.clone = function () { - return new Request(this, { body: this._bodyInit }); - }; - - function decode(body) { - var form = new FormData(); - body.trim().split('&').forEach(function (bytes) { - if (bytes) { - var split = bytes.split('='); - var name = split.shift().replace(/\+/g, ' '); - var value = split.join('=').replace(/\+/g, ' '); - form.append(decodeURIComponent(name), decodeURIComponent(value)); - } - }); - return form; - } - - function parseHeaders(rawHeaders) { - var headers = new Headers(); - rawHeaders.split(/\r?\n/).forEach(function (line) { - var parts = line.split(':'); - var key = parts.shift().trim(); - if (key) { - var value = parts.join(':').trim(); - headers.append(key, value); - } - }); - return headers; - } - - Body.call(Request.prototype); - - function Response(bodyInit, options) { - if (!options) { - options = {}; - } - - this.type = 'default'; - this.status = 'status' in options ? options.status : 200; - this.ok = this.status >= 200 && this.status < 300; - this.statusText = 'statusText' in options ? options.statusText : 'OK'; - this.headers = new Headers(options.headers); - this.url = options.url || ''; - this._initBody(bodyInit); - } - - Body.call(Response.prototype); - - Response.prototype.clone = function () { - return new Response(this._bodyInit, { - status: this.status, - statusText: this.statusText, - headers: new Headers(this.headers), - url: this.url - }); - }; - - Response.error = function () { - var response = new Response(null, { status: 0, statusText: '' }); - response.type = 'error'; - return response; - }; - - var redirectStatuses = [301, 302, 303, 307, 308]; - - Response.redirect = function (url, status) { - if (redirectStatuses.indexOf(status) === -1) { - throw new RangeError('Invalid status code'); - } - - return new Response(null, { status: status, headers: { location: url } }); - }; - - self.Headers = Headers; - self.Request = Request; - self.Response = Response; - - self.fetch = function (input, init) { - return new Promise(function (resolve, reject) { - var request = new Request(input, init); - var xhr = new XMLHttpRequest(); - - xhr.onload = function () { - var options = { - status: xhr.status, - statusText: xhr.statusText, - headers: parseHeaders(xhr.getAllResponseHeaders() || '') - }; - options.url = 'responseURL' in xhr ? xhr.responseURL : options.headers.get('X-Request-URL'); - var body = 'response' in xhr ? xhr.response : xhr.responseText; - resolve(new Response(body, options)); - }; - - xhr.onerror = function () { - reject(new TypeError('Network request failed')); - }; - - xhr.ontimeout = function () { - reject(new TypeError('Network request failed')); - }; - - xhr.open(request.method, request.url, true); - - if (request.credentials === 'include') { - xhr.withCredentials = true; - } - - if ('responseType' in xhr && support.blob) { - xhr.responseType = 'blob'; - } - - request.headers.forEach(function (value, name) { - xhr.setRequestHeader(name, value); - }); - - xhr.send(typeof request._bodyInit === 'undefined' ? null : request._bodyInit); - }); - }; - self.fetch.polyfill = true; -})(typeof self !== 'undefined' ? self : undefined); - -/***/ }), -/* 38 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -Object.defineProperty(__webpack_exports__, "__esModule", { value: true }); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_fastclick__ = __webpack_require__(70); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_fastclick___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_fastclick__); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__components_Material__ = __webpack_require__(73); -/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "initialize", function() { return initialize; }); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - -/* ---------------------------------------------------------------------------- - * Application - * ------------------------------------------------------------------------- */ - -// TODO ./node_modules/.bin/gulp assets:javascripts:flow:annotate && ./node_modules/.bin/flow check -var initialize = function initialize(config) { - - /* Initialize Modernizr and FastClick */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(document, "DOMContentLoaded", function () { - - /* Test for iOS */ - Modernizr.addTest("ios", function () { - return !!navigator.userAgent.match(/(iPad|iPhone|iPod)/g); - }); - - /* Attach FastClick to mitigate 300ms delay on touch devices */ - __WEBPACK_IMPORTED_MODULE_0_fastclick___default.a.attach(document.body); - - /* Wrap all data tables for better overflow scrolling */ - var tables = document.querySelectorAll("table:not([class])"); - Array.prototype.forEach.call(tables, function (table) { - var wrap = document.createElement("div"); - wrap.classList.add("md-typeset__table"); - if (table.nextSibling) { - table.parentNode.insertBefore(wrap, table.nextSibling); - } else { - table.parentNode.appendChild(wrap); - } - wrap.appendChild(table); - }); - - /* Force 1px scroll offset to trigger overflow scrolling */ - if (Modernizr.ios) { - var scrollable = document.querySelectorAll("[data-md-scrollfix]"); - Array.prototype.forEach.call(scrollable, function (item) { - item.addEventListener("touchstart", function () { - var top = item.scrollTop; - - /* We're at the top of the container */ - if (top === 0) { - item.scrollTop = 1; - - /* We're at the bottom of the container */ - } else if (top + item.offsetHeight === item.scrollHeight) { - item.scrollTop = top - 1; - } - }); - }); - } - }).listen(); - - /* Component: sidebar with navigation */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 1220px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(window, ["scroll", "resize", "orientationchange"], new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Sidebar.Position("[data-md-component=navigation]"))); - - /* Component: sidebar with table of contents */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(window, ["scroll", "resize", "orientationchange"], new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Sidebar.Position("[data-md-component=toc]"))); - - /* Component: link blurring for table of contents */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(window, "scroll", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Nav.Blur("[data-md-component=toc] .md-nav__link"))); - - /* Component: collapsible elements for navigation */ - var collapsibles = document.querySelectorAll("[data-md-component=collapsible]"); - Array.prototype.forEach.call(collapsibles, function (collapse) { - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 1220px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(collapse.previousElementSibling, "click", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Nav.Collapse(collapse))); - }); - - /* Component: active pane monitor for iOS scrolling fixes */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(max-width: 1219px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-component=navigation] [data-md-toggle]", "change", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Nav.Scrolling("[data-md-component=navigation] nav"))); - - /* Component: search body lock for mobile */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(max-width: 959px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-toggle=search]", "change", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Search.Lock("[data-md-toggle=search]"))); - - /* Component: search results */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(document.forms.search.query, ["focus", "keyup"], new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Search.Result("[data-md-component=result]", function () { - return fetch(config.url.base + "/mkdocs/search_index.json", { - credentials: "same-origin" - }).then(function (response) { - return response.json(); - }).then(function (data) { - return data.docs.map(function (doc) { - doc.location = config.url.base + doc.location; - return doc; - }); - }); - })).listen(); - - /* Listener: prevent touches on overlay if navigation is active */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(max-width: 1219px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-component=overlay]", "touchstart", function (ev) { - return ev.preventDefault(); - })); - - /* Listener: close drawer when anchor links are clicked */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(max-width: 959px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-component=navigation] [href^='#']", "click", function () { - var toggle = document.querySelector("[data-md-toggle=drawer]"); - if (toggle instanceof HTMLInputElement && toggle.checked) { - toggle.checked = false; - toggle.dispatchEvent(new CustomEvent("change")); - } - })); - - /* Listener: focus input after opening search */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-toggle=search]", "change", function (ev) { - setTimeout(function (toggle) { - var query = document.forms.search.query; - if (toggle instanceof HTMLInputElement && toggle.checked) query.focus(); - }, 400, ev.target); - }).listen(); - - /* Listener: open search on focus */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(document.forms.search.query, "focus", function () { - var toggle = document.querySelector("[data-md-toggle=search]"); - if (toggle instanceof HTMLInputElement && !toggle.checked) { - toggle.checked = true; - toggle.dispatchEvent(new CustomEvent("change")); - } - })); - - /* Listener: close search when clicking outside */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(document.body, "click", function () { - var toggle = document.querySelector("[data-md-toggle=search]"); - if (toggle instanceof HTMLInputElement && toggle.checked) { - toggle.checked = false; - toggle.dispatchEvent(new CustomEvent("change")); - } - })); - - /* Listener: disable search when ESC key is pressed */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener(window, "keyup", function (ev) { - var code = ev.keyCode || ev.which; - if (code === 27) { - var toggle = document.querySelector("[data-md-toggle=search]"); - if (toggle instanceof HTMLInputElement && toggle.checked) { - toggle.checked = false; - toggle.dispatchEvent(new CustomEvent("change")); - document.forms.search.query.blur(); - } - } - }).listen(); - - /* Listener: fix unclickable toggle due to blur handler */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-toggle=search]", "click", function (ev) { - return ev.stopPropagation(); - })); - - /* Listener: prevent search from closing when clicking */ - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.MatchMedia("(min-width: 960px)", new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Event.Listener("[data-md-component=search]", "click", function (ev) { - return ev.stopPropagation(); - })) - - /* Retrieve facts for the given repository type */ - ;(function () { - var el = document.querySelector("[data-md-source]"); - if (!el) return Promise.resolve([]); - switch (el.dataset.mdSource) { - case "github": - return new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Source.Adapter.GitHub(el).fetch(); - default: - return Promise.resolve([]); - } - - /* Render repository source information */ - })().then(function (facts) { - var sources = document.querySelectorAll("[data-md-source]"); - Array.prototype.forEach.call(sources, function (source) { - new __WEBPACK_IMPORTED_MODULE_1__components_Material__["a" /* default */].Source.Repository(source).initialize(facts); - }); - }); -}; - -/***/ }), -/* 39 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 22.1.3.31 Array.prototype[@@unscopables] -var UNSCOPABLES = __webpack_require__(0)('unscopables'), - ArrayProto = Array.prototype; -if (ArrayProto[UNSCOPABLES] == undefined) __webpack_require__(3)(ArrayProto, UNSCOPABLES, {}); -module.exports = function (key) { - ArrayProto[UNSCOPABLES][key] = true; -}; - -/***/ }), -/* 40 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = function (it, Constructor, name, forbiddenField) { - if (!(it instanceof Constructor) || forbiddenField !== undefined && forbiddenField in it) { - throw TypeError(name + ': incorrect invocation!'); - }return it; -}; - -/***/ }), -/* 41 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// false -> Array#indexOf -// true -> Array#includes -var toIObject = __webpack_require__(20), - toLength = __webpack_require__(32), - toIndex = __webpack_require__(61); -module.exports = function (IS_INCLUDES) { - return function ($this, el, fromIndex) { - var O = toIObject($this), - length = toLength(O.length), - index = toIndex(fromIndex, length), - value; - // Array#includes uses SameValueZero equality algorithm - if (IS_INCLUDES && el != el) while (length > index) { - value = O[index++]; - if (value != value) return true; - // Array#toIndex ignores holes, Array#includes - not - } else for (; length > index; index++) { - if (IS_INCLUDES || index in O) { - if (O[index] === el) return IS_INCLUDES || index || 0; - } - }return !IS_INCLUDES && -1; - }; -}; - -/***/ }), -/* 42 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var ctx = __webpack_require__(10), - call = __webpack_require__(47), - isArrayIter = __webpack_require__(46), - anObject = __webpack_require__(2), - toLength = __webpack_require__(32), - getIterFn = __webpack_require__(64), - BREAK = {}, - RETURN = {}; -var _exports = module.exports = function (iterable, entries, fn, that, ITERATOR) { - var iterFn = ITERATOR ? function () { - return iterable; - } : getIterFn(iterable), - f = ctx(fn, that, entries ? 2 : 1), - index = 0, - length, - step, - iterator, - result; - if (typeof iterFn != 'function') throw TypeError(iterable + ' is not iterable!'); - // fast case for arrays with default iterator - if (isArrayIter(iterFn)) for (length = toLength(iterable.length); length > index; index++) { - result = entries ? f(anObject(step = iterable[index])[0], step[1]) : f(iterable[index]); - if (result === BREAK || result === RETURN) return result; - } else for (iterator = iterFn.call(iterable); !(step = iterator.next()).done;) { - result = call(iterator, f, step.value, entries); - if (result === BREAK || result === RETURN) return result; - } -}; -_exports.BREAK = BREAK; -_exports.RETURN = RETURN; - -/***/ }), -/* 43 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = !__webpack_require__(5) && !__webpack_require__(25)(function () { - return Object.defineProperty(__webpack_require__(16)('div'), 'a', { get: function get() { - return 7; - } }).a != 7; -}); - -/***/ }), -/* 44 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// fast apply, http://jsperf.lnkit.com/fast-apply/5 -module.exports = function (fn, args, that) { - var un = that === undefined; - switch (args.length) { - case 0: - return un ? fn() : fn.call(that); - case 1: - return un ? fn(args[0]) : fn.call(that, args[0]); - case 2: - return un ? fn(args[0], args[1]) : fn.call(that, args[0], args[1]); - case 3: - return un ? fn(args[0], args[1], args[2]) : fn.call(that, args[0], args[1], args[2]); - case 4: - return un ? fn(args[0], args[1], args[2], args[3]) : fn.call(that, args[0], args[1], args[2], args[3]); - }return fn.apply(that, args); -}; - -/***/ }), -/* 45 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// fallback for non-array-like ES3 and non-enumerable old V8 strings -var cof = __webpack_require__(9); -module.exports = Object('z').propertyIsEnumerable(0) ? Object : function (it) { - return cof(it) == 'String' ? it.split('') : Object(it); -}; - -/***/ }), -/* 46 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// check on default Array iterator -var Iterators = __webpack_require__(7), - ITERATOR = __webpack_require__(0)('iterator'), - ArrayProto = Array.prototype; - -module.exports = function (it) { - return it !== undefined && (Iterators.Array === it || ArrayProto[ITERATOR] === it); -}; - -/***/ }), -/* 47 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// call something on iterator step with safe closing on error -var anObject = __webpack_require__(2); -module.exports = function (iterator, fn, value, entries) { - try { - return entries ? fn(anObject(value)[0], value[1]) : fn(value); - // 7.4.6 IteratorClose(iterator, completion) - } catch (e) { - var ret = iterator['return']; - if (ret !== undefined) anObject(ret.call(iterator)); - throw e; - } -}; - -/***/ }), -/* 48 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var create = __webpack_require__(52), - descriptor = __webpack_require__(29), - setToStringTag = __webpack_require__(17), - IteratorPrototype = {}; - -// 25.1.2.1.1 %IteratorPrototype%[@@iterator]() -__webpack_require__(3)(IteratorPrototype, __webpack_require__(0)('iterator'), function () { - return this; -}); - -module.exports = function (Constructor, NAME, next) { - Constructor.prototype = create(IteratorPrototype, { next: descriptor(1, next) }); - setToStringTag(Constructor, NAME + ' Iterator'); -}; - -/***/ }), -/* 49 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var ITERATOR = __webpack_require__(0)('iterator'), - SAFE_CLOSING = false; - -try { - var riter = [7][ITERATOR](); - riter['return'] = function () { - SAFE_CLOSING = true; - }; - Array.from(riter, function () { - throw 2; - }); -} catch (e) {/* empty */} - -module.exports = function (exec, skipClosing) { - if (!skipClosing && !SAFE_CLOSING) return false; - var safe = false; - try { - var arr = [7], - iter = arr[ITERATOR](); - iter.next = function () { - return { done: safe = true }; - }; - arr[ITERATOR] = function () { - return iter; - }; - exec(arr); - } catch (e) {/* empty */} - return safe; -}; - -/***/ }), -/* 50 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -module.exports = function (done, value) { - return { value: value, done: !!done }; -}; - -/***/ }), -/* 51 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var global = __webpack_require__(1), - macrotask = __webpack_require__(31).set, - Observer = global.MutationObserver || global.WebKitMutationObserver, - process = global.process, - Promise = global.Promise, - isNode = __webpack_require__(9)(process) == 'process'; - -module.exports = function () { - var head, last, notify; - - var flush = function flush() { - var parent, fn; - if (isNode && (parent = process.domain)) parent.exit(); - while (head) { - fn = head.fn; - head = head.next; - try { - fn(); - } catch (e) { - if (head) notify();else last = undefined; - throw e; - } - }last = undefined; - if (parent) parent.enter(); - }; - - // Node.js - if (isNode) { - notify = function notify() { - process.nextTick(flush); - }; - // browsers with MutationObserver - } else if (Observer) { - var toggle = true, - node = document.createTextNode(''); - new Observer(flush).observe(node, { characterData: true }); // eslint-disable-line no-new - notify = function notify() { - node.data = toggle = !toggle; - }; - // environments with maybe non-completely correct, but existent Promise - } else if (Promise && Promise.resolve) { - var promise = Promise.resolve(); - notify = function notify() { - promise.then(flush); - }; - // for other environments - macrotask based on: - // - setImmediate - // - MessageChannel - // - window.postMessag - // - onreadystatechange - // - setTimeout - } else { - notify = function notify() { - // strange IE + webpack dev server bug - use .call(global) - macrotask.call(global, flush); - }; - } - - return function (fn) { - var task = { fn: fn, next: undefined }; - if (last) last.next = task; - if (!head) { - head = task; - notify(); - }last = task; - }; -}; - -/***/ }), -/* 52 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties]) -var anObject = __webpack_require__(2), - dPs = __webpack_require__(53), - enumBugKeys = __webpack_require__(23), - IE_PROTO = __webpack_require__(18)('IE_PROTO'), - Empty = function Empty() {/* empty */}, - PROTOTYPE = 'prototype'; - -// Create object with fake `null` prototype: use iframe Object with cleared prototype -var _createDict = function createDict() { - // Thrash, waste and sodomy: IE GC bug - var iframe = __webpack_require__(16)('iframe'), - i = enumBugKeys.length, - lt = '<', - gt = '>', - iframeDocument; - iframe.style.display = 'none'; - __webpack_require__(26).appendChild(iframe); - iframe.src = 'javascript:'; // eslint-disable-line no-script-url - // createDict = iframe.contentWindow.Object; - // html.removeChild(iframe); - iframeDocument = iframe.contentWindow.document; - iframeDocument.open(); - iframeDocument.write(lt + 'script' + gt + 'document.F=Object' + lt + '/script' + gt); - iframeDocument.close(); - _createDict = iframeDocument.F; - while (i--) { - delete _createDict[PROTOTYPE][enumBugKeys[i]]; - }return _createDict(); -}; - -module.exports = Object.create || function create(O, Properties) { - var result; - if (O !== null) { - Empty[PROTOTYPE] = anObject(O); - result = new Empty(); - Empty[PROTOTYPE] = null; - // add "__proto__" for Object.getPrototypeOf polyfill - result[IE_PROTO] = O; - } else result = _createDict(); - return Properties === undefined ? result : dPs(result, Properties); -}; - -/***/ }), -/* 53 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var dP = __webpack_require__(12), - anObject = __webpack_require__(2), - getKeys = __webpack_require__(56); - -module.exports = __webpack_require__(5) ? Object.defineProperties : function defineProperties(O, Properties) { - anObject(O); - var keys = getKeys(Properties), - length = keys.length, - i = 0, - P; - while (length > i) { - dP.f(O, P = keys[i++], Properties[P]); - }return O; -}; - -/***/ }), -/* 54 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 19.1.2.9 / 15.2.3.2 Object.getPrototypeOf(O) -var has = __webpack_require__(6), - toObject = __webpack_require__(62), - IE_PROTO = __webpack_require__(18)('IE_PROTO'), - ObjectProto = Object.prototype; - -module.exports = Object.getPrototypeOf || function (O) { - O = toObject(O); - if (has(O, IE_PROTO)) return O[IE_PROTO]; - if (typeof O.constructor == 'function' && O instanceof O.constructor) { - return O.constructor.prototype; - }return O instanceof Object ? ObjectProto : null; -}; - -/***/ }), -/* 55 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var has = __webpack_require__(6), - toIObject = __webpack_require__(20), - arrayIndexOf = __webpack_require__(41)(false), - IE_PROTO = __webpack_require__(18)('IE_PROTO'); - -module.exports = function (object, names) { - var O = toIObject(object), - i = 0, - result = [], - key; - for (key in O) { - if (key != IE_PROTO) has(O, key) && result.push(key); - } // Don't enum bug & hidden keys - while (names.length > i) { - if (has(O, key = names[i++])) { - ~arrayIndexOf(result, key) || result.push(key); - } - }return result; -}; - -/***/ }), -/* 56 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 19.1.2.14 / 15.2.3.14 Object.keys(O) -var $keys = __webpack_require__(55), - enumBugKeys = __webpack_require__(23); - -module.exports = Object.keys || function keys(O) { - return $keys(O, enumBugKeys); -}; - -/***/ }), -/* 57 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var redefine = __webpack_require__(8); -module.exports = function (target, src, safe) { - for (var key in src) { - redefine(target, key, src[key], safe); - }return target; -}; - -/***/ }), -/* 58 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var global = __webpack_require__(1), - dP = __webpack_require__(12), - DESCRIPTORS = __webpack_require__(5), - SPECIES = __webpack_require__(0)('species'); - -module.exports = function (KEY) { - var C = global[KEY]; - if (DESCRIPTORS && C && !C[SPECIES]) dP.f(C, SPECIES, { - configurable: true, - get: function get() { - return this; - } - }); -}; - -/***/ }), -/* 59 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 7.3.20 SpeciesConstructor(O, defaultConstructor) -var anObject = __webpack_require__(2), - aFunction = __webpack_require__(13), - SPECIES = __webpack_require__(0)('species'); -module.exports = function (O, D) { - var C = anObject(O).constructor, - S; - return C === undefined || (S = anObject(C)[SPECIES]) == undefined ? D : aFunction(S); -}; - -/***/ }), -/* 60 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var toInteger = __webpack_require__(19), - defined = __webpack_require__(15); -// true -> String#at -// false -> String#codePointAt -module.exports = function (TO_STRING) { - return function (that, pos) { - var s = String(defined(that)), - i = toInteger(pos), - l = s.length, - a, - b; - if (i < 0 || i >= l) return TO_STRING ? '' : undefined; - a = s.charCodeAt(i); - return a < 0xd800 || a > 0xdbff || i + 1 === l || (b = s.charCodeAt(i + 1)) < 0xdc00 || b > 0xdfff ? TO_STRING ? s.charAt(i) : a : TO_STRING ? s.slice(i, i + 2) : (a - 0xd800 << 10) + (b - 0xdc00) + 0x10000; - }; -}; - -/***/ }), -/* 61 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var toInteger = __webpack_require__(19), - max = Math.max, - min = Math.min; -module.exports = function (index, length) { - index = toInteger(index); - return index < 0 ? max(index + length, 0) : min(index, length); -}; - -/***/ }), -/* 62 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 7.1.13 ToObject(argument) -var defined = __webpack_require__(15); -module.exports = function (it) { - return Object(defined(it)); -}; - -/***/ }), -/* 63 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -// 7.1.1 ToPrimitive(input [, PreferredType]) -var isObject = __webpack_require__(11); -// instead of the ES6 spec version, we didn't implement @@toPrimitive case -// and the second argument - flag - preferred type is a string -module.exports = function (it, S) { - if (!isObject(it)) return it; - var fn, val; - if (S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val; - if (typeof (fn = it.valueOf) == 'function' && !isObject(val = fn.call(it))) return val; - if (!S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val; - throw TypeError("Can't convert object to primitive value"); -}; - -/***/ }), -/* 64 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var classof = __webpack_require__(14), - ITERATOR = __webpack_require__(0)('iterator'), - Iterators = __webpack_require__(7); -module.exports = __webpack_require__(4).getIteratorMethod = function (it) { - if (it != undefined) return it[ITERATOR] || it['@@iterator'] || Iterators[classof(it)]; -}; - -/***/ }), -/* 65 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var addToUnscopables = __webpack_require__(39), - step = __webpack_require__(50), - Iterators = __webpack_require__(7), - toIObject = __webpack_require__(20); - -// 22.1.3.4 Array.prototype.entries() -// 22.1.3.13 Array.prototype.keys() -// 22.1.3.29 Array.prototype.values() -// 22.1.3.30 Array.prototype[@@iterator]() -module.exports = __webpack_require__(27)(Array, 'Array', function (iterated, kind) { - this._t = toIObject(iterated); // target - this._i = 0; // next index - this._k = kind; // kind - // 22.1.5.2.1 %ArrayIteratorPrototype%.next() -}, function () { - var O = this._t, - kind = this._k, - index = this._i++; - if (!O || index >= O.length) { - this._t = undefined; - return step(1); - } - if (kind == 'keys') return step(0, index); - if (kind == 'values') return step(0, O[index]); - return step(0, [index, O[index]]); -}, 'values'); - -// argumentsList[@@iterator] is %ArrayProto_values% (9.4.4.6, 9.4.4.7) -Iterators.Arguments = Iterators.Array; - -addToUnscopables('keys'); -addToUnscopables('values'); -addToUnscopables('entries'); - -/***/ }), -/* 66 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - -// 19.1.3.6 Object.prototype.toString() - -var classof = __webpack_require__(14), - test = {}; -test[__webpack_require__(0)('toStringTag')] = 'z'; -if (test + '' != '[object z]') { - __webpack_require__(8)(Object.prototype, 'toString', function toString() { - return '[object ' + classof(this) + ']'; - }, true); -} - -/***/ }), -/* 67 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var LIBRARY = __webpack_require__(28), - global = __webpack_require__(1), - ctx = __webpack_require__(10), - classof = __webpack_require__(14), - $export = __webpack_require__(24), - isObject = __webpack_require__(11), - aFunction = __webpack_require__(13), - anInstance = __webpack_require__(40), - forOf = __webpack_require__(42), - speciesConstructor = __webpack_require__(59), - task = __webpack_require__(31).set, - microtask = __webpack_require__(51)(), - PROMISE = 'Promise', - TypeError = global.TypeError, - process = global.process, - $Promise = global[PROMISE], - process = global.process, - isNode = classof(process) == 'process', - empty = function empty() {/* empty */}, - Internal, - GenericPromiseCapability, - Wrapper; - -var USE_NATIVE = !!function () { - try { - // correct subclassing with @@species support - var promise = $Promise.resolve(1), - FakePromise = (promise.constructor = {})[__webpack_require__(0)('species')] = function (exec) { - exec(empty, empty); - }; - // unhandled rejections tracking support, NodeJS Promise without it fails @@species test - return (isNode || typeof PromiseRejectionEvent == 'function') && promise.then(empty) instanceof FakePromise; - } catch (e) {/* empty */} -}(); - -// helpers -var sameConstructor = function sameConstructor(a, b) { - // with library wrapper special case - return a === b || a === $Promise && b === Wrapper; -}; -var isThenable = function isThenable(it) { - var then; - return isObject(it) && typeof (then = it.then) == 'function' ? then : false; -}; -var newPromiseCapability = function newPromiseCapability(C) { - return sameConstructor($Promise, C) ? new PromiseCapability(C) : new GenericPromiseCapability(C); -}; -var PromiseCapability = GenericPromiseCapability = function GenericPromiseCapability(C) { - var resolve, reject; - this.promise = new C(function ($$resolve, $$reject) { - if (resolve !== undefined || reject !== undefined) throw TypeError('Bad Promise constructor'); - resolve = $$resolve; - reject = $$reject; - }); - this.resolve = aFunction(resolve); - this.reject = aFunction(reject); -}; -var perform = function perform(exec) { - try { - exec(); - } catch (e) { - return { error: e }; - } -}; -var notify = function notify(promise, isReject) { - if (promise._n) return; - promise._n = true; - var chain = promise._c; - microtask(function () { - var value = promise._v, - ok = promise._s == 1, - i = 0; - var run = function run(reaction) { - var handler = ok ? reaction.ok : reaction.fail, - resolve = reaction.resolve, - reject = reaction.reject, - domain = reaction.domain, - result, - then; - try { - if (handler) { - if (!ok) { - if (promise._h == 2) onHandleUnhandled(promise); - promise._h = 1; - } - if (handler === true) result = value;else { - if (domain) domain.enter(); - result = handler(value); - if (domain) domain.exit(); - } - if (result === reaction.promise) { - reject(TypeError('Promise-chain cycle')); - } else if (then = isThenable(result)) { - then.call(result, resolve, reject); - } else resolve(result); - } else reject(value); - } catch (e) { - reject(e); - } - }; - while (chain.length > i) { - run(chain[i++]); - } // variable length - can't use forEach - promise._c = []; - promise._n = false; - if (isReject && !promise._h) onUnhandled(promise); - }); -}; -var onUnhandled = function onUnhandled(promise) { - task.call(global, function () { - var value = promise._v, - abrupt, - handler, - console; - if (isUnhandled(promise)) { - abrupt = perform(function () { - if (isNode) { - process.emit('unhandledRejection', value, promise); - } else if (handler = global.onunhandledrejection) { - handler({ promise: promise, reason: value }); - } else if ((console = global.console) && console.error) { - console.error('Unhandled promise rejection', value); - } - }); - // Browsers should not trigger `rejectionHandled` event if it was handled here, NodeJS - should - promise._h = isNode || isUnhandled(promise) ? 2 : 1; - }promise._a = undefined; - if (abrupt) throw abrupt.error; - }); -}; -var isUnhandled = function isUnhandled(promise) { - if (promise._h == 1) return false; - var chain = promise._a || promise._c, - i = 0, - reaction; - while (chain.length > i) { - reaction = chain[i++]; - if (reaction.fail || !isUnhandled(reaction.promise)) return false; - }return true; -}; -var onHandleUnhandled = function onHandleUnhandled(promise) { - task.call(global, function () { - var handler; - if (isNode) { - process.emit('rejectionHandled', promise); - } else if (handler = global.onrejectionhandled) { - handler({ promise: promise, reason: promise._v }); - } - }); -}; -var $reject = function $reject(value) { - var promise = this; - if (promise._d) return; - promise._d = true; - promise = promise._w || promise; // unwrap - promise._v = value; - promise._s = 2; - if (!promise._a) promise._a = promise._c.slice(); - notify(promise, true); -}; -var $resolve = function $resolve(value) { - var promise = this, - then; - if (promise._d) return; - promise._d = true; - promise = promise._w || promise; // unwrap - try { - if (promise === value) throw TypeError("Promise can't be resolved itself"); - if (then = isThenable(value)) { - microtask(function () { - var wrapper = { _w: promise, _d: false }; // wrap - try { - then.call(value, ctx($resolve, wrapper, 1), ctx($reject, wrapper, 1)); - } catch (e) { - $reject.call(wrapper, e); - } - }); - } else { - promise._v = value; - promise._s = 1; - notify(promise, false); - } - } catch (e) { - $reject.call({ _w: promise, _d: false }, e); // wrap - } -}; - -// constructor polyfill -if (!USE_NATIVE) { - // 25.4.3.1 Promise(executor) - $Promise = function Promise(executor) { - anInstance(this, $Promise, PROMISE, '_h'); - aFunction(executor); - Internal.call(this); - try { - executor(ctx($resolve, this, 1), ctx($reject, this, 1)); - } catch (err) { - $reject.call(this, err); - } - }; - Internal = function Promise(executor) { - this._c = []; // <- awaiting reactions - this._a = undefined; // <- checked in isUnhandled reactions - this._s = 0; // <- state - this._d = false; // <- done - this._v = undefined; // <- value - this._h = 0; // <- rejection state, 0 - default, 1 - handled, 2 - unhandled - this._n = false; // <- notify - }; - Internal.prototype = __webpack_require__(57)($Promise.prototype, { - // 25.4.5.3 Promise.prototype.then(onFulfilled, onRejected) - then: function then(onFulfilled, onRejected) { - var reaction = newPromiseCapability(speciesConstructor(this, $Promise)); - reaction.ok = typeof onFulfilled == 'function' ? onFulfilled : true; - reaction.fail = typeof onRejected == 'function' && onRejected; - reaction.domain = isNode ? process.domain : undefined; - this._c.push(reaction); - if (this._a) this._a.push(reaction); - if (this._s) notify(this, false); - return reaction.promise; - }, - // 25.4.5.1 Promise.prototype.catch(onRejected) - 'catch': function _catch(onRejected) { - return this.then(undefined, onRejected); - } - }); - PromiseCapability = function PromiseCapability() { - var promise = new Internal(); - this.promise = promise; - this.resolve = ctx($resolve, promise, 1); - this.reject = ctx($reject, promise, 1); - }; -} - -$export($export.G + $export.W + $export.F * !USE_NATIVE, { Promise: $Promise }); -__webpack_require__(17)($Promise, PROMISE); -__webpack_require__(58)(PROMISE); -Wrapper = __webpack_require__(4)[PROMISE]; - -// statics -$export($export.S + $export.F * !USE_NATIVE, PROMISE, { - // 25.4.4.5 Promise.reject(r) - reject: function reject(r) { - var capability = newPromiseCapability(this), - $$reject = capability.reject; - $$reject(r); - return capability.promise; - } -}); -$export($export.S + $export.F * (LIBRARY || !USE_NATIVE), PROMISE, { - // 25.4.4.6 Promise.resolve(x) - resolve: function resolve(x) { - // instanceof instead of internal slot check because we should fix it without replacement native Promise core - if (x instanceof $Promise && sameConstructor(x.constructor, this)) return x; - var capability = newPromiseCapability(this), - $$resolve = capability.resolve; - $$resolve(x); - return capability.promise; - } -}); -$export($export.S + $export.F * !(USE_NATIVE && __webpack_require__(49)(function (iter) { - $Promise.all(iter)['catch'](empty); -})), PROMISE, { - // 25.4.4.1 Promise.all(iterable) - all: function all(iterable) { - var C = this, - capability = newPromiseCapability(C), - resolve = capability.resolve, - reject = capability.reject; - var abrupt = perform(function () { - var values = [], - index = 0, - remaining = 1; - forOf(iterable, false, function (promise) { - var $index = index++, - alreadyCalled = false; - values.push(undefined); - remaining++; - C.resolve(promise).then(function (value) { - if (alreadyCalled) return; - alreadyCalled = true; - values[$index] = value; - --remaining || resolve(values); - }, reject); - }); - --remaining || resolve(values); - }); - if (abrupt) reject(abrupt.error); - return capability.promise; - }, - // 25.4.4.4 Promise.race(iterable) - race: function race(iterable) { - var C = this, - capability = newPromiseCapability(C), - reject = capability.reject; - var abrupt = perform(function () { - forOf(iterable, false, function (promise) { - C.resolve(promise).then(capability.resolve, reject); - }); - }); - if (abrupt) reject(abrupt.error); - return capability.promise; - } -}); - -/***/ }), -/* 68 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var $at = __webpack_require__(60)(true); - -// 21.1.3.27 String.prototype[@@iterator]() -__webpack_require__(27)(String, 'String', function (iterated) { - this._t = String(iterated); // target - this._i = 0; // next index - // 21.1.5.2.1 %StringIteratorPrototype%.next() -}, function () { - var O = this._t, - index = this._i, - point; - if (index >= O.length) return { value: undefined, done: true }; - point = $at(O, index); - this._i += point.length; - return { value: point, done: false }; -}); - -/***/ }), -/* 69 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; - - -var $iterators = __webpack_require__(65), - redefine = __webpack_require__(8), - global = __webpack_require__(1), - hide = __webpack_require__(3), - Iterators = __webpack_require__(7), - wks = __webpack_require__(0), - ITERATOR = wks('iterator'), - TO_STRING_TAG = wks('toStringTag'), - ArrayValues = Iterators.Array; - -for (var collections = ['NodeList', 'DOMTokenList', 'MediaList', 'StyleSheetList', 'CSSRuleList'], i = 0; i < 5; i++) { - var NAME = collections[i], - Collection = global[NAME], - proto = Collection && Collection.prototype, - key; - if (proto) { - if (!proto[ITERATOR]) hide(proto, ITERATOR, ArrayValues); - if (!proto[TO_STRING_TAG]) hide(proto, TO_STRING_TAG, NAME); - Iterators[NAME] = ArrayValues; - for (key in $iterators) { - if (!proto[key]) redefine(proto, key, $iterators[key], true); - } - } -} - -/***/ }), -/* 70 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -var __WEBPACK_AMD_DEFINE_RESULT__; - -var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; - -;(function () { - 'use strict'; - - /** - * @preserve FastClick: polyfill to remove click delays on browsers with touch UIs. - * - * @codingstandard ftlabs-jsv2 - * @copyright The Financial Times Limited [All Rights Reserved] - * @license MIT License (see LICENSE.txt) - */ - - /*jslint browser:true, node:true*/ - /*global define, Event, Node*/ - - /** - * Instantiate fast-clicking listeners on the specified layer. - * - * @constructor - * @param {Element} layer The layer to listen on - * @param {Object} [options={}] The options to override the defaults - */ - - function FastClick(layer, options) { - var oldOnClick; - - options = options || {}; - - /** - * Whether a click is currently being tracked. - * - * @type boolean - */ - this.trackingClick = false; - - /** - * Timestamp for when click tracking started. - * - * @type number - */ - this.trackingClickStart = 0; - - /** - * The element being tracked for a click. - * - * @type EventTarget - */ - this.targetElement = null; - - /** - * X-coordinate of touch start event. - * - * @type number - */ - this.touchStartX = 0; - - /** - * Y-coordinate of touch start event. - * - * @type number - */ - this.touchStartY = 0; - - /** - * ID of the last touch, retrieved from Touch.identifier. - * - * @type number - */ - this.lastTouchIdentifier = 0; - - /** - * Touchmove boundary, beyond which a click will be cancelled. - * - * @type number - */ - this.touchBoundary = options.touchBoundary || 10; - - /** - * The FastClick layer. - * - * @type Element - */ - this.layer = layer; - - /** - * The minimum time between tap(touchstart and touchend) events - * - * @type number - */ - this.tapDelay = options.tapDelay || 200; - - /** - * The maximum time for a tap - * - * @type number - */ - this.tapTimeout = options.tapTimeout || 700; - - if (FastClick.notNeeded(layer)) { - return; - } - - // Some old versions of Android don't have Function.prototype.bind - function bind(method, context) { - return function () { - return method.apply(context, arguments); - }; - } - - var methods = ['onMouse', 'onClick', 'onTouchStart', 'onTouchMove', 'onTouchEnd', 'onTouchCancel']; - var context = this; - for (var i = 0, l = methods.length; i < l; i++) { - context[methods[i]] = bind(context[methods[i]], context); - } - - // Set up event handlers as required - if (deviceIsAndroid) { - layer.addEventListener('mouseover', this.onMouse, true); - layer.addEventListener('mousedown', this.onMouse, true); - layer.addEventListener('mouseup', this.onMouse, true); - } - - layer.addEventListener('click', this.onClick, true); - layer.addEventListener('touchstart', this.onTouchStart, false); - layer.addEventListener('touchmove', this.onTouchMove, false); - layer.addEventListener('touchend', this.onTouchEnd, false); - layer.addEventListener('touchcancel', this.onTouchCancel, false); - - // Hack is required for browsers that don't support Event#stopImmediatePropagation (e.g. Android 2) - // which is how FastClick normally stops click events bubbling to callbacks registered on the FastClick - // layer when they are cancelled. - if (!Event.prototype.stopImmediatePropagation) { - layer.removeEventListener = function (type, callback, capture) { - var rmv = Node.prototype.removeEventListener; - if (type === 'click') { - rmv.call(layer, type, callback.hijacked || callback, capture); - } else { - rmv.call(layer, type, callback, capture); - } - }; - - layer.addEventListener = function (type, callback, capture) { - var adv = Node.prototype.addEventListener; - if (type === 'click') { - adv.call(layer, type, callback.hijacked || (callback.hijacked = function (event) { - if (!event.propagationStopped) { - callback(event); - } - }), capture); - } else { - adv.call(layer, type, callback, capture); - } - }; - } - - // If a handler is already declared in the element's onclick attribute, it will be fired before - // FastClick's onClick handler. Fix this by pulling out the user-defined handler function and - // adding it as listener. - if (typeof layer.onclick === 'function') { - - // Android browser on at least 3.2 requires a new reference to the function in layer.onclick - // - the old one won't work if passed to addEventListener directly. - oldOnClick = layer.onclick; - layer.addEventListener('click', function (event) { - oldOnClick(event); - }, false); - layer.onclick = null; - } - } - - /** - * Windows Phone 8.1 fakes user agent string to look like Android and iPhone. - * - * @type boolean - */ - var deviceIsWindowsPhone = navigator.userAgent.indexOf("Windows Phone") >= 0; - - /** - * Android requires exceptions. - * - * @type boolean - */ - var deviceIsAndroid = navigator.userAgent.indexOf('Android') > 0 && !deviceIsWindowsPhone; - - /** - * iOS requires exceptions. - * - * @type boolean - */ - var deviceIsIOS = /iP(ad|hone|od)/.test(navigator.userAgent) && !deviceIsWindowsPhone; - - /** - * iOS 4 requires an exception for select elements. - * - * @type boolean - */ - var deviceIsIOS4 = deviceIsIOS && /OS 4_\d(_\d)?/.test(navigator.userAgent); - - /** - * iOS 6.0-7.* requires the target element to be manually derived - * - * @type boolean - */ - var deviceIsIOSWithBadTarget = deviceIsIOS && /OS [6-7]_\d/.test(navigator.userAgent); - - /** - * BlackBerry requires exceptions. - * - * @type boolean - */ - var deviceIsBlackBerry10 = navigator.userAgent.indexOf('BB10') > 0; - - /** - * Determine whether a given element requires a native click. - * - * @param {EventTarget|Element} target Target DOM element - * @returns {boolean} Returns true if the element needs a native click - */ - FastClick.prototype.needsClick = function (target) { - switch (target.nodeName.toLowerCase()) { - - // Don't send a synthetic click to disabled inputs (issue #62) - case 'button': - case 'select': - case 'textarea': - if (target.disabled) { - return true; - } - - break; - case 'input': - - // File inputs need real clicks on iOS 6 due to a browser bug (issue #68) - if (deviceIsIOS && target.type === 'file' || target.disabled) { - return true; - } - - break; - case 'label': - case 'iframe': // iOS8 homescreen apps can prevent events bubbling into frames - case 'video': - return true; - } - - return (/\bneedsclick\b/.test(target.className) - ); - }; - - /** - * Determine whether a given element requires a call to focus to simulate click into element. - * - * @param {EventTarget|Element} target Target DOM element - * @returns {boolean} Returns true if the element requires a call to focus to simulate native click. - */ - FastClick.prototype.needsFocus = function (target) { - switch (target.nodeName.toLowerCase()) { - case 'textarea': - return true; - case 'select': - return !deviceIsAndroid; - case 'input': - switch (target.type) { - case 'button': - case 'checkbox': - case 'file': - case 'image': - case 'radio': - case 'submit': - return false; - } - - // No point in attempting to focus disabled inputs - return !target.disabled && !target.readOnly; - default: - return (/\bneedsfocus\b/.test(target.className) - ); - } - }; - - /** - * Send a click event to the specified element. - * - * @param {EventTarget|Element} targetElement - * @param {Event} event - */ - FastClick.prototype.sendClick = function (targetElement, event) { - var clickEvent, touch; - - // On some Android devices activeElement needs to be blurred otherwise the synthetic click will have no effect (#24) - if (document.activeElement && document.activeElement !== targetElement) { - document.activeElement.blur(); - } - - touch = event.changedTouches[0]; - - // Synthesise a click event, with an extra attribute so it can be tracked - clickEvent = document.createEvent('MouseEvents'); - clickEvent.initMouseEvent(this.determineEventType(targetElement), true, true, window, 1, touch.screenX, touch.screenY, touch.clientX, touch.clientY, false, false, false, false, 0, null); - clickEvent.forwardedTouchEvent = true; - targetElement.dispatchEvent(clickEvent); - }; - - FastClick.prototype.determineEventType = function (targetElement) { - - //Issue #159: Android Chrome Select Box does not open with a synthetic click event - if (deviceIsAndroid && targetElement.tagName.toLowerCase() === 'select') { - return 'mousedown'; - } - - return 'click'; - }; - - /** - * @param {EventTarget|Element} targetElement - */ - FastClick.prototype.focus = function (targetElement) { - var length; - - // Issue #160: on iOS 7, some input elements (e.g. date datetime month) throw a vague TypeError on setSelectionRange. These elements don't have an integer value for the selectionStart and selectionEnd properties, but unfortunately that can't be used for detection because accessing the properties also throws a TypeError. Just check the type instead. Filed as Apple bug #15122724. - if (deviceIsIOS && targetElement.setSelectionRange && targetElement.type.indexOf('date') !== 0 && targetElement.type !== 'time' && targetElement.type !== 'month') { - length = targetElement.value.length; - targetElement.setSelectionRange(length, length); - } else { - targetElement.focus(); - } - }; - - /** - * Check whether the given target element is a child of a scrollable layer and if so, set a flag on it. - * - * @param {EventTarget|Element} targetElement - */ - FastClick.prototype.updateScrollParent = function (targetElement) { - var scrollParent, parentElement; - - scrollParent = targetElement.fastClickScrollParent; - - // Attempt to discover whether the target element is contained within a scrollable layer. Re-check if the - // target element was moved to another parent. - if (!scrollParent || !scrollParent.contains(targetElement)) { - parentElement = targetElement; - do { - if (parentElement.scrollHeight > parentElement.offsetHeight) { - scrollParent = parentElement; - targetElement.fastClickScrollParent = parentElement; - break; - } - - parentElement = parentElement.parentElement; - } while (parentElement); - } - - // Always update the scroll top tracker if possible. - if (scrollParent) { - scrollParent.fastClickLastScrollTop = scrollParent.scrollTop; - } - }; - - /** - * @param {EventTarget} targetElement - * @returns {Element|EventTarget} - */ - FastClick.prototype.getTargetElementFromEventTarget = function (eventTarget) { - - // On some older browsers (notably Safari on iOS 4.1 - see issue #56) the event target may be a text node. - if (eventTarget.nodeType === Node.TEXT_NODE) { - return eventTarget.parentNode; - } - - return eventTarget; - }; - - /** - * On touch start, record the position and scroll offset. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.onTouchStart = function (event) { - var targetElement, touch, selection; - - // Ignore multiple touches, otherwise pinch-to-zoom is prevented if both fingers are on the FastClick element (issue #111). - if (event.targetTouches.length > 1) { - return true; - } - - targetElement = this.getTargetElementFromEventTarget(event.target); - touch = event.targetTouches[0]; - - if (deviceIsIOS) { - - // Only trusted events will deselect text on iOS (issue #49) - selection = window.getSelection(); - if (selection.rangeCount && !selection.isCollapsed) { - return true; - } - - if (!deviceIsIOS4) { - - // Weird things happen on iOS when an alert or confirm dialog is opened from a click event callback (issue #23): - // when the user next taps anywhere else on the page, new touchstart and touchend events are dispatched - // with the same identifier as the touch event that previously triggered the click that triggered the alert. - // Sadly, there is an issue on iOS 4 that causes some normal touch events to have the same identifier as an - // immediately preceeding touch event (issue #52), so this fix is unavailable on that platform. - // Issue 120: touch.identifier is 0 when Chrome dev tools 'Emulate touch events' is set with an iOS device UA string, - // which causes all touch events to be ignored. As this block only applies to iOS, and iOS identifiers are always long, - // random integers, it's safe to to continue if the identifier is 0 here. - if (touch.identifier && touch.identifier === this.lastTouchIdentifier) { - event.preventDefault(); - return false; - } - - this.lastTouchIdentifier = touch.identifier; - - // If the target element is a child of a scrollable layer (using -webkit-overflow-scrolling: touch) and: - // 1) the user does a fling scroll on the scrollable layer - // 2) the user stops the fling scroll with another tap - // then the event.target of the last 'touchend' event will be the element that was under the user's finger - // when the fling scroll was started, causing FastClick to send a click event to that layer - unless a check - // is made to ensure that a parent layer was not scrolled before sending a synthetic click (issue #42). - this.updateScrollParent(targetElement); - } - } - - this.trackingClick = true; - this.trackingClickStart = event.timeStamp; - this.targetElement = targetElement; - - this.touchStartX = touch.pageX; - this.touchStartY = touch.pageY; - - // Prevent phantom clicks on fast double-tap (issue #36) - if (event.timeStamp - this.lastClickTime < this.tapDelay) { - event.preventDefault(); - } - - return true; - }; - - /** - * Based on a touchmove event object, check whether the touch has moved past a boundary since it started. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.touchHasMoved = function (event) { - var touch = event.changedTouches[0], - boundary = this.touchBoundary; - - if (Math.abs(touch.pageX - this.touchStartX) > boundary || Math.abs(touch.pageY - this.touchStartY) > boundary) { - return true; - } - - return false; - }; - - /** - * Update the last position. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.onTouchMove = function (event) { - if (!this.trackingClick) { - return true; - } - - // If the touch has moved, cancel the click tracking - if (this.targetElement !== this.getTargetElementFromEventTarget(event.target) || this.touchHasMoved(event)) { - this.trackingClick = false; - this.targetElement = null; - } - - return true; - }; - - /** - * Attempt to find the labelled control for the given label element. - * - * @param {EventTarget|HTMLLabelElement} labelElement - * @returns {Element|null} - */ - FastClick.prototype.findControl = function (labelElement) { - - // Fast path for newer browsers supporting the HTML5 control attribute - if (labelElement.control !== undefined) { - return labelElement.control; - } - - // All browsers under test that support touch events also support the HTML5 htmlFor attribute - if (labelElement.htmlFor) { - return document.getElementById(labelElement.htmlFor); - } - - // If no for attribute exists, attempt to retrieve the first labellable descendant element - // the list of which is defined here: http://www.w3.org/TR/html5/forms.html#category-label - return labelElement.querySelector('button, input:not([type=hidden]), keygen, meter, output, progress, select, textarea'); - }; - - /** - * On touch end, determine whether to send a click event at once. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.onTouchEnd = function (event) { - var forElement, - trackingClickStart, - targetTagName, - scrollParent, - touch, - targetElement = this.targetElement; - - if (!this.trackingClick) { - return true; - } - - // Prevent phantom clicks on fast double-tap (issue #36) - if (event.timeStamp - this.lastClickTime < this.tapDelay) { - this.cancelNextClick = true; - return true; - } - - if (event.timeStamp - this.trackingClickStart > this.tapTimeout) { - return true; - } - - // Reset to prevent wrong click cancel on input (issue #156). - this.cancelNextClick = false; - - this.lastClickTime = event.timeStamp; - - trackingClickStart = this.trackingClickStart; - this.trackingClick = false; - this.trackingClickStart = 0; - - // On some iOS devices, the targetElement supplied with the event is invalid if the layer - // is performing a transition or scroll, and has to be re-detected manually. Note that - // for this to function correctly, it must be called *after* the event target is checked! - // See issue #57; also filed as rdar://13048589 . - if (deviceIsIOSWithBadTarget) { - touch = event.changedTouches[0]; - - // In certain cases arguments of elementFromPoint can be negative, so prevent setting targetElement to null - targetElement = document.elementFromPoint(touch.pageX - window.pageXOffset, touch.pageY - window.pageYOffset) || targetElement; - targetElement.fastClickScrollParent = this.targetElement.fastClickScrollParent; - } - - targetTagName = targetElement.tagName.toLowerCase(); - if (targetTagName === 'label') { - forElement = this.findControl(targetElement); - if (forElement) { - this.focus(targetElement); - if (deviceIsAndroid) { - return false; - } - - targetElement = forElement; - } - } else if (this.needsFocus(targetElement)) { - - // Case 1: If the touch started a while ago (best guess is 100ms based on tests for issue #36) then focus will be triggered anyway. Return early and unset the target element reference so that the subsequent click will be allowed through. - // Case 2: Without this exception for input elements tapped when the document is contained in an iframe, then any inputted text won't be visible even though the value attribute is updated as the user types (issue #37). - if (event.timeStamp - trackingClickStart > 100 || deviceIsIOS && window.top !== window && targetTagName === 'input') { - this.targetElement = null; - return false; - } - - this.focus(targetElement); - this.sendClick(targetElement, event); - - // Select elements need the event to go through on iOS 4, otherwise the selector menu won't open. - // Also this breaks opening selects when VoiceOver is active on iOS6, iOS7 (and possibly others) - if (!deviceIsIOS || targetTagName !== 'select') { - this.targetElement = null; - event.preventDefault(); - } - - return false; - } - - if (deviceIsIOS && !deviceIsIOS4) { - - // Don't send a synthetic click event if the target element is contained within a parent layer that was scrolled - // and this tap is being used to stop the scrolling (usually initiated by a fling - issue #42). - scrollParent = targetElement.fastClickScrollParent; - if (scrollParent && scrollParent.fastClickLastScrollTop !== scrollParent.scrollTop) { - return true; - } - } - - // Prevent the actual click from going though - unless the target node is marked as requiring - // real clicks or if it is in the whitelist in which case only non-programmatic clicks are permitted. - if (!this.needsClick(targetElement)) { - event.preventDefault(); - this.sendClick(targetElement, event); - } - - return false; - }; - - /** - * On touch cancel, stop tracking the click. - * - * @returns {void} - */ - FastClick.prototype.onTouchCancel = function () { - this.trackingClick = false; - this.targetElement = null; - }; - - /** - * Determine mouse events which should be permitted. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.onMouse = function (event) { - - // If a target element was never set (because a touch event was never fired) allow the event - if (!this.targetElement) { - return true; - } - - if (event.forwardedTouchEvent) { - return true; - } - - // Programmatically generated events targeting a specific element should be permitted - if (!event.cancelable) { - return true; - } - - // Derive and check the target element to see whether the mouse event needs to be permitted; - // unless explicitly enabled, prevent non-touch click events from triggering actions, - // to prevent ghost/doubleclicks. - if (!this.needsClick(this.targetElement) || this.cancelNextClick) { - - // Prevent any user-added listeners declared on FastClick element from being fired. - if (event.stopImmediatePropagation) { - event.stopImmediatePropagation(); - } else { - - // Part of the hack for browsers that don't support Event#stopImmediatePropagation (e.g. Android 2) - event.propagationStopped = true; - } - - // Cancel the event - event.stopPropagation(); - event.preventDefault(); - - return false; - } - - // If the mouse event is permitted, return true for the action to go through. - return true; - }; - - /** - * On actual clicks, determine whether this is a touch-generated click, a click action occurring - * naturally after a delay after a touch (which needs to be cancelled to avoid duplication), or - * an actual click which should be permitted. - * - * @param {Event} event - * @returns {boolean} - */ - FastClick.prototype.onClick = function (event) { - var permitted; - - // It's possible for another FastClick-like library delivered with third-party code to fire a click event before FastClick does (issue #44). In that case, set the click-tracking flag back to false and return early. This will cause onTouchEnd to return early. - if (this.trackingClick) { - this.targetElement = null; - this.trackingClick = false; - return true; - } - - // Very odd behaviour on iOS (issue #18): if a submit element is present inside a form and the user hits enter in the iOS simulator or clicks the Go button on the pop-up OS keyboard the a kind of 'fake' click event will be triggered with the submit-type input element as the target. - if (event.target.type === 'submit' && event.detail === 0) { - return true; - } - - permitted = this.onMouse(event); - - // Only unset targetElement if the click is not permitted. This will ensure that the check for !targetElement in onMouse fails and the browser's click doesn't go through. - if (!permitted) { - this.targetElement = null; - } - - // If clicks are permitted, return true for the action to go through. - return permitted; - }; - - /** - * Remove all FastClick's event listeners. - * - * @returns {void} - */ - FastClick.prototype.destroy = function () { - var layer = this.layer; - - if (deviceIsAndroid) { - layer.removeEventListener('mouseover', this.onMouse, true); - layer.removeEventListener('mousedown', this.onMouse, true); - layer.removeEventListener('mouseup', this.onMouse, true); - } - - layer.removeEventListener('click', this.onClick, true); - layer.removeEventListener('touchstart', this.onTouchStart, false); - layer.removeEventListener('touchmove', this.onTouchMove, false); - layer.removeEventListener('touchend', this.onTouchEnd, false); - layer.removeEventListener('touchcancel', this.onTouchCancel, false); - }; - - /** - * Check whether FastClick is needed. - * - * @param {Element} layer The layer to listen on - */ - FastClick.notNeeded = function (layer) { - var metaViewport; - var chromeVersion; - var blackberryVersion; - var firefoxVersion; - - // Devices that don't support touch don't need FastClick - if (typeof window.ontouchstart === 'undefined') { - return true; - } - - // Chrome version - zero for other browsers - chromeVersion = +(/Chrome\/([0-9]+)/.exec(navigator.userAgent) || [, 0])[1]; - - if (chromeVersion) { - - if (deviceIsAndroid) { - metaViewport = document.querySelector('meta[name=viewport]'); - - if (metaViewport) { - // Chrome on Android with user-scalable="no" doesn't need FastClick (issue #89) - if (metaViewport.content.indexOf('user-scalable=no') !== -1) { - return true; - } - // Chrome 32 and above with width=device-width or less don't need FastClick - if (chromeVersion > 31 && document.documentElement.scrollWidth <= window.outerWidth) { - return true; - } - } - - // Chrome desktop doesn't need FastClick (issue #15) - } else { - return true; - } - } - - if (deviceIsBlackBerry10) { - blackberryVersion = navigator.userAgent.match(/Version\/([0-9]*)\.([0-9]*)/); - - // BlackBerry 10.3+ does not require Fastclick library. - // https://github.com/ftlabs/fastclick/issues/251 - if (blackberryVersion[1] >= 10 && blackberryVersion[2] >= 3) { - metaViewport = document.querySelector('meta[name=viewport]'); - - if (metaViewport) { - // user-scalable=no eliminates click delay. - if (metaViewport.content.indexOf('user-scalable=no') !== -1) { - return true; - } - // width=device-width (or less than device-width) eliminates click delay. - if (document.documentElement.scrollWidth <= window.outerWidth) { - return true; - } - } - } - } - - // IE10 with -ms-touch-action: none or manipulation, which disables double-tap-to-zoom (issue #97) - if (layer.style.msTouchAction === 'none' || layer.style.touchAction === 'manipulation') { - return true; - } - - // Firefox version - zero for other browsers - firefoxVersion = +(/Firefox\/([0-9]+)/.exec(navigator.userAgent) || [, 0])[1]; - - if (firefoxVersion >= 27) { - // Firefox 27+ does not have tap delay if the content is not zoomable - https://bugzilla.mozilla.org/show_bug.cgi?id=922896 - - metaViewport = document.querySelector('meta[name=viewport]'); - if (metaViewport && (metaViewport.content.indexOf('user-scalable=no') !== -1 || document.documentElement.scrollWidth <= window.outerWidth)) { - return true; - } - } - - // IE11: prefixed -ms-touch-action is no longer supported and it's recomended to use non-prefixed version - // http://msdn.microsoft.com/en-us/library/windows/apps/Hh767313.aspx - if (layer.style.touchAction === 'none' || layer.style.touchAction === 'manipulation') { - return true; - } - - return false; - }; - - /** - * Factory method for creating a FastClick object - * - * @param {Element} layer The layer to listen on - * @param {Object} [options={}] The options to override the defaults - */ - FastClick.attach = function (layer, options) { - return new FastClick(layer, options); - }; - - if ("function" === 'function' && _typeof(__webpack_require__(34)) === 'object' && __webpack_require__(34)) { - - // AMD. Register as an anonymous module. - !(__WEBPACK_AMD_DEFINE_RESULT__ = function () { - return FastClick; - }.call(exports, __webpack_require__, exports, module), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else if (typeof module !== 'undefined' && module.exports) { - module.exports = FastClick.attach; - module.exports.FastClick = FastClick; - } else { - window.FastClick = FastClick; - } -})(); - -/***/ }), -/* 71 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_RESULT__; - -var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; - -/*! - * JavaScript Cookie v2.1.3 - * https://github.com/js-cookie/js-cookie - * - * Copyright 2006, 2015 Klaus Hartl & Fagner Brack - * Released under the MIT license - */ -;(function (factory) { - var registeredInModuleLoader = false; - if (true) { - !(__WEBPACK_AMD_DEFINE_FACTORY__ = (factory), - __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? - (__WEBPACK_AMD_DEFINE_FACTORY__.call(exports, __webpack_require__, exports, module)) : - __WEBPACK_AMD_DEFINE_FACTORY__), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - registeredInModuleLoader = true; - } - if (( false ? 'undefined' : _typeof(exports)) === 'object') { - module.exports = factory(); - registeredInModuleLoader = true; - } - if (!registeredInModuleLoader) { - var OldCookies = window.Cookies; - var api = window.Cookies = factory(); - api.noConflict = function () { - window.Cookies = OldCookies; - return api; - }; - } -})(function () { - function extend() { - var i = 0; - var result = {}; - for (; i < arguments.length; i++) { - var attributes = arguments[i]; - for (var key in attributes) { - result[key] = attributes[key]; - } - } - return result; - } - - function init(converter) { - function api(key, value, attributes) { - var result; - if (typeof document === 'undefined') { - return; - } - - // Write - - if (arguments.length > 1) { - attributes = extend({ - path: '/' - }, api.defaults, attributes); - - if (typeof attributes.expires === 'number') { - var expires = new Date(); - expires.setMilliseconds(expires.getMilliseconds() + attributes.expires * 864e+5); - attributes.expires = expires; - } - - try { - result = JSON.stringify(value); - if (/^[\{\[]/.test(result)) { - value = result; - } - } catch (e) {} - - if (!converter.write) { - value = encodeURIComponent(String(value)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g, decodeURIComponent); - } else { - value = converter.write(value, key); - } - - key = encodeURIComponent(String(key)); - key = key.replace(/%(23|24|26|2B|5E|60|7C)/g, decodeURIComponent); - key = key.replace(/[\(\)]/g, escape); - - return document.cookie = [key, '=', value, attributes.expires ? '; expires=' + attributes.expires.toUTCString() : '', // use expires attribute, max-age is not supported by IE - attributes.path ? '; path=' + attributes.path : '', attributes.domain ? '; domain=' + attributes.domain : '', attributes.secure ? '; secure' : ''].join(''); - } - - // Read - - if (!key) { - result = {}; - } - - // To prevent the for loop in the first place assign an empty array - // in case there are no cookies at all. Also prevents odd result when - // calling "get()" - var cookies = document.cookie ? document.cookie.split('; ') : []; - var rdecode = /(%[0-9A-Z]{2})+/g; - var i = 0; - - for (; i < cookies.length; i++) { - var parts = cookies[i].split('='); - var cookie = parts.slice(1).join('='); - - if (cookie.charAt(0) === '"') { - cookie = cookie.slice(1, -1); - } - - try { - var name = parts[0].replace(rdecode, decodeURIComponent); - cookie = converter.read ? converter.read(cookie, name) : converter(cookie, name) || cookie.replace(rdecode, decodeURIComponent); - - if (this.json) { - try { - cookie = JSON.parse(cookie); - } catch (e) {} - } - - if (key === name) { - result = cookie; - break; - } - - if (!key) { - result[name] = cookie; - } - } catch (e) {} - } - - return result; - } - - api.set = api; - api.get = function (key) { - return api.call(api, key); - }; - api.getJSON = function () { - return api.apply({ - json: true - }, [].slice.call(arguments)); - }; - api.defaults = {}; - - api.remove = function (key, attributes) { - api(key, '', extend(attributes, { - expires: -1 - })); - }; - - api.withConverter = init; - - return api; - } - - return init(function () {}); -}); - -/***/ }), -/* 72 */ -/***/ (function(module, exports, __webpack_require__) { - -"use strict"; -var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_RESULT__; - -var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj; }; - -/** - * lunr - http://lunrjs.com - A bit like Solr, but much smaller and not as bright - 0.7.2 - * Copyright (C) 2016 Oliver Nightingale - * @license MIT - */ - -;(function () { - - /** - * Convenience function for instantiating a new lunr index and configuring it - * with the default pipeline functions and the passed config function. - * - * When using this convenience function a new index will be created with the - * following functions already in the pipeline: - * - * lunr.StopWordFilter - filters out any stop words before they enter the - * index - * - * lunr.stemmer - stems the tokens before entering the index. - * - * Example: - * - * var idx = lunr(function () { - * this.field('title', 10) - * this.field('tags', 100) - * this.field('body') - * - * this.ref('cid') - * - * this.pipeline.add(function () { - * // some custom pipeline function - * }) - * - * }) - * - * @param {Function} config A function that will be called with the new instance - * of the lunr.Index as both its context and first parameter. It can be used to - * customize the instance of new lunr.Index. - * @namespace - * @module - * @returns {lunr.Index} - * - */ - var lunr = function lunr(config) { - var idx = new lunr.Index(); - - idx.pipeline.add(lunr.trimmer, lunr.stopWordFilter, lunr.stemmer); - - if (config) config.call(idx, idx); - - return idx; - }; - - lunr.version = "0.7.2"; - /*! - * lunr.utils - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * A namespace containing utils for the rest of the lunr library - */ - lunr.utils = {}; - - /** - * Print a warning message to the console. - * - * @param {String} message The message to be printed. - * @memberOf Utils - */ - lunr.utils.warn = function (global) { - return function (message) { - if (global.console && console.warn) { - console.warn(message); - } - }; - }(this); - - /** - * Convert an object to a string. - * - * In the case of `null` and `undefined` the function returns - * the empty string, in all other cases the result of calling - * `toString` on the passed object is returned. - * - * @param {Any} obj The object to convert to a string. - * @return {String} string representation of the passed object. - * @memberOf Utils - */ - lunr.utils.asString = function (obj) { - if (obj === void 0 || obj === null) { - return ""; - } else { - return obj.toString(); - } - }; - /*! - * lunr.EventEmitter - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.EventEmitter is an event emitter for lunr. It manages adding and removing event handlers and triggering events and their handlers. - * - * @constructor - */ - lunr.EventEmitter = function () { - this.events = {}; - }; - - /** - * Binds a handler function to a specific event(s). - * - * Can bind a single function to many different events in one call. - * - * @param {String} [eventName] The name(s) of events to bind this function to. - * @param {Function} fn The function to call when an event is fired. - * @memberOf EventEmitter - */ - lunr.EventEmitter.prototype.addListener = function () { - var args = Array.prototype.slice.call(arguments), - fn = args.pop(), - names = args; - - if (typeof fn !== "function") throw new TypeError("last argument must be a function"); - - names.forEach(function (name) { - if (!this.hasHandler(name)) this.events[name] = []; - this.events[name].push(fn); - }, this); - }; - - /** - * Removes a handler function from a specific event. - * - * @param {String} eventName The name of the event to remove this function from. - * @param {Function} fn The function to remove from an event. - * @memberOf EventEmitter - */ - lunr.EventEmitter.prototype.removeListener = function (name, fn) { - if (!this.hasHandler(name)) return; - - var fnIndex = this.events[name].indexOf(fn); - this.events[name].splice(fnIndex, 1); - - if (!this.events[name].length) delete this.events[name]; - }; - - /** - * Calls all functions bound to the given event. - * - * Additional data can be passed to the event handler as arguments to `emit` - * after the event name. - * - * @param {String} eventName The name of the event to emit. - * @memberOf EventEmitter - */ - lunr.EventEmitter.prototype.emit = function (name) { - if (!this.hasHandler(name)) return; - - var args = Array.prototype.slice.call(arguments, 1); - - this.events[name].forEach(function (fn) { - fn.apply(undefined, args); - }); - }; - - /** - * Checks whether a handler has ever been stored against an event. - * - * @param {String} eventName The name of the event to check. - * @private - * @memberOf EventEmitter - */ - lunr.EventEmitter.prototype.hasHandler = function (name) { - return name in this.events; - }; - - /*! - * lunr.tokenizer - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * A function for splitting a string into tokens ready to be inserted into - * the search index. Uses `lunr.tokenizer.separator` to split strings, change - * the value of this property to change how strings are split into tokens. - * - * @module - * @param {String} obj The string to convert into tokens - * @see lunr.tokenizer.separator - * @returns {Array} - */ - lunr.tokenizer = function (obj) { - if (!arguments.length || obj == null || obj == undefined) return []; - if (Array.isArray(obj)) return obj.map(function (t) { - return lunr.utils.asString(t).toLowerCase(); - }); - - // TODO: This exists so that the deprecated property lunr.tokenizer.seperator can still be used. By - // default it is set to false and so the correctly spelt lunr.tokenizer.separator is used unless - // the user is using the old property to customise the tokenizer. - // - // This should be removed when version 1.0.0 is released. - var separator = lunr.tokenizer.seperator || lunr.tokenizer.separator; - - return obj.toString().trim().toLowerCase().split(separator); - }; - - /** - * This property is legacy alias for lunr.tokenizer.separator to maintain backwards compatability. - * When introduced the token was spelt incorrectly. It will remain until 1.0.0 when it will be removed, - * all code should use the correctly spelt lunr.tokenizer.separator property instead. - * - * @static - * @see lunr.tokenizer.separator - * @deprecated since 0.7.2 will be removed in 1.0.0 - * @private - * @see lunr.tokenizer - */ - lunr.tokenizer.seperator = false; - - /** - * The sperator used to split a string into tokens. Override this property to change the behaviour of - * `lunr.tokenizer` behaviour when tokenizing strings. By default this splits on whitespace and hyphens. - * - * @static - * @see lunr.tokenizer - */ - lunr.tokenizer.separator = /[\s\-]+/; - - /** - * Loads a previously serialised tokenizer. - * - * A tokenizer function to be loaded must already be registered with lunr.tokenizer. - * If the serialised tokenizer has not been registered then an error will be thrown. - * - * @param {String} label The label of the serialised tokenizer. - * @returns {Function} - * @memberOf tokenizer - */ - lunr.tokenizer.load = function (label) { - var fn = this.registeredFunctions[label]; - - if (!fn) { - throw new Error('Cannot load un-registered function: ' + label); - } - - return fn; - }; - - lunr.tokenizer.label = 'default'; - - lunr.tokenizer.registeredFunctions = { - 'default': lunr.tokenizer - }; - - /** - * Register a tokenizer function. - * - * Functions that are used as tokenizers should be registered if they are to be used with a serialised index. - * - * Registering a function does not add it to an index, functions must still be associated with a specific index for them to be used when indexing and searching documents. - * - * @param {Function} fn The function to register. - * @param {String} label The label to register this function with - * @memberOf tokenizer - */ - lunr.tokenizer.registerFunction = function (fn, label) { - if (label in this.registeredFunctions) { - lunr.utils.warn('Overwriting existing tokenizer: ' + label); - } - - fn.label = label; - this.registeredFunctions[label] = fn; - }; - /*! - * lunr.Pipeline - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.Pipelines maintain an ordered list of functions to be applied to all - * tokens in documents entering the search index and queries being ran against - * the index. - * - * An instance of lunr.Index created with the lunr shortcut will contain a - * pipeline with a stop word filter and an English language stemmer. Extra - * functions can be added before or after either of these functions or these - * default functions can be removed. - * - * When run the pipeline will call each function in turn, passing a token, the - * index of that token in the original list of all tokens and finally a list of - * all the original tokens. - * - * The output of functions in the pipeline will be passed to the next function - * in the pipeline. To exclude a token from entering the index the function - * should return undefined, the rest of the pipeline will not be called with - * this token. - * - * For serialisation of pipelines to work, all functions used in an instance of - * a pipeline should be registered with lunr.Pipeline. Registered functions can - * then be loaded. If trying to load a serialised pipeline that uses functions - * that are not registered an error will be thrown. - * - * If not planning on serialising the pipeline then registering pipeline functions - * is not necessary. - * - * @constructor - */ - lunr.Pipeline = function () { - this._stack = []; - }; - - lunr.Pipeline.registeredFunctions = {}; - - /** - * Register a function with the pipeline. - * - * Functions that are used in the pipeline should be registered if the pipeline - * needs to be serialised, or a serialised pipeline needs to be loaded. - * - * Registering a function does not add it to a pipeline, functions must still be - * added to instances of the pipeline for them to be used when running a pipeline. - * - * @param {Function} fn The function to check for. - * @param {String} label The label to register this function with - * @memberOf Pipeline - */ - lunr.Pipeline.registerFunction = function (fn, label) { - if (label in this.registeredFunctions) { - lunr.utils.warn('Overwriting existing registered function: ' + label); - } - - fn.label = label; - lunr.Pipeline.registeredFunctions[fn.label] = fn; - }; - - /** - * Warns if the function is not registered as a Pipeline function. - * - * @param {Function} fn The function to check for. - * @private - * @memberOf Pipeline - */ - lunr.Pipeline.warnIfFunctionNotRegistered = function (fn) { - var isRegistered = fn.label && fn.label in this.registeredFunctions; - - if (!isRegistered) { - lunr.utils.warn('Function is not registered with pipeline. This may cause problems when serialising the index.\n', fn); - } - }; - - /** - * Loads a previously serialised pipeline. - * - * All functions to be loaded must already be registered with lunr.Pipeline. - * If any function from the serialised data has not been registered then an - * error will be thrown. - * - * @param {Object} serialised The serialised pipeline to load. - * @returns {lunr.Pipeline} - * @memberOf Pipeline - */ - lunr.Pipeline.load = function (serialised) { - var pipeline = new lunr.Pipeline(); - - serialised.forEach(function (fnName) { - var fn = lunr.Pipeline.registeredFunctions[fnName]; - - if (fn) { - pipeline.add(fn); - } else { - throw new Error('Cannot load un-registered function: ' + fnName); - } - }); - - return pipeline; - }; - - /** - * Adds new functions to the end of the pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {Function} functions Any number of functions to add to the pipeline. - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.add = function () { - var fns = Array.prototype.slice.call(arguments); - - fns.forEach(function (fn) { - lunr.Pipeline.warnIfFunctionNotRegistered(fn); - this._stack.push(fn); - }, this); - }; - - /** - * Adds a single function after a function that already exists in the - * pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {Function} existingFn A function that already exists in the pipeline. - * @param {Function} newFn The new function to add to the pipeline. - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.after = function (existingFn, newFn) { - lunr.Pipeline.warnIfFunctionNotRegistered(newFn); - - var pos = this._stack.indexOf(existingFn); - if (pos == -1) { - throw new Error('Cannot find existingFn'); - } - - pos = pos + 1; - this._stack.splice(pos, 0, newFn); - }; - - /** - * Adds a single function before a function that already exists in the - * pipeline. - * - * Logs a warning if the function has not been registered. - * - * @param {Function} existingFn A function that already exists in the pipeline. - * @param {Function} newFn The new function to add to the pipeline. - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.before = function (existingFn, newFn) { - lunr.Pipeline.warnIfFunctionNotRegistered(newFn); - - var pos = this._stack.indexOf(existingFn); - if (pos == -1) { - throw new Error('Cannot find existingFn'); - } - - this._stack.splice(pos, 0, newFn); - }; - - /** - * Removes a function from the pipeline. - * - * @param {Function} fn The function to remove from the pipeline. - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.remove = function (fn) { - var pos = this._stack.indexOf(fn); - if (pos == -1) { - return; - } - - this._stack.splice(pos, 1); - }; - - /** - * Runs the current list of functions that make up the pipeline against the - * passed tokens. - * - * @param {Array} tokens The tokens to run through the pipeline. - * @returns {Array} - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.run = function (tokens) { - var out = [], - tokenLength = tokens.length, - stackLength = this._stack.length; - - for (var i = 0; i < tokenLength; i++) { - var token = tokens[i]; - - for (var j = 0; j < stackLength; j++) { - token = this._stack[j](token, i, tokens); - if (token === void 0 || token === '') break; - }; - - if (token !== void 0 && token !== '') out.push(token); - }; - - return out; - }; - - /** - * Resets the pipeline by removing any existing processors. - * - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.reset = function () { - this._stack = []; - }; - - /** - * Returns a representation of the pipeline ready for serialisation. - * - * Logs a warning if the function has not been registered. - * - * @returns {Array} - * @memberOf Pipeline - */ - lunr.Pipeline.prototype.toJSON = function () { - return this._stack.map(function (fn) { - lunr.Pipeline.warnIfFunctionNotRegistered(fn); - - return fn.label; - }); - }; - /*! - * lunr.Vector - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.Vectors implement vector related operations for - * a series of elements. - * - * @constructor - */ - lunr.Vector = function () { - this._magnitude = null; - this.list = undefined; - this.length = 0; - }; - - /** - * lunr.Vector.Node is a simple struct for each node - * in a lunr.Vector. - * - * @private - * @param {Number} The index of the node in the vector. - * @param {Object} The data at this node in the vector. - * @param {lunr.Vector.Node} The node directly after this node in the vector. - * @constructor - * @memberOf Vector - */ - lunr.Vector.Node = function (idx, val, next) { - this.idx = idx; - this.val = val; - this.next = next; - }; - - /** - * Inserts a new value at a position in a vector. - * - * @param {Number} The index at which to insert a value. - * @param {Object} The object to insert in the vector. - * @memberOf Vector. - */ - lunr.Vector.prototype.insert = function (idx, val) { - this._magnitude = undefined; - var list = this.list; - - if (!list) { - this.list = new lunr.Vector.Node(idx, val, list); - return this.length++; - } - - if (idx < list.idx) { - this.list = new lunr.Vector.Node(idx, val, list); - return this.length++; - } - - var prev = list, - next = list.next; - - while (next != undefined) { - if (idx < next.idx) { - prev.next = new lunr.Vector.Node(idx, val, next); - return this.length++; - } - - prev = next, next = next.next; - } - - prev.next = new lunr.Vector.Node(idx, val, next); - return this.length++; - }; - - /** - * Calculates the magnitude of this vector. - * - * @returns {Number} - * @memberOf Vector - */ - lunr.Vector.prototype.magnitude = function () { - if (this._magnitude) return this._magnitude; - var node = this.list, - sumOfSquares = 0, - val; - - while (node) { - val = node.val; - sumOfSquares += val * val; - node = node.next; - } - - return this._magnitude = Math.sqrt(sumOfSquares); - }; - - /** - * Calculates the dot product of this vector and another vector. - * - * @param {lunr.Vector} otherVector The vector to compute the dot product with. - * @returns {Number} - * @memberOf Vector - */ - lunr.Vector.prototype.dot = function (otherVector) { - var node = this.list, - otherNode = otherVector.list, - dotProduct = 0; - - while (node && otherNode) { - if (node.idx < otherNode.idx) { - node = node.next; - } else if (node.idx > otherNode.idx) { - otherNode = otherNode.next; - } else { - dotProduct += node.val * otherNode.val; - node = node.next; - otherNode = otherNode.next; - } - } - - return dotProduct; - }; - - /** - * Calculates the cosine similarity between this vector and another - * vector. - * - * @param {lunr.Vector} otherVector The other vector to calculate the - * similarity with. - * @returns {Number} - * @memberOf Vector - */ - lunr.Vector.prototype.similarity = function (otherVector) { - return this.dot(otherVector) / (this.magnitude() * otherVector.magnitude()); - }; - /*! - * lunr.SortedSet - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.SortedSets are used to maintain an array of uniq values in a sorted - * order. - * - * @constructor - */ - lunr.SortedSet = function () { - this.length = 0; - this.elements = []; - }; - - /** - * Loads a previously serialised sorted set. - * - * @param {Array} serialisedData The serialised set to load. - * @returns {lunr.SortedSet} - * @memberOf SortedSet - */ - lunr.SortedSet.load = function (serialisedData) { - var set = new this(); - - set.elements = serialisedData; - set.length = serialisedData.length; - - return set; - }; - - /** - * Inserts new items into the set in the correct position to maintain the - * order. - * - * @param {Object} The objects to add to this set. - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.add = function () { - var i, element; - - for (i = 0; i < arguments.length; i++) { - element = arguments[i]; - if (~this.indexOf(element)) continue; - this.elements.splice(this.locationFor(element), 0, element); - } - - this.length = this.elements.length; - }; - - /** - * Converts this sorted set into an array. - * - * @returns {Array} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.toArray = function () { - return this.elements.slice(); - }; - - /** - * Creates a new array with the results of calling a provided function on every - * element in this sorted set. - * - * Delegates to Array.prototype.map and has the same signature. - * - * @param {Function} fn The function that is called on each element of the - * set. - * @param {Object} ctx An optional object that can be used as the context - * for the function fn. - * @returns {Array} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.map = function (fn, ctx) { - return this.elements.map(fn, ctx); - }; - - /** - * Executes a provided function once per sorted set element. - * - * Delegates to Array.prototype.forEach and has the same signature. - * - * @param {Function} fn The function that is called on each element of the - * set. - * @param {Object} ctx An optional object that can be used as the context - * @memberOf SortedSet - * for the function fn. - */ - lunr.SortedSet.prototype.forEach = function (fn, ctx) { - return this.elements.forEach(fn, ctx); - }; - - /** - * Returns the index at which a given element can be found in the - * sorted set, or -1 if it is not present. - * - * @param {Object} elem The object to locate in the sorted set. - * @returns {Number} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.indexOf = function (elem) { - var start = 0, - end = this.elements.length, - sectionLength = end - start, - pivot = start + Math.floor(sectionLength / 2), - pivotElem = this.elements[pivot]; - - while (sectionLength > 1) { - if (pivotElem === elem) return pivot; - - if (pivotElem < elem) start = pivot; - if (pivotElem > elem) end = pivot; - - sectionLength = end - start; - pivot = start + Math.floor(sectionLength / 2); - pivotElem = this.elements[pivot]; - } - - if (pivotElem === elem) return pivot; - - return -1; - }; - - /** - * Returns the position within the sorted set that an element should be - * inserted at to maintain the current order of the set. - * - * This function assumes that the element to search for does not already exist - * in the sorted set. - * - * @param {Object} elem The elem to find the position for in the set - * @returns {Number} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.locationFor = function (elem) { - var start = 0, - end = this.elements.length, - sectionLength = end - start, - pivot = start + Math.floor(sectionLength / 2), - pivotElem = this.elements[pivot]; - - while (sectionLength > 1) { - if (pivotElem < elem) start = pivot; - if (pivotElem > elem) end = pivot; - - sectionLength = end - start; - pivot = start + Math.floor(sectionLength / 2); - pivotElem = this.elements[pivot]; - } - - if (pivotElem > elem) return pivot; - if (pivotElem < elem) return pivot + 1; - }; - - /** - * Creates a new lunr.SortedSet that contains the elements in the intersection - * of this set and the passed set. - * - * @param {lunr.SortedSet} otherSet The set to intersect with this set. - * @returns {lunr.SortedSet} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.intersect = function (otherSet) { - var intersectSet = new lunr.SortedSet(), - i = 0, - j = 0, - a_len = this.length, - b_len = otherSet.length, - a = this.elements, - b = otherSet.elements; - - while (true) { - if (i > a_len - 1 || j > b_len - 1) break; - - if (a[i] === b[j]) { - intersectSet.add(a[i]); - i++, j++; - continue; - } - - if (a[i] < b[j]) { - i++; - continue; - } - - if (a[i] > b[j]) { - j++; - continue; - } - }; - - return intersectSet; - }; - - /** - * Makes a copy of this set - * - * @returns {lunr.SortedSet} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.clone = function () { - var clone = new lunr.SortedSet(); - - clone.elements = this.toArray(); - clone.length = clone.elements.length; - - return clone; - }; - - /** - * Creates a new lunr.SortedSet that contains the elements in the union - * of this set and the passed set. - * - * @param {lunr.SortedSet} otherSet The set to union with this set. - * @returns {lunr.SortedSet} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.union = function (otherSet) { - var longSet, shortSet, unionSet; - - if (this.length >= otherSet.length) { - longSet = this, shortSet = otherSet; - } else { - longSet = otherSet, shortSet = this; - } - - unionSet = longSet.clone(); - - for (var i = 0, shortSetElements = shortSet.toArray(); i < shortSetElements.length; i++) { - unionSet.add(shortSetElements[i]); - } - - return unionSet; - }; - - /** - * Returns a representation of the sorted set ready for serialisation. - * - * @returns {Array} - * @memberOf SortedSet - */ - lunr.SortedSet.prototype.toJSON = function () { - return this.toArray(); - }; - /*! - * lunr.Index - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.Index is object that manages a search index. It contains the indexes - * and stores all the tokens and document lookups. It also provides the main - * user facing API for the library. - * - * @constructor - */ - lunr.Index = function () { - this._fields = []; - this._ref = 'id'; - this.pipeline = new lunr.Pipeline(); - this.documentStore = new lunr.Store(); - this.tokenStore = new lunr.TokenStore(); - this.corpusTokens = new lunr.SortedSet(); - this.eventEmitter = new lunr.EventEmitter(); - this.tokenizerFn = lunr.tokenizer; - - this._idfCache = {}; - - this.on('add', 'remove', 'update', function () { - this._idfCache = {}; - }.bind(this)); - }; - - /** - * Bind a handler to events being emitted by the index. - * - * The handler can be bound to many events at the same time. - * - * @param {String} [eventName] The name(s) of events to bind the function to. - * @param {Function} fn The serialised set to load. - * @memberOf Index - */ - lunr.Index.prototype.on = function () { - var args = Array.prototype.slice.call(arguments); - return this.eventEmitter.addListener.apply(this.eventEmitter, args); - }; - - /** - * Removes a handler from an event being emitted by the index. - * - * @param {String} eventName The name of events to remove the function from. - * @param {Function} fn The serialised set to load. - * @memberOf Index - */ - lunr.Index.prototype.off = function (name, fn) { - return this.eventEmitter.removeListener(name, fn); - }; - - /** - * Loads a previously serialised index. - * - * Issues a warning if the index being imported was serialised - * by a different version of lunr. - * - * @param {Object} serialisedData The serialised set to load. - * @returns {lunr.Index} - * @memberOf Index - */ - lunr.Index.load = function (serialisedData) { - if (serialisedData.version !== lunr.version) { - lunr.utils.warn('version mismatch: current ' + lunr.version + ' importing ' + serialisedData.version); - } - - var idx = new this(); - - idx._fields = serialisedData.fields; - idx._ref = serialisedData.ref; - - idx.tokenizer(lunr.tokenizer.load(serialisedData.tokenizer)); - idx.documentStore = lunr.Store.load(serialisedData.documentStore); - idx.tokenStore = lunr.TokenStore.load(serialisedData.tokenStore); - idx.corpusTokens = lunr.SortedSet.load(serialisedData.corpusTokens); - idx.pipeline = lunr.Pipeline.load(serialisedData.pipeline); - - return idx; - }; - - /** - * Adds a field to the list of fields that will be searchable within documents - * in the index. - * - * An optional boost param can be passed to affect how much tokens in this field - * rank in search results, by default the boost value is 1. - * - * Fields should be added before any documents are added to the index, fields - * that are added after documents are added to the index will only apply to new - * documents added to the index. - * - * @param {String} fieldName The name of the field within the document that - * should be indexed - * @param {Number} boost An optional boost that can be applied to terms in this - * field. - * @returns {lunr.Index} - * @memberOf Index - */ - lunr.Index.prototype.field = function (fieldName, opts) { - var opts = opts || {}, - field = { name: fieldName, boost: opts.boost || 1 }; - - this._fields.push(field); - return this; - }; - - /** - * Sets the property used to uniquely identify documents added to the index, - * by default this property is 'id'. - * - * This should only be changed before adding documents to the index, changing - * the ref property without resetting the index can lead to unexpected results. - * - * The value of ref can be of any type but it _must_ be stably comparable and - * orderable. - * - * @param {String} refName The property to use to uniquely identify the - * documents in the index. - * @param {Boolean} emitEvent Whether to emit add events, defaults to true - * @returns {lunr.Index} - * @memberOf Index - */ - lunr.Index.prototype.ref = function (refName) { - this._ref = refName; - return this; - }; - - /** - * Sets the tokenizer used for this index. - * - * By default the index will use the default tokenizer, lunr.tokenizer. The tokenizer - * should only be changed before adding documents to the index. Changing the tokenizer - * without re-building the index can lead to unexpected results. - * - * @param {Function} fn The function to use as a tokenizer. - * @returns {lunr.Index} - * @memberOf Index - */ - lunr.Index.prototype.tokenizer = function (fn) { - var isRegistered = fn.label && fn.label in lunr.tokenizer.registeredFunctions; - - if (!isRegistered) { - lunr.utils.warn('Function is not a registered tokenizer. This may cause problems when serialising the index'); - } - - this.tokenizerFn = fn; - return this; - }; - - /** - * Add a document to the index. - * - * This is the way new documents enter the index, this function will run the - * fields from the document through the index's pipeline and then add it to - * the index, it will then show up in search results. - * - * An 'add' event is emitted with the document that has been added and the index - * the document has been added to. This event can be silenced by passing false - * as the second argument to add. - * - * @param {Object} doc The document to add to the index. - * @param {Boolean} emitEvent Whether or not to emit events, default true. - * @memberOf Index - */ - lunr.Index.prototype.add = function (doc, emitEvent) { - var docTokens = {}, - allDocumentTokens = new lunr.SortedSet(), - docRef = doc[this._ref], - emitEvent = emitEvent === undefined ? true : emitEvent; - - this._fields.forEach(function (field) { - var fieldTokens = this.pipeline.run(this.tokenizerFn(doc[field.name])); - - docTokens[field.name] = fieldTokens; - - for (var i = 0; i < fieldTokens.length; i++) { - var token = fieldTokens[i]; - allDocumentTokens.add(token); - this.corpusTokens.add(token); - } - }, this); - - this.documentStore.set(docRef, allDocumentTokens); - - for (var i = 0; i < allDocumentTokens.length; i++) { - var token = allDocumentTokens.elements[i]; - var tf = 0; - - for (var j = 0; j < this._fields.length; j++) { - var field = this._fields[j]; - var fieldTokens = docTokens[field.name]; - var fieldLength = fieldTokens.length; - - if (!fieldLength) continue; - - var tokenCount = 0; - for (var k = 0; k < fieldLength; k++) { - if (fieldTokens[k] === token) { - tokenCount++; - } - } - - tf += tokenCount / fieldLength * field.boost; - } - - this.tokenStore.add(token, { ref: docRef, tf: tf }); - }; - - if (emitEvent) this.eventEmitter.emit('add', doc, this); - }; - - /** - * Removes a document from the index. - * - * To make sure documents no longer show up in search results they can be - * removed from the index using this method. - * - * The document passed only needs to have the same ref property value as the - * document that was added to the index, they could be completely different - * objects. - * - * A 'remove' event is emitted with the document that has been removed and the index - * the document has been removed from. This event can be silenced by passing false - * as the second argument to remove. - * - * @param {Object} doc The document to remove from the index. - * @param {Boolean} emitEvent Whether to emit remove events, defaults to true - * @memberOf Index - */ - lunr.Index.prototype.remove = function (doc, emitEvent) { - var docRef = doc[this._ref], - emitEvent = emitEvent === undefined ? true : emitEvent; - - if (!this.documentStore.has(docRef)) return; - - var docTokens = this.documentStore.get(docRef); - - this.documentStore.remove(docRef); - - docTokens.forEach(function (token) { - this.tokenStore.remove(token, docRef); - }, this); - - if (emitEvent) this.eventEmitter.emit('remove', doc, this); - }; - - /** - * Updates a document in the index. - * - * When a document contained within the index gets updated, fields changed, - * added or removed, to make sure it correctly matched against search queries, - * it should be updated in the index. - * - * This method is just a wrapper around `remove` and `add` - * - * An 'update' event is emitted with the document that has been updated and the index. - * This event can be silenced by passing false as the second argument to update. Only - * an update event will be fired, the 'add' and 'remove' events of the underlying calls - * are silenced. - * - * @param {Object} doc The document to update in the index. - * @param {Boolean} emitEvent Whether to emit update events, defaults to true - * @see Index.prototype.remove - * @see Index.prototype.add - * @memberOf Index - */ - lunr.Index.prototype.update = function (doc, emitEvent) { - var emitEvent = emitEvent === undefined ? true : emitEvent; - - this.remove(doc, false); - this.add(doc, false); - - if (emitEvent) this.eventEmitter.emit('update', doc, this); - }; - - /** - * Calculates the inverse document frequency for a token within the index. - * - * @param {String} token The token to calculate the idf of. - * @see Index.prototype.idf - * @private - * @memberOf Index - */ - lunr.Index.prototype.idf = function (term) { - var cacheKey = "@" + term; - if (Object.prototype.hasOwnProperty.call(this._idfCache, cacheKey)) return this._idfCache[cacheKey]; - - var documentFrequency = this.tokenStore.count(term), - idf = 1; - - if (documentFrequency > 0) { - idf = 1 + Math.log(this.documentStore.length / documentFrequency); - } - - return this._idfCache[cacheKey] = idf; - }; - - /** - * Searches the index using the passed query. - * - * Queries should be a string, multiple words are allowed and will lead to an - * AND based query, e.g. `idx.search('foo bar')` will run a search for - * documents containing both 'foo' and 'bar'. - * - * All query tokens are passed through the same pipeline that document tokens - * are passed through, so any language processing involved will be run on every - * query term. - * - * Each query term is expanded, so that the term 'he' might be expanded to - * 'hello' and 'help' if those terms were already included in the index. - * - * Matching documents are returned as an array of objects, each object contains - * the matching document ref, as set for this index, and the similarity score - * for this document against the query. - * - * @param {String} query The query to search the index with. - * @returns {Object} - * @see Index.prototype.idf - * @see Index.prototype.documentVector - * @memberOf Index - */ - lunr.Index.prototype.search = function (query) { - var queryTokens = this.pipeline.run(this.tokenizerFn(query)), - queryVector = new lunr.Vector(), - documentSets = [], - fieldBoosts = this._fields.reduce(function (memo, f) { - return memo + f.boost; - }, 0); - - var hasSomeToken = queryTokens.some(function (token) { - return this.tokenStore.has(token); - }, this); - - if (!hasSomeToken) return []; - - queryTokens.forEach(function (token, i, tokens) { - var tf = 1 / tokens.length * this._fields.length * fieldBoosts, - self = this; - - var set = this.tokenStore.expand(token).reduce(function (memo, key) { - var pos = self.corpusTokens.indexOf(key), - idf = self.idf(key), - similarityBoost = 1, - set = new lunr.SortedSet(); - - // if the expanded key is not an exact match to the token then - // penalise the score for this key by how different the key is - // to the token. - if (key !== token) { - var diff = Math.max(3, key.length - token.length); - similarityBoost = 1 / Math.log(diff); - } - - // calculate the query tf-idf score for this token - // applying an similarityBoost to ensure exact matches - // these rank higher than expanded terms - if (pos > -1) queryVector.insert(pos, tf * idf * similarityBoost); - - // add all the documents that have this key into a set - // ensuring that the type of key is preserved - var matchingDocuments = self.tokenStore.get(key), - refs = Object.keys(matchingDocuments), - refsLen = refs.length; - - for (var i = 0; i < refsLen; i++) { - set.add(matchingDocuments[refs[i]].ref); - } - - return memo.union(set); - }, new lunr.SortedSet()); - - documentSets.push(set); - }, this); - - var documentSet = documentSets.reduce(function (memo, set) { - return memo.intersect(set); - }); - - return documentSet.map(function (ref) { - return { ref: ref, score: queryVector.similarity(this.documentVector(ref)) }; - }, this).sort(function (a, b) { - return b.score - a.score; - }); - }; - - /** - * Generates a vector containing all the tokens in the document matching the - * passed documentRef. - * - * The vector contains the tf-idf score for each token contained in the - * document with the passed documentRef. The vector will contain an element - * for every token in the indexes corpus, if the document does not contain that - * token the element will be 0. - * - * @param {Object} documentRef The ref to find the document with. - * @returns {lunr.Vector} - * @private - * @memberOf Index - */ - lunr.Index.prototype.documentVector = function (documentRef) { - var documentTokens = this.documentStore.get(documentRef), - documentTokensLength = documentTokens.length, - documentVector = new lunr.Vector(); - - for (var i = 0; i < documentTokensLength; i++) { - var token = documentTokens.elements[i], - tf = this.tokenStore.get(token)[documentRef].tf, - idf = this.idf(token); - - documentVector.insert(this.corpusTokens.indexOf(token), tf * idf); - }; - - return documentVector; - }; - - /** - * Returns a representation of the index ready for serialisation. - * - * @returns {Object} - * @memberOf Index - */ - lunr.Index.prototype.toJSON = function () { - return { - version: lunr.version, - fields: this._fields, - ref: this._ref, - tokenizer: this.tokenizerFn.label, - documentStore: this.documentStore.toJSON(), - tokenStore: this.tokenStore.toJSON(), - corpusTokens: this.corpusTokens.toJSON(), - pipeline: this.pipeline.toJSON() - }; - }; - - /** - * Applies a plugin to the current index. - * - * A plugin is a function that is called with the index as its context. - * Plugins can be used to customise or extend the behaviour the index - * in some way. A plugin is just a function, that encapsulated the custom - * behaviour that should be applied to the index. - * - * The plugin function will be called with the index as its argument, additional - * arguments can also be passed when calling use. The function will be called - * with the index as its context. - * - * Example: - * - * var myPlugin = function (idx, arg1, arg2) { - * // `this` is the index to be extended - * // apply any extensions etc here. - * } - * - * var idx = lunr(function () { - * this.use(myPlugin, 'arg1', 'arg2') - * }) - * - * @param {Function} plugin The plugin to apply. - * @memberOf Index - */ - lunr.Index.prototype.use = function (plugin) { - var args = Array.prototype.slice.call(arguments, 1); - args.unshift(this); - plugin.apply(this, args); - }; - /*! - * lunr.Store - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.Store is a simple key-value store used for storing sets of tokens for - * documents stored in index. - * - * @constructor - * @module - */ - lunr.Store = function () { - this.store = {}; - this.length = 0; - }; - - /** - * Loads a previously serialised store - * - * @param {Object} serialisedData The serialised store to load. - * @returns {lunr.Store} - * @memberOf Store - */ - lunr.Store.load = function (serialisedData) { - var store = new this(); - - store.length = serialisedData.length; - store.store = Object.keys(serialisedData.store).reduce(function (memo, key) { - memo[key] = lunr.SortedSet.load(serialisedData.store[key]); - return memo; - }, {}); - - return store; - }; - - /** - * Stores the given tokens in the store against the given id. - * - * @param {Object} id The key used to store the tokens against. - * @param {Object} tokens The tokens to store against the key. - * @memberOf Store - */ - lunr.Store.prototype.set = function (id, tokens) { - if (!this.has(id)) this.length++; - this.store[id] = tokens; - }; - - /** - * Retrieves the tokens from the store for a given key. - * - * @param {Object} id The key to lookup and retrieve from the store. - * @returns {Object} - * @memberOf Store - */ - lunr.Store.prototype.get = function (id) { - return this.store[id]; - }; - - /** - * Checks whether the store contains a key. - * - * @param {Object} id The id to look up in the store. - * @returns {Boolean} - * @memberOf Store - */ - lunr.Store.prototype.has = function (id) { - return id in this.store; - }; - - /** - * Removes the value for a key in the store. - * - * @param {Object} id The id to remove from the store. - * @memberOf Store - */ - lunr.Store.prototype.remove = function (id) { - if (!this.has(id)) return; - - delete this.store[id]; - this.length--; - }; - - /** - * Returns a representation of the store ready for serialisation. - * - * @returns {Object} - * @memberOf Store - */ - lunr.Store.prototype.toJSON = function () { - return { - store: this.store, - length: this.length - }; - }; - - /*! - * lunr.stemmer - * Copyright (C) 2016 Oliver Nightingale - * Includes code from - http://tartarus.org/~martin/PorterStemmer/js.txt - */ - - /** - * lunr.stemmer is an english language stemmer, this is a JavaScript - * implementation of the PorterStemmer taken from http://tartarus.org/~martin - * - * @module - * @param {String} str The string to stem - * @returns {String} - * @see lunr.Pipeline - */ - lunr.stemmer = function () { - var step2list = { - "ational": "ate", - "tional": "tion", - "enci": "ence", - "anci": "ance", - "izer": "ize", - "bli": "ble", - "alli": "al", - "entli": "ent", - "eli": "e", - "ousli": "ous", - "ization": "ize", - "ation": "ate", - "ator": "ate", - "alism": "al", - "iveness": "ive", - "fulness": "ful", - "ousness": "ous", - "aliti": "al", - "iviti": "ive", - "biliti": "ble", - "logi": "log" - }, - step3list = { - "icate": "ic", - "ative": "", - "alize": "al", - "iciti": "ic", - "ical": "ic", - "ful": "", - "ness": "" - }, - c = "[^aeiou]", - // consonant - v = "[aeiouy]", - // vowel - C = c + "[^aeiouy]*", - // consonant sequence - V = v + "[aeiou]*", - // vowel sequence - - mgr0 = "^(" + C + ")?" + V + C, - // [C]VC... is m>0 - meq1 = "^(" + C + ")?" + V + C + "(" + V + ")?$", - // [C]VC[V] is m=1 - mgr1 = "^(" + C + ")?" + V + C + V + C, - // [C]VCVC... is m>1 - s_v = "^(" + C + ")?" + v; // vowel in stem - - var re_mgr0 = new RegExp(mgr0); - var re_mgr1 = new RegExp(mgr1); - var re_meq1 = new RegExp(meq1); - var re_s_v = new RegExp(s_v); - - var re_1a = /^(.+?)(ss|i)es$/; - var re2_1a = /^(.+?)([^s])s$/; - var re_1b = /^(.+?)eed$/; - var re2_1b = /^(.+?)(ed|ing)$/; - var re_1b_2 = /.$/; - var re2_1b_2 = /(at|bl|iz)$/; - var re3_1b_2 = new RegExp("([^aeiouylsz])\\1$"); - var re4_1b_2 = new RegExp("^" + C + v + "[^aeiouwxy]$"); - - var re_1c = /^(.+?[^aeiou])y$/; - var re_2 = /^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/; - - var re_3 = /^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/; - - var re_4 = /^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/; - var re2_4 = /^(.+?)(s|t)(ion)$/; - - var re_5 = /^(.+?)e$/; - var re_5_1 = /ll$/; - var re3_5 = new RegExp("^" + C + v + "[^aeiouwxy]$"); - - var porterStemmer = function porterStemmer(w) { - var stem, suffix, firstch, re, re2, re3, re4; - - if (w.length < 3) { - return w; - } - - firstch = w.substr(0, 1); - if (firstch == "y") { - w = firstch.toUpperCase() + w.substr(1); - } - - // Step 1a - re = re_1a; - re2 = re2_1a; - - if (re.test(w)) { - w = w.replace(re, "$1$2"); - } else if (re2.test(w)) { - w = w.replace(re2, "$1$2"); - } - - // Step 1b - re = re_1b; - re2 = re2_1b; - if (re.test(w)) { - var fp = re.exec(w); - re = re_mgr0; - if (re.test(fp[1])) { - re = re_1b_2; - w = w.replace(re, ""); - } - } else if (re2.test(w)) { - var fp = re2.exec(w); - stem = fp[1]; - re2 = re_s_v; - if (re2.test(stem)) { - w = stem; - re2 = re2_1b_2; - re3 = re3_1b_2; - re4 = re4_1b_2; - if (re2.test(w)) { - w = w + "e"; - } else if (re3.test(w)) { - re = re_1b_2;w = w.replace(re, ""); - } else if (re4.test(w)) { - w = w + "e"; - } - } - } - - // Step 1c - replace suffix y or Y by i if preceded by a non-vowel which is not the first letter of the word (so cry -> cri, by -> by, say -> say) - re = re_1c; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - w = stem + "i"; - } - - // Step 2 - re = re_2; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - suffix = fp[2]; - re = re_mgr0; - if (re.test(stem)) { - w = stem + step2list[suffix]; - } - } - - // Step 3 - re = re_3; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - suffix = fp[2]; - re = re_mgr0; - if (re.test(stem)) { - w = stem + step3list[suffix]; - } - } - - // Step 4 - re = re_4; - re2 = re2_4; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - re = re_mgr1; - if (re.test(stem)) { - w = stem; - } - } else if (re2.test(w)) { - var fp = re2.exec(w); - stem = fp[1] + fp[2]; - re2 = re_mgr1; - if (re2.test(stem)) { - w = stem; - } - } - - // Step 5 - re = re_5; - if (re.test(w)) { - var fp = re.exec(w); - stem = fp[1]; - re = re_mgr1; - re2 = re_meq1; - re3 = re3_5; - if (re.test(stem) || re2.test(stem) && !re3.test(stem)) { - w = stem; - } - } - - re = re_5_1; - re2 = re_mgr1; - if (re.test(w) && re2.test(w)) { - re = re_1b_2; - w = w.replace(re, ""); - } - - // and turn initial Y back to y - - if (firstch == "y") { - w = firstch.toLowerCase() + w.substr(1); - } - - return w; - }; - - return porterStemmer; - }(); - - lunr.Pipeline.registerFunction(lunr.stemmer, 'stemmer'); - /*! - * lunr.stopWordFilter - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.generateStopWordFilter builds a stopWordFilter function from the provided - * list of stop words. - * - * The built in lunr.stopWordFilter is built using this generator and can be used - * to generate custom stopWordFilters for applications or non English languages. - * - * @module - * @param {Array} token The token to pass through the filter - * @returns {Function} - * @see lunr.Pipeline - * @see lunr.stopWordFilter - */ - lunr.generateStopWordFilter = function (stopWords) { - var words = stopWords.reduce(function (memo, stopWord) { - memo[stopWord] = stopWord; - return memo; - }, {}); - - return function (token) { - if (token && words[token] !== token) return token; - }; - }; - - /** - * lunr.stopWordFilter is an English language stop word list filter, any words - * contained in the list will not be passed through the filter. - * - * This is intended to be used in the Pipeline. If the token does not pass the - * filter then undefined will be returned. - * - * @module - * @param {String} token The token to pass through the filter - * @returns {String} - * @see lunr.Pipeline - */ - lunr.stopWordFilter = lunr.generateStopWordFilter(['a', 'able', 'about', 'across', 'after', 'all', 'almost', 'also', 'am', 'among', 'an', 'and', 'any', 'are', 'as', 'at', 'be', 'because', 'been', 'but', 'by', 'can', 'cannot', 'could', 'dear', 'did', 'do', 'does', 'either', 'else', 'ever', 'every', 'for', 'from', 'get', 'got', 'had', 'has', 'have', 'he', 'her', 'hers', 'him', 'his', 'how', 'however', 'i', 'if', 'in', 'into', 'is', 'it', 'its', 'just', 'least', 'let', 'like', 'likely', 'may', 'me', 'might', 'most', 'must', 'my', 'neither', 'no', 'nor', 'not', 'of', 'off', 'often', 'on', 'only', 'or', 'other', 'our', 'own', 'rather', 'said', 'say', 'says', 'she', 'should', 'since', 'so', 'some', 'than', 'that', 'the', 'their', 'them', 'then', 'there', 'these', 'they', 'this', 'tis', 'to', 'too', 'twas', 'us', 'wants', 'was', 'we', 'were', 'what', 'when', 'where', 'which', 'while', 'who', 'whom', 'why', 'will', 'with', 'would', 'yet', 'you', 'your']); - - lunr.Pipeline.registerFunction(lunr.stopWordFilter, 'stopWordFilter'); - /*! - * lunr.trimmer - * Copyright (C) 2016 Oliver Nightingale - */ - - /** - * lunr.trimmer is a pipeline function for trimming non word - * characters from the begining and end of tokens before they - * enter the index. - * - * This implementation may not work correctly for non latin - * characters and should either be removed or adapted for use - * with languages with non-latin characters. - * - * @module - * @param {String} token The token to pass through the filter - * @returns {String} - * @see lunr.Pipeline - */ - lunr.trimmer = function (token) { - return token.replace(/^\W+/, '').replace(/\W+$/, ''); - }; - - lunr.Pipeline.registerFunction(lunr.trimmer, 'trimmer'); - /*! - * lunr.stemmer - * Copyright (C) 2016 Oliver Nightingale - * Includes code from - http://tartarus.org/~martin/PorterStemmer/js.txt - */ - - /** - * lunr.TokenStore is used for efficient storing and lookup of the reverse - * index of token to document ref. - * - * @constructor - */ - lunr.TokenStore = function () { - this.root = { docs: {} }; - this.length = 0; - }; - - /** - * Loads a previously serialised token store - * - * @param {Object} serialisedData The serialised token store to load. - * @returns {lunr.TokenStore} - * @memberOf TokenStore - */ - lunr.TokenStore.load = function (serialisedData) { - var store = new this(); - - store.root = serialisedData.root; - store.length = serialisedData.length; - - return store; - }; - - /** - * Adds a new token doc pair to the store. - * - * By default this function starts at the root of the current store, however - * it can start at any node of any token store if required. - * - * @param {String} token The token to store the doc under - * @param {Object} doc The doc to store against the token - * @param {Object} root An optional node at which to start looking for the - * correct place to enter the doc, by default the root of this lunr.TokenStore - * is used. - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.add = function (token, doc, root) { - var root = root || this.root, - key = token.charAt(0), - rest = token.slice(1); - - if (!(key in root)) root[key] = { docs: {} }; - - if (rest.length === 0) { - root[key].docs[doc.ref] = doc; - this.length += 1; - return; - } else { - return this.add(rest, doc, root[key]); - } - }; - - /** - * Checks whether this key is contained within this lunr.TokenStore. - * - * By default this function starts at the root of the current store, however - * it can start at any node of any token store if required. - * - * @param {String} token The token to check for - * @param {Object} root An optional node at which to start - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.has = function (token) { - if (!token) return false; - - var node = this.root; - - for (var i = 0; i < token.length; i++) { - if (!node[token.charAt(i)]) return false; - - node = node[token.charAt(i)]; - } - - return true; - }; - - /** - * Retrieve a node from the token store for a given token. - * - * By default this function starts at the root of the current store, however - * it can start at any node of any token store if required. - * - * @param {String} token The token to get the node for. - * @param {Object} root An optional node at which to start. - * @returns {Object} - * @see TokenStore.prototype.get - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.getNode = function (token) { - if (!token) return {}; - - var node = this.root; - - for (var i = 0; i < token.length; i++) { - if (!node[token.charAt(i)]) return {}; - - node = node[token.charAt(i)]; - } - - return node; - }; - - /** - * Retrieve the documents for a node for the given token. - * - * By default this function starts at the root of the current store, however - * it can start at any node of any token store if required. - * - * @param {String} token The token to get the documents for. - * @param {Object} root An optional node at which to start. - * @returns {Object} - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.get = function (token, root) { - return this.getNode(token, root).docs || {}; - }; - - lunr.TokenStore.prototype.count = function (token, root) { - return Object.keys(this.get(token, root)).length; - }; - - /** - * Remove the document identified by ref from the token in the store. - * - * By default this function starts at the root of the current store, however - * it can start at any node of any token store if required. - * - * @param {String} token The token to get the documents for. - * @param {String} ref The ref of the document to remove from this token. - * @param {Object} root An optional node at which to start. - * @returns {Object} - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.remove = function (token, ref) { - if (!token) return; - var node = this.root; - - for (var i = 0; i < token.length; i++) { - if (!(token.charAt(i) in node)) return; - node = node[token.charAt(i)]; - } - - delete node.docs[ref]; - }; - - /** - * Find all the possible suffixes of the passed token using tokens - * currently in the store. - * - * @param {String} token The token to expand. - * @returns {Array} - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.expand = function (token, memo) { - var root = this.getNode(token), - docs = root.docs || {}, - memo = memo || []; - - if (Object.keys(docs).length) memo.push(token); - - Object.keys(root).forEach(function (key) { - if (key === 'docs') return; - - memo.concat(this.expand(token + key, memo)); - }, this); - - return memo; - }; - - /** - * Returns a representation of the token store ready for serialisation. - * - * @returns {Object} - * @memberOf TokenStore - */ - lunr.TokenStore.prototype.toJSON = function () { - return { - root: this.root, - length: this.length - }; - } - - /** - * export the module via AMD, CommonJS or as a browser global - * Export code from https://github.com/umdjs/umd/blob/master/returnExports.js - */ - ;(function (root, factory) { - if (true) { - // AMD. Register as an anonymous module. - !(__WEBPACK_AMD_DEFINE_FACTORY__ = (factory), - __WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ? - (__WEBPACK_AMD_DEFINE_FACTORY__.call(exports, __webpack_require__, exports, module)) : - __WEBPACK_AMD_DEFINE_FACTORY__), - __WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)); - } else if ((typeof exports === "undefined" ? "undefined" : _typeof(exports)) === 'object') { - /** - * Node. Does not work with strict CommonJS, but - * only CommonJS-like enviroments that support module.exports, - * like Node. - */ - module.exports = factory(); - } else { - // Browser globals (root is window) - root.lunr = factory(); - } - })(this, function () { - /** - * Just return a value to define the module export. - * This example returns an object, but the module - * can return a function as the exported value. - */ - return lunr; - }); -})(); - -/***/ }), -/* 73 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Material_Event__ = __webpack_require__(74); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Material_Nav__ = __webpack_require__(76); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__Material_Search__ = __webpack_require__(80); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__Material_Sidebar__ = __webpack_require__(83); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__Material_Source__ = __webpack_require__(85); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Event: __WEBPACK_IMPORTED_MODULE_0__Material_Event__["a" /* default */], - Nav: __WEBPACK_IMPORTED_MODULE_1__Material_Nav__["a" /* default */], - Search: __WEBPACK_IMPORTED_MODULE_2__Material_Search__["a" /* default */], - Sidebar: __WEBPACK_IMPORTED_MODULE_3__Material_Sidebar__["a" /* default */], - Source: __WEBPACK_IMPORTED_MODULE_4__Material_Source__["a" /* default */] -}; - -/***/ }), -/* 74 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Event_Listener__ = __webpack_require__(33); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Event_MatchMedia__ = __webpack_require__(75); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Listener: __WEBPACK_IMPORTED_MODULE_0__Event_Listener__["a" /* default */], - MatchMedia: __WEBPACK_IMPORTED_MODULE_1__Event_MatchMedia__["a" /* default */] -}; - -/***/ }), -/* 75 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Listener__ = __webpack_require__(33); -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - // eslint-disable-line no-unused-vars - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var MatchMedia = - -/** - * Media query listener - * - * This class listens for state changes of media queries and automatically - * switches the given listeners on or off. - * - * @constructor - * - * @property {Function} handler_ - Media query event handler - * - * @param {string} query - Media query to test for - * @param {Listener} listener - Event listener - */ -function MatchMedia(query, listener) { - _classCallCheck(this, MatchMedia); - - this.handler_ = function (mq) { - if (mq.matches) listener.listen();else listener.unlisten(); - }; - - /* Initialize media query listener */ - var media = window.matchMedia(query); - media.addListener(this.handler_); - - /* Always check at initialization */ - this.handler_(media); -}; - -/* harmony default export */ __webpack_exports__["a"] = MatchMedia; - -/***/ }), -/* 76 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Nav_Blur__ = __webpack_require__(77); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Nav_Collapse__ = __webpack_require__(78); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__Nav_Scrolling__ = __webpack_require__(79); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Blur: __WEBPACK_IMPORTED_MODULE_0__Nav_Blur__["a" /* default */], - Collapse: __WEBPACK_IMPORTED_MODULE_1__Nav_Collapse__["a" /* default */], - Scrolling: __WEBPACK_IMPORTED_MODULE_2__Nav_Scrolling__["a" /* default */] -}; - -/***/ }), -/* 77 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Blur = function () { - - /** - * Blur links within the table of contents above current page y-offset - * - * @constructor - * - * @property {NodeList} els_ - Table of contents links - * @property {Array} anchors_ - Referenced anchor nodes - * @property {number} index_ - Current link index - * @property {number} offset_ - Current page y-offset - * @property {boolean} dir_ - Scroll direction change - * - * @param {(string|NodeList)} els - Selector or HTML elements - */ - function Blur(els) { - _classCallCheck(this, Blur); - - this.els_ = typeof els === "string" ? document.querySelectorAll(els) : els; - - /* Initialize index and page y-offset */ - this.index_ = 0; - this.offset_ = window.pageYOffset; - - /* Necessary state to correctly reset the index */ - this.dir_ = false; - - /* Index anchor node offsets for fast lookup */ - this.anchors_ = [].reduce.call(this.els_, function (anchors, el) { - return anchors.concat(document.getElementById(el.hash.substring(1)) || []); - }, []); - } - - /** - * Initialize blur states - */ - - - _createClass(Blur, [{ - key: "setup", - value: function setup() { - this.update(); - } - - /** - * Update blur states - * - * Deduct the static offset of the header (56px) and sidebar offset (24px), - * see _permalinks.scss for more information. - */ - - }, { - key: "update", - value: function update() { - var offset = window.pageYOffset; - var dir = this.offset_ - offset < 0; - - /* Hack: reset index if direction changed to catch very fast scrolling, - because otherwise we would have to register a timer and that sucks */ - if (this.dir_ !== dir) this.index_ = dir ? this.index_ = 0 : this.index_ = this.els_.length - 1; - - /* Exit when there are no anchors */ - if (this.anchors_.length === 0) return; - - /* Scroll direction is down */ - if (this.offset_ <= offset) { - for (var i = this.index_ + 1; i < this.els_.length; i++) { - if (this.anchors_[i].offsetTop - (56 + 24) <= offset) { - if (i > 0) this.els_[i - 1].dataset.mdState = "blur"; - this.index_ = i; - } else { - break; - } - } - - /* Scroll direction is up */ - } else { - for (var _i = this.index_; _i >= 0; _i--) { - if (this.anchors_[_i].offsetTop - (56 + 24) > offset) { - if (_i > 0) this.els_[_i - 1].dataset.mdState = ""; - } else { - this.index_ = _i; - break; - } - } - } - - /* Remember current offset and direction for next iteration */ - this.offset_ = offset; - this.dir_ = dir; - } - - /** - * Reset blur states - */ - - }, { - key: "reset", - value: function reset() { - Array.prototype.forEach.call(this.els_, function (el) { - el.dataset.mdState = ""; - }); - - /* Reset index and page y-offset */ - this.index_ = 0; - this.offset_ = window.pageYOffset; - } - }]); - - return Blur; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Blur; - -/***/ }), -/* 78 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Collapse = function () { - - /** - * Expand or collapse navigation on toggle - * - * @constructor - * - * @property {HTMLElement} el_ - Navigation list - * - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Collapse(el) { - _classCallCheck(this, Collapse); - - var ref = typeof el === "string" ? document.querySelector(el) : el; - if (!(ref instanceof HTMLElement)) throw new ReferenceError(); - this.el_ = ref; - } - - /** - * Animate expand and collapse smoothly - * - * Internet Explorer 11 is very slow at recognizing changes on the dataset - * which results in the menu not expanding or collapsing properly. THerefore, - * for reasons of compatibility, the attribute accessors are used. - */ - - - _createClass(Collapse, [{ - key: "update", - value: function update() { - var _this = this; - - var current = this.el_.getBoundingClientRect().height; - - /* Expanded, so collapse */ - if (current) { - this.el_.style.maxHeight = current + "px"; - requestAnimationFrame(function () { - _this.el_.setAttribute("data-md-state", "animate"); - _this.el_.style.maxHeight = "0px"; - }); - - /* Collapsed, so expand */ - } else { - (function () { - _this.el_.setAttribute("data-md-state", "expand"); - _this.el_.style.maxHeight = ""; - - /* Read height and unset pseudo-toggled state */ - var height = _this.el_.getBoundingClientRect().height; - _this.el_.removeAttribute("data-md-state"); - - /* Set initial state and animate */ - _this.el_.style.maxHeight = "0px"; - requestAnimationFrame(function () { - _this.el_.setAttribute("data-md-state", "animate"); - _this.el_.style.maxHeight = height + "px"; - }); - })(); - } - - /* Remove state on end of transition */ - var end = function end(ev) { - var target = ev.target; - if (!(target instanceof HTMLElement)) return; - - /* Reset height and state */ - target.removeAttribute("data-md-state"); - target.style.maxHeight = ""; - - /* Only fire once, so directly remove event listener */ - target.removeEventListener("transitionend", end); - }; - this.el_.addEventListener("transitionend", end, false); - } - - /** - * Reset height and pseudo-toggled state - */ - - }, { - key: "reset", - value: function reset() { - this.el_.dataset.mdState = ""; - this.el_.style.maxHeight = ""; - } - }]); - - return Collapse; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Collapse; - -/***/ }), -/* 79 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Scrolling = function () { - - /** - * Set overflow scrolling on the current active pane (for iOS) - * - * @constructor - * - * @property {HTMLElement} el_ - Navigation - * - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Scrolling(el) { - _classCallCheck(this, Scrolling); - - var ref = typeof el === "string" ? document.querySelector(el) : el; - if (!(ref instanceof HTMLElement)) throw new ReferenceError(); - this.el_ = ref; - } - - /** - * Setup panes - */ - - - _createClass(Scrolling, [{ - key: "setup", - value: function setup() { - - /* Initially set overflow scrolling on main pane */ - this.el_.children[1].style.webkitOverflowScrolling = "touch"; - - /* Find all toggles and check which one is active */ - var toggles = this.el_.querySelectorAll("[data-md-toggle]"); - Array.prototype.forEach.call(toggles, function (toggle) { - if (toggle instanceof HTMLInputElement && toggle.checked) { - - /* Find corresponding navigational pane */ - var pane = toggle.nextElementSibling; - if (!(pane instanceof HTMLElement)) throw new ReferenceError(); - while (pane.tagName !== "NAV" && pane.nextElementSibling) { - pane = pane.nextElementSibling; - } /* Check references */ - if (!(toggle.parentNode instanceof HTMLElement) || !(toggle.parentNode.parentNode instanceof HTMLElement)) throw new ReferenceError(); - - /* Find current and parent list elements */ - var parent = toggle.parentNode.parentNode; - var target = pane.children[pane.children.length - 1]; - - /* Always reset all lists when transitioning */ - parent.style.webkitOverflowScrolling = ""; - target.style.webkitOverflowScrolling = "touch"; - } - }); - } - - /** - * Update active panes - * - * @param {Event} ev - Change event - */ - - }, { - key: "update", - value: function update(ev) { - var target = ev.target; - if (!(target instanceof HTMLElement)) throw new ReferenceError(); - - /* Find corresponding navigational pane */ - var pane = target.nextElementSibling; - if (!(pane instanceof HTMLElement)) throw new ReferenceError(); - while (pane.tagName !== "NAV" && pane.nextElementSibling) { - pane = pane.nextElementSibling; - } /* Check references */ - if (!(target.parentNode instanceof HTMLElement) || !(target.parentNode.parentNode instanceof HTMLElement)) throw new ReferenceError(); - - /* Find parent and active panes */ - var parent = target.parentNode.parentNode; - var active = pane.children[pane.children.length - 1]; - - /* Always reset all lists when transitioning */ - parent.style.webkitOverflowScrolling = ""; - active.style.webkitOverflowScrolling = ""; - - /* Set overflow scrolling on parent pane */ - if (!target.checked) { - (function () { - var end = function end() { - if (pane instanceof HTMLElement) { - parent.style.webkitOverflowScrolling = "touch"; - pane.removeEventListener("transitionend", end); - } - }; - pane.addEventListener("transitionend", end, false); - })(); - } - - /* Set overflow scrolling on active pane */ - if (target.checked) { - (function () { - var end = function end() { - if (pane instanceof HTMLElement) { - active.style.webkitOverflowScrolling = "touch"; - pane.removeEventListener("transitionend", end); - } - }; - pane.addEventListener("transitionend", end, false); - })(); - } - } - - /** - * Reset panes - */ - - }, { - key: "reset", - value: function reset() { - - /* Reset overflow scrolling on main pane */ - this.el_.children[1].style.webkitOverflowScrolling = ""; - - /* Find all toggles and check which one is active */ - var toggles = this.el_.querySelectorAll("[data-md-toggle]"); - Array.prototype.forEach.call(toggles, function (toggle) { - if (toggle instanceof HTMLInputElement && toggle.checked) { - - /* Find corresponding navigational pane */ - var pane = toggle.nextElementSibling; - if (!(pane instanceof HTMLElement)) throw new ReferenceError(); - while (pane.tagName !== "NAV" && pane.nextElementSibling) { - pane = pane.nextElementSibling; - } /* Check references */ - if (!(toggle.parentNode instanceof HTMLElement) || !(toggle.parentNode.parentNode instanceof HTMLElement)) throw new ReferenceError(); - - /* Find parent and active panes */ - var parent = toggle.parentNode.parentNode; - var active = pane.children[pane.children.length - 1]; - - /* Always reset all lists when transitioning */ - parent.style.webkitOverflowScrolling = ""; - active.style.webkitOverflowScrolling = ""; - } - }); - } - }]); - - return Scrolling; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Scrolling; - -/***/ }), -/* 80 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Search_Lock__ = __webpack_require__(81); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Search_Result__ = __webpack_require__(82); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Lock: __WEBPACK_IMPORTED_MODULE_0__Search_Lock__["a" /* default */], - Result: __WEBPACK_IMPORTED_MODULE_1__Search_Result__["a" /* default */] -}; - -/***/ }), -/* 81 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Lock = function () { - - /** - * Lock body for full-screen search modal - * - * @constructor - * - * @property {HTMLInputElement} el_ - TODO - * @property {number} offset_ - TODO - * - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Lock(el) { - _classCallCheck(this, Lock); - - var ref = typeof el === "string" ? document.querySelector(el) : el; - if (!(ref instanceof HTMLInputElement)) throw new ReferenceError(); - this.el_ = ref; - } - - /** - * Setup locked state - */ - - - _createClass(Lock, [{ - key: "setup", - value: function setup() { - this.update(); - } - - /** - * Update locked state - */ - - }, { - key: "update", - value: function update() { - var _this = this; - - /* Entering search mode */ - if (this.el_.checked) { - this.offset_ = window.pageYOffset; - - /* Scroll to top after transition, to omit flickering */ - setTimeout(function () { - window.scrollTo(0, 0); - - /* Lock body after finishing transition */ - if (_this.el_.checked) { - document.body.dataset.mdState = "lock"; - } - }, 400); - - /* Exiting search mode */ - } else { - document.body.dataset.mdState = ""; - - /* Scroll to former position, but wait for 100ms to prevent flashes on - iOS. A short timeout seems to do the trick */ - setTimeout(function () { - if (typeof _this.offset_ !== "undefined") window.scrollTo(0, _this.offset_); - }, 100); - } - } - - /** - * Reset locked state and page y-offset - */ - - }, { - key: "reset", - value: function reset() { - if (document.body.dataset.mdState === "lock") window.scrollTo(0, this.offset_); - document.body.dataset.mdState = ""; - } - }]); - - return Lock; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Lock; - -/***/ }), -/* 82 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* WEBPACK VAR INJECTION */(function(JSX) {/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lunr__ = __webpack_require__(72); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lunr___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_lunr__); -var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }(); - -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Result = function () { - - /** - * Perform search and update results on keyboard events - * - * @constructor - * - * @property {HTMLElement} el_ - TODO - * @property {(Object|Array|Function)} data_ - TODO (very dirty) - * @property {*} meta_ - TODO (must be done like this, as React$Component does not return the correct thing) - * @property {*} list_ - TODO (must be done like this, as React$Component does not return the correct thing) - * - * @param {(string|HTMLElement)} el - Selector or HTML element - * @param {(Array|Function)} data - Promise or array providing data // TODO ???? - */ - function Result(el, data) { - _classCallCheck(this, Result); - - this.el_ = typeof el === "string" ? document.querySelector(el) : el; - - /* Set data and create metadata and list elements */ - this.data_ = data; - this.meta_ = JSX.createElement( - "div", - { "class": "md-search-result__meta" }, - "Type to start searching" - ); - this.list_ = JSX.createElement("ol", { "class": "md-search-result__list" }); - - /* Inject created elements */ - this.el_.appendChild(this.meta_); - this.el_.appendChild(this.list_); - - /* Truncate a string after the given number of characters - this is not - a reasonable approach, since the summaries kind of suck. It would be - better to create something more intelligent, highlighting the search - occurrences and making a better summary out of it */ - this.truncate_ = function (string, n) { - var i = n; - if (string.length > i) { - while (string[i] !== " " && --i > 0) {} - return string.substring(0, i) + "..."; - } - return string; - }; - } - - /** - * Update search results - * - * @param {Event} ev - Input or focus event - */ - - - _createClass(Result, [{ - key: "update", - value: function update(ev) { - var _this = this; - - /* Initialize index, if this has not be done yet */ - if (ev.type === "focus" && !this.index_) { - (function () { - - /* Initialize index */ - var init = function init(data) { - _this.index_ = __WEBPACK_IMPORTED_MODULE_0_lunr___default()(function () { - /* eslint-disable no-invalid-this, lines-around-comment */ - this.field("title", { boost: 10 }); - this.field("text"); - this.ref("location"); - /* eslint-enable no-invalid-this, lines-around-comment */ - }); - - /* Index documents */ - _this.data_ = data.reduce(function (docs, doc) { - _this.index_.add(doc); - docs[doc.location] = doc; - return docs; - }, {}); - }; - - /* Initialize index after short timeout to account for transition */ - setTimeout(function () { - return typeof _this.data_ === "function" ? _this.data_().then(init) : init(_this.data_); - }, 250); - - /* Execute search on new input event after clearing current list */ - })(); - } else if (ev.type === "keyup") { - while (this.list_.firstChild) { - this.list_.removeChild(this.list_.firstChild); - } /* Perform search on index and render documents */ - var result = this.index_.search(ev.target.value); - result.forEach(function (item) { - var doc = _this.data_[item.ref]; - - /* Check if it's a anchor link on the current page */ - - var _doc$location$split = doc.location.split("#"), - _doc$location$split2 = _slicedToArray(_doc$location$split, 1), - pathname = _doc$location$split2[0]; - - pathname = pathname.replace(/^(\/?\.{2})+/g, ""); - - /* Append search result */ - _this.list_.appendChild(JSX.createElement( - "li", - { "class": "md-search-result__item" }, - JSX.createElement( - "a", - { href: doc.location, title: doc.title, - "class": "md-search-result__link", "data-md-rel": pathname === document.location.pathname ? "anchor" : "" }, - JSX.createElement( - "article", - { "class": "md-search-result__article" }, - JSX.createElement( - "h1", - { "class": "md-search-result__title" }, - doc.title - ), - JSX.createElement( - "p", - { "class": "md-search-result__teaser" }, - _this.truncate_(doc.text, 140) - ) - ) - ) - )); - }); - - /* Bind click handlers for anchors */ - var anchors = this.list_.querySelectorAll("[data-md-rel=anchor]"); - Array.prototype.forEach.call(anchors, function (anchor) { - anchor.addEventListener("click", function (ev2) { - var toggle = document.querySelector("[data-md-toggle=search]"); - if (toggle.checked) { - toggle.checked = false; - toggle.dispatchEvent(new CustomEvent("change")); - } - - /* Hack: prevent default, as the navigation needs to be delayed due - to the search body lock on mobile */ - ev2.preventDefault(); - setTimeout(function () { - document.location.href = anchor.href; - }, 100); - }); - }); - - /* Update search metadata */ - this.meta_.textContent = result.length + " search result" + (result.length !== 1 ? "s" : ""); - } - } - }]); - - return Result; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Result; -/* WEBPACK VAR INJECTION */}.call(__webpack_exports__, __webpack_require__(22))) - -/***/ }), -/* 83 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Sidebar_Position__ = __webpack_require__(84); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Position: __WEBPACK_IMPORTED_MODULE_0__Sidebar_Position__["a" /* default */] -}; - -/***/ }), -/* 84 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Position = function () { - - /** - * Set sidebars to locked state and limit height to parent node - * - * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Position(el) { - _classCallCheck(this, Position); - - this.el_ = typeof el === "string" ? document.querySelector(el) : el; - - /* Initialize parent container and current height */ - this.parent_ = this.el_.parentNode; - this.height_ = 0; - } - - /** - * Initialize sidebar state - */ - - - _createClass(Position, [{ - key: "setup", - value: function setup() { - this.offset_ = this.el_.offsetTop - this.parent_.offsetTop; - this.update(); - } - - /** - * Update locked state and height - * - * The inner height of the window (= the visible area) is the maximum - * possible height for the stretching sidebar. This height must be deducted - * by the top offset of the parent container, which accounts for the fixed - * header, setting the baseline. Depending on the page y-offset, the top - * offset of the sidebar must be taken into account, as well as the case - * where the window is scrolled beyond the sidebar container. - */ - - }, { - key: "update", - value: function update() { - var offset = window.pageYOffset; - var visible = window.innerHeight; - - /* Calculate bounds of sidebar container */ - this.bounds_ = { - top: this.parent_.offsetTop, - bottom: this.parent_.offsetTop + this.parent_.offsetHeight - }; - - /* Calculate new offset and height */ - var height = visible - this.bounds_.top - Math.max(0, this.offset_ - offset) - Math.max(0, offset + visible - this.bounds_.bottom); - - /* If height changed, update element */ - if (height !== this.height_) this.el_.style.height = (this.height_ = height) + "px"; - - /* Sidebar should be locked, as we're below parent offset */ - if (offset >= this.offset_) { - if (this.el_.dataset.mdState !== "lock") this.el_.dataset.mdState = "lock"; - - /* Sidebar should be unlocked, if locked */ - } else if (this.el_.dataset.mdState === "lock") { - this.el_.dataset.mdState = ""; - } - } - - /** - * Reset locked state and height - */ - - }, { - key: "reset", - value: function reset() { - this.el_.dataset.mdState = ""; - this.el_.style.height = ""; - this.height_ = 0; - } - }]); - - return Position; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Position; - -/***/ }), -/* 85 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Source_Adapter__ = __webpack_require__(86); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__Source_Repository__ = __webpack_require__(89); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - Adapter: __WEBPACK_IMPORTED_MODULE_0__Source_Adapter__["a" /* default */], - Repository: __WEBPACK_IMPORTED_MODULE_1__Source_Repository__["a" /* default */] -}; - -/***/ }), -/* 86 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Adapter_GitHub__ = __webpack_require__(88); -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - -/* ---------------------------------------------------------------------------- - * Module - * ------------------------------------------------------------------------- */ - -/* harmony default export */ __webpack_exports__["a"] = { - GitHub: __WEBPACK_IMPORTED_MODULE_0__Adapter_GitHub__["a" /* default */] -}; - -/***/ }), -/* 87 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_js_cookie__ = __webpack_require__(71); -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_js_cookie___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_js_cookie__); -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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Abstract = function () { - - /** - * Retrieve source information - * - * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Abstract(el) { - _classCallCheck(this, Abstract); - - this.el_ = typeof el === "string" ? document.querySelector(el) : el; - - /* Retrieve base URL */ - this.base_ = this.el_.href; - this.salt_ = this.hash_(this.base_); - } - - /** - * Retrieve data from Cookie or fetch from respective API - * - * @return {Promise} Promise that returns an array of facts - */ - - - _createClass(Abstract, [{ - key: "fetch", - value: function fetch() { - var _this = this; - - return new Promise(function (resolve) { - var cached = __WEBPACK_IMPORTED_MODULE_0_js_cookie___default.a.getJSON(_this.salt_ + ".cache-source"); - if (typeof cached !== "undefined") { - resolve(cached); - - /* If the data is not cached in a cookie, invoke fetch and set - a cookie that automatically expires in 15 minutes */ - } else { - _this.fetch_().then(function (data) { - __WEBPACK_IMPORTED_MODULE_0_js_cookie___default.a.set(_this.salt_ + ".cache-source", data, { expires: 1 / 96 }); - resolve(data); - }); - } - }); - } - - /** - * Abstract private function that fetches relevant repository information - * - * @abstract - * @return {Promise} Promise that provides the facts in an array - */ - - }, { - key: "fetch_", - value: function fetch_() { - throw new Error("fetch_(): Not implemented"); - } - - /** - * Format a number with suffix - * - * @param {Number} number - Number to format - * @return {Number} Formatted number - */ - - }, { - key: "format_", - value: function format_(number) { - if (number > 10000) return (number / 1000).toFixed(0) + "k";else if (number > 1000) return (number / 1000).toFixed(1) + "k"; - return number; - } - - /** - * Simple hash function - * - * Taken from http://stackoverflow.com/a/7616484/1065584 - * - * @param {string} str - Input string - * @return {string} Hashed string - */ - - }, { - key: "hash_", - value: function hash_(str) { - var hash = 0; - if (str.length === 0) return hash; - for (var i = 0, len = str.length; i < len; i++) { - hash = (hash << 5) - hash + str.charCodeAt(i); - hash |= 0; // Convert to 32bit integer - } - return hash; - } - }]); - - return Abstract; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Abstract; - -/***/ }), -/* 88 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__Abstract__ = __webpack_require__(87); -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; }; }(); - -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; } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - - - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var GitHub = function (_Abstract) { - _inherits(GitHub, _Abstract); - - /** - * Retrieve source information from GitHub - * - * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function GitHub(el) { - _classCallCheck(this, GitHub); - - /* Adjust base URL to reach API endpoints */ - var _this = _possibleConstructorReturn(this, (GitHub.__proto__ || Object.getPrototypeOf(GitHub)).call(this, el)); - - _this.base_ = _this.base_.replace("github.com/", "api.github.com/repos/"); - return _this; - } - - /** - * Fetch relevant source information from GitHub - * - * @return {function} Promise returning an array of facts - */ - - - _createClass(GitHub, [{ - key: "fetch_", - value: function fetch_() { - var _this2 = this; - - return fetch(this.base_).then(function (response) { - return response.json(); - }).then(function (data) { - return [_this2.format_(data.stargazers_count) + " Stars", _this2.format_(data.forks_count) + " Forks"]; - }); - } - }]); - - return GitHub; -}(__WEBPACK_IMPORTED_MODULE_0__Abstract__["a" /* default */]); - -/* harmony default export */ __webpack_exports__["a"] = GitHub; - -/***/ }), -/* 89 */ -/***/ (function(module, __webpack_exports__, __webpack_require__) { - -"use strict"; -/* WEBPACK VAR INJECTION */(function(JSX) {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; }; }(); - -function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } } - -/* - * Copyright (c) 2016-2017 Martin Donath - * - * 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 NON-INFRINGEMENT. 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. - */ - -/* ---------------------------------------------------------------------------- - * Class - * ------------------------------------------------------------------------- */ - -var Repository = function () { - - /** - * Render repository information - * - * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element - */ - function Repository(el) { - _classCallCheck(this, Repository); - - this.el_ = typeof el === "string" ? document.querySelector(el) : el; - } - - /** - * Initialize the source repository - * - * @param {Array.} facts - Facts to be rendered - */ - - - _createClass(Repository, [{ - key: "initialize", - value: function initialize(facts) { - if (facts.length) this.el_.children[this.el_.children.length - 1].appendChild(JSX.createElement( - "ul", - { "class": "md-source__facts" }, - facts.map(function (fact) { - return JSX.createElement( - "li", - { "class": "md-source__fact" }, - fact - ); - }) - )); - - /* Finish rendering with animation */ - this.el_.dataset.mdState = "done"; - } - }]); - - return Repository; -}(); - -/* harmony default export */ __webpack_exports__["a"] = Repository; -/* WEBPACK VAR INJECTION */}.call(__webpack_exports__, __webpack_require__(22))) - -/***/ }), -/* 90 */ -/***/ (function(module, exports, __webpack_require__) { - -__webpack_require__(35); -__webpack_require__(36); -__webpack_require__(37); -module.exports = __webpack_require__(38); - - -/***/ }) -/******/ ]); \ No newline at end of file diff --git a/material/assets/javascripts/modernizr-56ade86843.js b/material/assets/javascripts/modernizr-56ade86843.js new file mode 100644 index 000000000..cffa58352 --- /dev/null +++ b/material/assets/javascripts/modernizr-56ade86843.js @@ -0,0 +1 @@ +!function(e,n,t){function r(e,n){return typeof e===n}function o(){var e,n,t,o,i,s,f;for(var a in w)if(w.hasOwnProperty(a)){if(e=[],n=w[a],n.name&&(e.push(n.name.toLowerCase()),n.options&&n.options.aliases&&n.options.aliases.length))for(t=0;t` element. This - * information allows you to progressively enhance your pages with a granular level - * of control over the experience. -*/ - -;(function(window, document, undefined){ - var tests = []; - - - /** - * - * ModernizrProto is the constructor for Modernizr - * - * @class - * @access public - */ - - var ModernizrProto = { - // The current version, dummy - _version: '3.3.1', - - // Any settings that don't work as separate modules - // can go in here as configuration. - _config: { - 'classPrefix': '', - 'enableClasses': true, - 'enableJSClass': true, - 'usePrefixes': true - }, - - // Queue of tests - _q: [], - - // Stub these for people who are listening - on: function(test, cb) { - // I don't really think people should do this, but we can - // safe guard it a bit. - // -- NOTE:: this gets WAY overridden in src/addTest for actual async tests. - // This is in case people listen to synchronous tests. I would leave it out, - // but the code to *disallow* sync tests in the real version of this - // function is actually larger than this. - var self = this; - setTimeout(function() { - cb(self[test]); - }, 0); - }, - - addTest: function(name, fn, options) { - tests.push({name: name, fn: fn, options: options}); - }, - - addAsyncTest: function(fn) { - tests.push({name: null, fn: fn}); - } - }; - - - - // Fake some of Object.create so we can force non test results to be non "own" properties. - var Modernizr = function() {}; - Modernizr.prototype = ModernizrProto; - - // Leak modernizr globally when you `require` it rather than force it here. - // Overwrite name so constructor name is nicer :D - Modernizr = new Modernizr(); - - - - var classes = []; - - - /** - * is returns a boolean if the typeof an obj is exactly type. - * - * @access private - * @function is - * @param {*} obj - A thing we want to check the type of - * @param {string} type - A string to compare the typeof against - * @returns {boolean} - */ - - function is(obj, type) { - return typeof obj === type; - } - ; - - /** - * Run through all tests and detect their support in the current UA. - * - * @access private - */ - - function testRunner() { - var featureNames; - var feature; - var aliasIdx; - var result; - var nameIdx; - var featureName; - var featureNameSplit; - - for (var featureIdx in tests) { - if (tests.hasOwnProperty(featureIdx)) { - featureNames = []; - feature = tests[featureIdx]; - // run the test, throw the return value into the Modernizr, - // then based on that boolean, define an appropriate className - // and push it into an array of classes we'll join later. - // - // If there is no name, it's an 'async' test that is run, - // but not directly added to the object. That should - // be done with a post-run addTest call. - if (feature.name) { - featureNames.push(feature.name.toLowerCase()); - - if (feature.options && feature.options.aliases && feature.options.aliases.length) { - // Add all the aliases into the names list - for (aliasIdx = 0; aliasIdx < feature.options.aliases.length; aliasIdx++) { - featureNames.push(feature.options.aliases[aliasIdx].toLowerCase()); - } - } - } - - // Run the test, or use the raw value if it's not a function - result = is(feature.fn, 'function') ? feature.fn() : feature.fn; - - - // Set each of the names on the Modernizr object - for (nameIdx = 0; nameIdx < featureNames.length; nameIdx++) { - featureName = featureNames[nameIdx]; - // Support dot properties as sub tests. We don't do checking to make sure - // that the implied parent tests have been added. You must call them in - // order (either in the test, or make the parent test a dependency). - // - // Cap it to TWO to make the logic simple and because who needs that kind of subtesting - // hashtag famous last words - featureNameSplit = featureName.split('.'); - - if (featureNameSplit.length === 1) { - Modernizr[featureNameSplit[0]] = result; - } else { - // cast to a Boolean, if not one already - /* jshint -W053 */ - if (Modernizr[featureNameSplit[0]] && !(Modernizr[featureNameSplit[0]] instanceof Boolean)) { - Modernizr[featureNameSplit[0]] = new Boolean(Modernizr[featureNameSplit[0]]); - } - - Modernizr[featureNameSplit[0]][featureNameSplit[1]] = result; - } - - classes.push((result ? '' : 'no-') + featureNameSplit.join('-')); - } - } - } - } - ; - - /** - * docElement is a convenience wrapper to grab the root element of the document - * - * @access private - * @returns {HTMLElement|SVGElement} The root element of the document - */ - - var docElement = document.documentElement; - - - /** - * A convenience helper to check if the document we are running in is an SVG document - * - * @access private - * @returns {boolean} - */ - - var isSVG = docElement.nodeName.toLowerCase() === 'svg'; - - - /** - * setClasses takes an array of class names and adds them to the root element - * - * @access private - * @function setClasses - * @param {string[]} classes - Array of class names - */ - - // Pass in an and array of class names, e.g.: - // ['no-webp', 'borderradius', ...] - function setClasses(classes) { - var className = docElement.className; - var classPrefix = Modernizr._config.classPrefix || ''; - - if (isSVG) { - className = className.baseVal; - } - - // Change `no-js` to `js` (independently of the `enableClasses` option) - // Handle classPrefix on this too - if (Modernizr._config.enableJSClass) { - var reJS = new RegExp('(^|\\s)' + classPrefix + 'no-js(\\s|$)'); - className = className.replace(reJS, '$1' + classPrefix + 'js$2'); - } - - if (Modernizr._config.enableClasses) { - // Add the new classes - className += ' ' + classPrefix + classes.join(' ' + classPrefix); - isSVG ? docElement.className.baseVal = className : docElement.className = className; - } - - } - - ; - - /** - * hasOwnProp is a shim for hasOwnProperty that is needed for Safari 2.0 support - * - * @author kangax - * @access private - * @function hasOwnProp - * @param {object} object - The object to check for a property - * @param {string} property - The property to check for - * @returns {boolean} - */ - - // hasOwnProperty shim by kangax needed for Safari 2.0 support - var hasOwnProp; - - (function() { - var _hasOwnProperty = ({}).hasOwnProperty; - /* istanbul ignore else */ - /* we have no way of testing IE 5.5 or safari 2, - * so just assume the else gets hit */ - if (!is(_hasOwnProperty, 'undefined') && !is(_hasOwnProperty.call, 'undefined')) { - hasOwnProp = function(object, property) { - return _hasOwnProperty.call(object, property); - }; - } - else { - hasOwnProp = function(object, property) { /* yes, this can give false positives/negatives, but most of the time we don't care about those */ - return ((property in object) && is(object.constructor.prototype[property], 'undefined')); - }; - } - })(); - - - - - // _l tracks listeners for async tests, as well as tests that execute after the initial run - ModernizrProto._l = {}; - - /** - * Modernizr.on is a way to listen for the completion of async tests. Being - * asynchronous, they may not finish before your scripts run. As a result you - * will get a possibly false negative `undefined` value. - * - * @memberof Modernizr - * @name Modernizr.on - * @access public - * @function on - * @param {string} feature - String name of the feature detect - * @param {function} cb - Callback function returning a Boolean - true if feature is supported, false if not - * @example - * - * ```js - * Modernizr.on('flash', function( result ) { - * if (result) { - * // the browser has flash - * } else { - * // the browser does not have flash - * } - * }); - * ``` - */ - - ModernizrProto.on = function(feature, cb) { - // Create the list of listeners if it doesn't exist - if (!this._l[feature]) { - this._l[feature] = []; - } - - // Push this test on to the listener list - this._l[feature].push(cb); - - // If it's already been resolved, trigger it on next tick - if (Modernizr.hasOwnProperty(feature)) { - // Next Tick - setTimeout(function() { - Modernizr._trigger(feature, Modernizr[feature]); - }, 0); - } - }; - - /** - * _trigger is the private function used to signal test completion and run any - * callbacks registered through [Modernizr.on](#modernizr-on) - * - * @memberof Modernizr - * @name Modernizr._trigger - * @access private - * @function _trigger - * @param {string} feature - string name of the feature detect - * @param {function|boolean} [res] - A feature detection function, or the boolean = - * result of a feature detection function - */ - - ModernizrProto._trigger = function(feature, res) { - if (!this._l[feature]) { - return; - } - - var cbs = this._l[feature]; - - // Force async - setTimeout(function() { - var i, cb; - for (i = 0; i < cbs.length; i++) { - cb = cbs[i]; - cb(res); - } - }, 0); - - // Don't trigger these again - delete this._l[feature]; - }; - - /** - * addTest allows you to define your own feature detects that are not currently - * included in Modernizr (under the covers it's the exact same code Modernizr - * uses for its own [feature detections](https://github.com/Modernizr/Modernizr/tree/master/feature-detects)). Just like the offical detects, the result - * will be added onto the Modernizr object, as well as an appropriate className set on - * the html element when configured to do so - * - * @memberof Modernizr - * @name Modernizr.addTest - * @optionName Modernizr.addTest() - * @optionProp addTest - * @access public - * @function addTest - * @param {string|object} feature - The string name of the feature detect, or an - * object of feature detect names and test - * @param {function|boolean} test - Function returning true if feature is supported, - * false if not. Otherwise a boolean representing the results of a feature detection - * @example - * - * The most common way of creating your own feature detects is by calling - * `Modernizr.addTest` with a string (preferably just lowercase, without any - * punctuation), and a function you want executed that will return a boolean result - * - * ```js - * Modernizr.addTest('itsTuesday', function() { - * var d = new Date(); - * return d.getDay() === 2; - * }); - * ``` - * - * When the above is run, it will set Modernizr.itstuesday to `true` when it is tuesday, - * and to `false` every other day of the week. One thing to notice is that the names of - * feature detect functions are always lowercased when added to the Modernizr object. That - * means that `Modernizr.itsTuesday` will not exist, but `Modernizr.itstuesday` will. - * - * - * Since we only look at the returned value from any feature detection function, - * you do not need to actually use a function. For simple detections, just passing - * in a statement that will return a boolean value works just fine. - * - * ```js - * Modernizr.addTest('hasJquery', 'jQuery' in window); - * ``` - * - * Just like before, when the above runs `Modernizr.hasjquery` will be true if - * jQuery has been included on the page. Not using a function saves a small amount - * of overhead for the browser, as well as making your code much more readable. - * - * Finally, you also have the ability to pass in an object of feature names and - * their tests. This is handy if you want to add multiple detections in one go. - * The keys should always be a string, and the value can be either a boolean or - * function that returns a boolean. - * - * ```js - * var detects = { - * 'hasjquery': 'jQuery' in window, - * 'itstuesday': function() { - * var d = new Date(); - * return d.getDay() === 2; - * } - * } - * - * Modernizr.addTest(detects); - * ``` - * - * There is really no difference between the first methods and this one, it is - * just a convenience to let you write more readable code. - */ - - function addTest(feature, test) { - - if (typeof feature == 'object') { - for (var key in feature) { - if (hasOwnProp(feature, key)) { - addTest(key, feature[ key ]); - } - } - } else { - - feature = feature.toLowerCase(); - var featureNameSplit = feature.split('.'); - var last = Modernizr[featureNameSplit[0]]; - - // Again, we don't check for parent test existence. Get that right, though. - if (featureNameSplit.length == 2) { - last = last[featureNameSplit[1]]; - } - - if (typeof last != 'undefined') { - // we're going to quit if you're trying to overwrite an existing test - // if we were to allow it, we'd do this: - // var re = new RegExp("\\b(no-)?" + feature + "\\b"); - // docElement.className = docElement.className.replace( re, '' ); - // but, no rly, stuff 'em. - return Modernizr; - } - - test = typeof test == 'function' ? test() : test; - - // Set the value (this is the magic, right here). - if (featureNameSplit.length == 1) { - Modernizr[featureNameSplit[0]] = test; - } else { - // cast to a Boolean, if not one already - /* jshint -W053 */ - if (Modernizr[featureNameSplit[0]] && !(Modernizr[featureNameSplit[0]] instanceof Boolean)) { - Modernizr[featureNameSplit[0]] = new Boolean(Modernizr[featureNameSplit[0]]); - } - - Modernizr[featureNameSplit[0]][featureNameSplit[1]] = test; - } - - // Set a single class (either `feature` or `no-feature`) - /* jshint -W041 */ - setClasses([(!!test && test != false ? '' : 'no-') + featureNameSplit.join('-')]); - /* jshint +W041 */ - - // Trigger the event - Modernizr._trigger(feature, test); - } - - return Modernizr; // allow chaining. - } - - // After all the tests are run, add self to the Modernizr prototype - Modernizr._q.push(function() { - ModernizrProto.addTest = addTest; - }); - - - - - /** - * If the browsers follow the spec, then they would expose vendor-specific style as: - * elem.style.WebkitBorderRadius - * instead of something like the following, which would be technically incorrect: - * elem.style.webkitBorderRadius - - * Webkit ghosts their properties in lowercase but Opera & Moz do not. - * Microsoft uses a lowercase `ms` instead of the correct `Ms` in IE8+ - * erik.eae.net/archives/2008/03/10/21.48.10/ - - * More here: github.com/Modernizr/Modernizr/issues/issue/21 - * - * @access private - * @returns {string} The string representing the vendor-specific style properties - */ - - var omPrefixes = 'Moz O ms Webkit'; - - - var cssomPrefixes = (ModernizrProto._config.usePrefixes ? omPrefixes.split(' ') : []); - ModernizrProto._cssomPrefixes = cssomPrefixes; - - - - /** - * contains checks to see if a string contains another string - * - * @access private - * @function contains - * @param {string} str - The string we want to check for substrings - * @param {string} substr - The substring we want to search the first string for - * @returns {boolean} - */ - - function contains(str, substr) { - return !!~('' + str).indexOf(substr); - } - - ; - - /** - * createElement is a convenience wrapper around document.createElement. Since we - * use createElement all over the place, this allows for (slightly) smaller code - * as well as abstracting away issues with creating elements in contexts other than - * HTML documents (e.g. SVG documents). - * - * @access private - * @function createElement - * @returns {HTMLElement|SVGElement} An HTML or SVG element - */ - - function createElement() { - if (typeof document.createElement !== 'function') { - // This is the case in IE7, where the type of createElement is "object". - // For this reason, we cannot call apply() as Object is not a Function. - return document.createElement(arguments[0]); - } else if (isSVG) { - return document.createElementNS.call(document, 'http://www.w3.org/2000/svg', arguments[0]); - } else { - return document.createElement.apply(document, arguments); - } - } - - ; - - /** - * Create our "modernizr" element that we do most feature tests on. - * - * @access private - */ - - var modElem = { - elem: createElement('modernizr') - }; - - // Clean up this element - Modernizr._q.push(function() { - delete modElem.elem; - }); - - - - var mStyle = { - style: modElem.elem.style - }; - - // kill ref for gc, must happen before mod.elem is removed, so we unshift on to - // the front of the queue. - Modernizr._q.unshift(function() { - delete mStyle.style; - }); - - - - /** - * getBody returns the body of a document, or an element that can stand in for - * the body if a real body does not exist - * - * @access private - * @function getBody - * @returns {HTMLElement|SVGElement} Returns the real body of a document, or an - * artificially created element that stands in for the body - */ - - function getBody() { - // After page load injecting a fake body doesn't work so check if body exists - var body = document.body; - - if (!body) { - // Can't use the real body create a fake one. - body = createElement(isSVG ? 'svg' : 'body'); - body.fake = true; - } - - return body; - } - - ; - - /** - * injectElementWithStyles injects an element with style element and some CSS rules - * - * @access private - * @function injectElementWithStyles - * @param {string} rule - String representing a css rule - * @param {function} callback - A function that is used to test the injected element - * @param {number} [nodes] - An integer representing the number of additional nodes you want injected - * @param {string[]} [testnames] - An array of strings that are used as ids for the additional nodes - * @returns {boolean} - */ - - function injectElementWithStyles(rule, callback, nodes, testnames) { - var mod = 'modernizr'; - var style; - var ret; - var node; - var docOverflow; - var div = createElement('div'); - var body = getBody(); - - if (parseInt(nodes, 10)) { - // In order not to give false positives we create a node for each test - // This also allows the method to scale for unspecified uses - while (nodes--) { - node = createElement('div'); - node.id = testnames ? testnames[nodes] : mod + (nodes + 1); - div.appendChild(node); - } - } - - style = createElement('style'); - style.type = 'text/css'; - style.id = 's' + mod; - - // IE6 will false positive on some tests due to the style element inside the test div somehow interfering offsetHeight, so insert it into body or fakebody. - // Opera will act all quirky when injecting elements in documentElement when page is served as xml, needs fakebody too. #270 - (!body.fake ? div : body).appendChild(style); - body.appendChild(div); - - if (style.styleSheet) { - style.styleSheet.cssText = rule; - } else { - style.appendChild(document.createTextNode(rule)); - } - div.id = mod; - - if (body.fake) { - //avoid crashing IE8, if background image is used - body.style.background = ''; - //Safari 5.13/5.1.4 OSX stops loading if ::-webkit-scrollbar is used and scrollbars are visible - body.style.overflow = 'hidden'; - docOverflow = docElement.style.overflow; - docElement.style.overflow = 'hidden'; - docElement.appendChild(body); - } - - ret = callback(div, rule); - // If this is done after page load we don't want to remove the body so check if body exists - if (body.fake) { - body.parentNode.removeChild(body); - docElement.style.overflow = docOverflow; - // Trigger layout so kinetic scrolling isn't disabled in iOS6+ - docElement.offsetHeight; - } else { - div.parentNode.removeChild(div); - } - - return !!ret; - - } - - ; - - /** - * domToCSS takes a camelCase string and converts it to kebab-case - * e.g. boxSizing -> box-sizing - * - * @access private - * @function domToCSS - * @param {string} name - String name of camelCase prop we want to convert - * @returns {string} The kebab-case version of the supplied name - */ - - function domToCSS(name) { - return name.replace(/([A-Z])/g, function(str, m1) { - return '-' + m1.toLowerCase(); - }).replace(/^ms-/, '-ms-'); - } - ; - - /** - * nativeTestProps allows for us to use native feature detection functionality if available. - * some prefixed form, or false, in the case of an unsupported rule - * - * @access private - * @function nativeTestProps - * @param {array} props - An array of property names - * @param {string} value - A string representing the value we want to check via @supports - * @returns {boolean|undefined} A boolean when @supports exists, undefined otherwise - */ - - // Accepts a list of property names and a single value - // Returns `undefined` if native detection not available - function nativeTestProps(props, value) { - var i = props.length; - // Start with the JS API: http://www.w3.org/TR/css3-conditional/#the-css-interface - if ('CSS' in window && 'supports' in window.CSS) { - // Try every prefixed variant of the property - while (i--) { - if (window.CSS.supports(domToCSS(props[i]), value)) { - return true; - } - } - return false; - } - // Otherwise fall back to at-rule (for Opera 12.x) - else if ('CSSSupportsRule' in window) { - // Build a condition string for every prefixed variant - var conditionText = []; - while (i--) { - conditionText.push('(' + domToCSS(props[i]) + ':' + value + ')'); - } - conditionText = conditionText.join(' or '); - return injectElementWithStyles('@supports (' + conditionText + ') { #modernizr { position: absolute; } }', function(node) { - return getComputedStyle(node, null).position == 'absolute'; - }); - } - return undefined; - } - ; - - /** - * cssToDOM takes a kebab-case string and converts it to camelCase - * e.g. box-sizing -> boxSizing - * - * @access private - * @function cssToDOM - * @param {string} name - String name of kebab-case prop we want to convert - * @returns {string} The camelCase version of the supplied name - */ - - function cssToDOM(name) { - return name.replace(/([a-z])-([a-z])/g, function(str, m1, m2) { - return m1 + m2.toUpperCase(); - }).replace(/^-/, ''); - } - ; - - // testProps is a generic CSS / DOM property test. - - // In testing support for a given CSS property, it's legit to test: - // `elem.style[styleName] !== undefined` - // If the property is supported it will return an empty string, - // if unsupported it will return undefined. - - // We'll take advantage of this quick test and skip setting a style - // on our modernizr element, but instead just testing undefined vs - // empty string. - - // Property names can be provided in either camelCase or kebab-case. - - function testProps(props, prefixed, value, skipValueTest) { - skipValueTest = is(skipValueTest, 'undefined') ? false : skipValueTest; - - // Try native detect first - if (!is(value, 'undefined')) { - var result = nativeTestProps(props, value); - if (!is(result, 'undefined')) { - return result; - } - } - - // Otherwise do it properly - var afterInit, i, propsLength, prop, before; - - // If we don't have a style element, that means we're running async or after - // the core tests, so we'll need to create our own elements to use - - // inside of an SVG element, in certain browsers, the `style` element is only - // defined for valid tags. Therefore, if `modernizr` does not have one, we - // fall back to a less used element and hope for the best. - var elems = ['modernizr', 'tspan']; - while (!mStyle.style) { - afterInit = true; - mStyle.modElem = createElement(elems.shift()); - mStyle.style = mStyle.modElem.style; - } - - // Delete the objects if we created them. - function cleanElems() { - if (afterInit) { - delete mStyle.style; - delete mStyle.modElem; - } - } - - propsLength = props.length; - for (i = 0; i < propsLength; i++) { - prop = props[i]; - before = mStyle.style[prop]; - - if (contains(prop, '-')) { - prop = cssToDOM(prop); - } - - if (mStyle.style[prop] !== undefined) { - - // If value to test has been passed in, do a set-and-check test. - // 0 (integer) is a valid property value, so check that `value` isn't - // undefined, rather than just checking it's truthy. - if (!skipValueTest && !is(value, 'undefined')) { - - // Needs a try catch block because of old IE. This is slow, but will - // be avoided in most cases because `skipValueTest` will be used. - try { - mStyle.style[prop] = value; - } catch (e) {} - - // If the property value has changed, we assume the value used is - // supported. If `value` is empty string, it'll fail here (because - // it hasn't changed), which matches how browsers have implemented - // CSS.supports() - if (mStyle.style[prop] != before) { - cleanElems(); - return prefixed == 'pfx' ? prop : true; - } - } - // Otherwise just return true, or the property name if this is a - // `prefixed()` call - else { - cleanElems(); - return prefixed == 'pfx' ? prop : true; - } - } - } - cleanElems(); - return false; - } - - ; - - /** - * List of JavaScript DOM values used for tests - * - * @memberof Modernizr - * @name Modernizr._domPrefixes - * @optionName Modernizr._domPrefixes - * @optionProp domPrefixes - * @access public - * @example - * - * Modernizr._domPrefixes is exactly the same as [_prefixes](#modernizr-_prefixes), but rather - * than kebab-case properties, all properties are their Capitalized variant - * - * ```js - * Modernizr._domPrefixes === [ "Moz", "O", "ms", "Webkit" ]; - * ``` - */ - - var domPrefixes = (ModernizrProto._config.usePrefixes ? omPrefixes.toLowerCase().split(' ') : []); - ModernizrProto._domPrefixes = domPrefixes; - - - /** - * fnBind is a super small [bind](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Function/bind) polyfill. - * - * @access private - * @function fnBind - * @param {function} fn - a function you want to change `this` reference to - * @param {object} that - the `this` you want to call the function with - * @returns {function} The wrapped version of the supplied function - */ - - function fnBind(fn, that) { - return function() { - return fn.apply(that, arguments); - }; - } - - ; - - /** - * testDOMProps is a generic DOM property test; if a browser supports - * a certain property, it won't return undefined for it. - * - * @access private - * @function testDOMProps - * @param {array.} props - An array of properties to test for - * @param {object} obj - An object or Element you want to use to test the parameters again - * @param {boolean|object} elem - An Element to bind the property lookup again. Use `false` to prevent the check - */ - function testDOMProps(props, obj, elem) { - var item; - - for (var i in props) { - if (props[i] in obj) { - - // return the property name as a string - if (elem === false) { - return props[i]; - } - - item = obj[props[i]]; - - // let's bind a function - if (is(item, 'function')) { - // bind to obj unless overriden - return fnBind(item, elem || obj); - } - - // return the unbound function or obj or value - return item; - } - } - return false; - } - - ; - - /** - * testPropsAll tests a list of DOM properties we want to check against. - * We specify literally ALL possible (known and/or likely) properties on - * the element including the non-vendor prefixed one, for forward- - * compatibility. - * - * @access private - * @function testPropsAll - * @param {string} prop - A string of the property to test for - * @param {string|object} [prefixed] - An object to check the prefixed properties on. Use a string to skip - * @param {HTMLElement|SVGElement} [elem] - An element used to test the property and value against - * @param {string} [value] - A string of a css value - * @param {boolean} [skipValueTest] - An boolean representing if you want to test if value sticks when set - */ - function testPropsAll(prop, prefixed, elem, value, skipValueTest) { - - var ucProp = prop.charAt(0).toUpperCase() + prop.slice(1), - props = (prop + ' ' + cssomPrefixes.join(ucProp + ' ') + ucProp).split(' '); - - // did they call .prefixed('boxSizing') or are we just testing a prop? - if (is(prefixed, 'string') || is(prefixed, 'undefined')) { - return testProps(props, prefixed, value, skipValueTest); - - // otherwise, they called .prefixed('requestAnimationFrame', window[, elem]) - } else { - props = (prop + ' ' + (domPrefixes).join(ucProp + ' ') + ucProp).split(' '); - return testDOMProps(props, prefixed, elem); - } - } - - // Modernizr.testAllProps() investigates whether a given style property, - // or any of its vendor-prefixed variants, is recognized - // - // Note that the property names must be provided in the camelCase variant. - // Modernizr.testAllProps('boxSizing') - ModernizrProto.testAllProps = testPropsAll; - - - - /** - * testAllProps determines whether a given CSS property is supported in the browser - * - * @memberof Modernizr - * @name Modernizr.testAllProps - * @optionName Modernizr.testAllProps() - * @optionProp testAllProps - * @access public - * @function testAllProps - * @param {string} prop - String naming the property to test (either camelCase or kebab-case) - * @param {string} [value] - String of the value to test - * @param {boolean} [skipValueTest=false] - Whether to skip testing that the value is supported when using non-native detection - * @example - * - * testAllProps determines whether a given CSS property, in some prefixed form, - * is supported by the browser. - * - * ```js - * testAllProps('boxSizing') // true - * ``` - * - * It can optionally be given a CSS value in string form to test if a property - * value is valid - * - * ```js - * testAllProps('display', 'block') // true - * testAllProps('display', 'penguin') // false - * ``` - * - * A boolean can be passed as a third parameter to skip the value check when - * native detection (@supports) isn't available. - * - * ```js - * testAllProps('shapeOutside', 'content-box', true); - * ``` - */ - - function testAllProps(prop, value, skipValueTest) { - return testPropsAll(prop, undefined, undefined, value, skipValueTest); - } - ModernizrProto.testAllProps = testAllProps; - - - /** - * testStyles injects an element with style element and some CSS rules - * - * @memberof Modernizr - * @name Modernizr.testStyles - * @optionName Modernizr.testStyles() - * @optionProp testStyles - * @access public - * @function testStyles - * @param {string} rule - String representing a css rule - * @param {function} callback - A function that is used to test the injected element - * @param {number} [nodes] - An integer representing the number of additional nodes you want injected - * @param {string[]} [testnames] - An array of strings that are used as ids for the additional nodes - * @returns {boolean} - * @example - * - * `Modernizr.testStyles` takes a CSS rule and injects it onto the current page - * along with (possibly multiple) DOM elements. This lets you check for features - * that can not be detected by simply checking the [IDL](https://developer.mozilla.org/en-US/docs/Mozilla/Developer_guide/Interface_development_guide/IDL_interface_rules). - * - * ```js - * Modernizr.testStyles('#modernizr { width: 9px; color: papayawhip; }', function(elem, rule) { - * // elem is the first DOM node in the page (by default #modernizr) - * // rule is the first argument you supplied - the CSS rule in string form - * - * addTest('widthworks', elem.style.width === '9px') - * }); - * ``` - * - * If your test requires multiple nodes, you can include a third argument - * indicating how many additional div elements to include on the page. The - * additional nodes are injected as children of the `elem` that is returned as - * the first argument to the callback. - * - * ```js - * Modernizr.testStyles('#modernizr {width: 1px}; #modernizr2 {width: 2px}', function(elem) { - * document.getElementById('modernizr').style.width === '1px'; // true - * document.getElementById('modernizr2').style.width === '2px'; // true - * elem.firstChild === document.getElementById('modernizr2'); // true - * }, 1); - * ``` - * - * By default, all of the additional elements have an ID of `modernizr[n]`, where - * `n` is its index (e.g. the first additional, second overall is `#modernizr2`, - * the second additional is `#modernizr3`, etc.). - * If you want to have more meaningful IDs for your function, you can provide - * them as the fourth argument, as an array of strings - * - * ```js - * Modernizr.testStyles('#foo {width: 10px}; #bar {height: 20px}', function(elem) { - * elem.firstChild === document.getElementById('foo'); // true - * elem.lastChild === document.getElementById('bar'); // true - * }, 2, ['foo', 'bar']); - * ``` - * - */ - - var testStyles = ModernizrProto.testStyles = injectElementWithStyles; - -/*! -{ - "name": "CSS Supports", - "property": "supports", - "caniuse": "css-featurequeries", - "tags": ["css"], - "builderAliases": ["css_supports"], - "notes": [{ - "name": "W3 Spec", - "href": "http://dev.w3.org/csswg/css3-conditional/#at-supports" - },{ - "name": "Related Github Issue", - "href": "github.com/Modernizr/Modernizr/issues/648" - },{ - "name": "W3 Info", - "href": "http://dev.w3.org/csswg/css3-conditional/#the-csssupportsrule-interface" - }] -} -!*/ - - var newSyntax = 'CSS' in window && 'supports' in window.CSS; - var oldSyntax = 'supportsCSS' in window; - Modernizr.addTest('supports', newSyntax || oldSyntax); - -/*! -{ - "name": "CSS Transforms 3D", - "property": "csstransforms3d", - "caniuse": "transforms3d", - "tags": ["css"], - "warnings": [ - "Chrome may occassionally fail this test on some systems; more info: https://code.google.com/p/chromium/issues/detail?id=129004" - ] -} -!*/ - - Modernizr.addTest('csstransforms3d', function() { - var ret = !!testAllProps('perspective', '1px', true); - var usePrefix = Modernizr._config.usePrefixes; - - // Webkit's 3D transforms are passed off to the browser's own graphics renderer. - // It works fine in Safari on Leopard and Snow Leopard, but not in Chrome in - // some conditions. As a result, Webkit typically recognizes the syntax but - // will sometimes throw a false positive, thus we must do a more thorough check: - if (ret && (!usePrefix || 'webkitPerspective' in docElement.style)) { - var mq; - var defaultStyle = '#modernizr{width:0;height:0}'; - // Use CSS Conditional Rules if available - if (Modernizr.supports) { - mq = '@supports (perspective: 1px)'; - } else { - // Otherwise, Webkit allows this media query to succeed only if the feature is enabled. - // `@media (transform-3d),(-webkit-transform-3d){ ... }` - mq = '@media (transform-3d)'; - if (usePrefix) { - mq += ',(-webkit-transform-3d)'; - } - } - - mq += '{#modernizr{width:7px;height:18px;margin:0;padding:0;border:0}}'; - - testStyles(defaultStyle + mq, function(elem) { - ret = elem.offsetWidth === 7 && elem.offsetHeight === 18; - }); - } - - return ret; - }); - - - // Run each test - testRunner(); - - // Remove the "no-js" class if it exists - setClasses(classes); - - delete ModernizrProto.addTest; - delete ModernizrProto.addAsyncTest; - - // Run the things that are supposed to run after the tests - for (var i = 0; i < Modernizr._q.length; i++) { - Modernizr._q[i](); - } - - // Leak Modernizr namespace - window.Modernizr = Modernizr; - - -; - -})(window, document); \ No newline at end of file diff --git a/material/assets/stylesheets/application-02ce7adcc2.palette.css b/material/assets/stylesheets/application-02ce7adcc2.palette.css new file mode 100644 index 000000000..2195a9f4a --- /dev/null +++ b/material/assets/stylesheets/application-02ce7adcc2.palette.css @@ -0,0 +1 @@ +button[data-md-color-accent],button[data-md-color-primary]{width:13rem;margin-bottom:.4rem;padding:2.4rem .8rem .4rem;-webkit-transition:background-color .25s,opacity .25s;transition:background-color .25s,opacity .25s;border-radius:.2rem;color:#fff;font-size:1.28rem;text-align:left;cursor:pointer}button[data-md-color-accent]:hover,button[data-md-color-primary]:hover{opacity:.75}button[data-md-color-primary=red]{background-color:#ef5350}[data-md-color-primary=red] .md-typeset a{color:#ef5350}[data-md-color-primary=red] .md-header{background-color:#ef5350}[data-md-color-primary=red] .md-nav__link--active,[data-md-color-primary=red] .md-nav__link:active{color:#ef5350}button[data-md-color-primary=pink]{background-color:#e91e63}[data-md-color-primary=pink] .md-typeset a{color:#e91e63}[data-md-color-primary=pink] .md-header{background-color:#e91e63}[data-md-color-primary=pink] .md-nav__link--active,[data-md-color-primary=pink] .md-nav__link:active{color:#e91e63}button[data-md-color-primary=purple]{background-color:#ab47bc}[data-md-color-primary=purple] .md-typeset a{color:#ab47bc}[data-md-color-primary=purple] .md-header{background-color:#ab47bc}[data-md-color-primary=purple] .md-nav__link--active,[data-md-color-primary=purple] .md-nav__link:active{color:#ab47bc}button[data-md-color-primary=deep-purple]{background-color:#7e57c2}[data-md-color-primary=deep-purple] .md-typeset a{color:#7e57c2}[data-md-color-primary=deep-purple] .md-header{background-color:#7e57c2}[data-md-color-primary=deep-purple] .md-nav__link--active,[data-md-color-primary=deep-purple] .md-nav__link:active{color:#7e57c2}button[data-md-color-primary=indigo]{background-color:#3f51b5}[data-md-color-primary=indigo] .md-typeset a{color:#3f51b5}[data-md-color-primary=indigo] .md-header{background-color:#3f51b5}[data-md-color-primary=indigo] .md-nav__link--active,[data-md-color-primary=indigo] .md-nav__link:active{color:#3f51b5}button[data-md-color-primary=blue]{background-color:#2196f3}[data-md-color-primary=blue] .md-typeset a{color:#2196f3}[data-md-color-primary=blue] .md-header{background-color:#2196f3}[data-md-color-primary=blue] .md-nav__link--active,[data-md-color-primary=blue] .md-nav__link:active{color:#2196f3}button[data-md-color-primary=light-blue]{background-color:#03a9f4}[data-md-color-primary=light-blue] .md-typeset a{color:#03a9f4}[data-md-color-primary=light-blue] .md-header{background-color:#03a9f4}[data-md-color-primary=light-blue] .md-nav__link--active,[data-md-color-primary=light-blue] .md-nav__link:active{color:#03a9f4}button[data-md-color-primary=cyan]{background-color:#00bcd4}[data-md-color-primary=cyan] .md-typeset a{color:#00bcd4}[data-md-color-primary=cyan] .md-header{background-color:#00bcd4}[data-md-color-primary=cyan] .md-nav__link--active,[data-md-color-primary=cyan] .md-nav__link:active{color:#00bcd4}button[data-md-color-primary=teal]{background-color:#009688}[data-md-color-primary=teal] .md-typeset a{color:#009688}[data-md-color-primary=teal] .md-header{background-color:#009688}[data-md-color-primary=teal] .md-nav__link--active,[data-md-color-primary=teal] .md-nav__link:active{color:#009688}button[data-md-color-primary=green]{background-color:#4caf50}[data-md-color-primary=green] .md-typeset a{color:#4caf50}[data-md-color-primary=green] .md-header{background-color:#4caf50}[data-md-color-primary=green] .md-nav__link--active,[data-md-color-primary=green] .md-nav__link:active{color:#4caf50}button[data-md-color-primary=light-green]{background-color:#7cb342}[data-md-color-primary=light-green] .md-typeset a{color:#7cb342}[data-md-color-primary=light-green] .md-header{background-color:#7cb342}[data-md-color-primary=light-green] .md-nav__link--active,[data-md-color-primary=light-green] .md-nav__link:active{color:#7cb342}button[data-md-color-primary=lime]{background-color:#c0ca33}[data-md-color-primary=lime] .md-typeset a{color:#c0ca33}[data-md-color-primary=lime] .md-header{background-color:#c0ca33}[data-md-color-primary=lime] .md-nav__link--active,[data-md-color-primary=lime] .md-nav__link:active{color:#c0ca33}button[data-md-color-primary=yellow]{background-color:#f9a825}[data-md-color-primary=yellow] .md-typeset a{color:#f9a825}[data-md-color-primary=yellow] .md-header{background-color:#f9a825}[data-md-color-primary=yellow] .md-nav__link--active,[data-md-color-primary=yellow] .md-nav__link:active{color:#f9a825}button[data-md-color-primary=amber]{background-color:#ffb300}[data-md-color-primary=amber] .md-typeset a{color:#ffb300}[data-md-color-primary=amber] .md-header{background-color:#ffb300}[data-md-color-primary=amber] .md-nav__link--active,[data-md-color-primary=amber] .md-nav__link:active{color:#ffb300}button[data-md-color-primary=orange]{background-color:#fb8c00}[data-md-color-primary=orange] .md-typeset a{color:#fb8c00}[data-md-color-primary=orange] .md-header{background-color:#fb8c00}[data-md-color-primary=orange] .md-nav__link--active,[data-md-color-primary=orange] .md-nav__link:active{color:#fb8c00}button[data-md-color-primary=deep-orange]{background-color:#ff7043}[data-md-color-primary=deep-orange] .md-typeset a{color:#ff7043}[data-md-color-primary=deep-orange] .md-header{background-color:#ff7043}[data-md-color-primary=deep-orange] .md-nav__link--active,[data-md-color-primary=deep-orange] .md-nav__link:active{color:#ff7043}button[data-md-color-primary=brown]{background-color:#795548}[data-md-color-primary=brown] .md-typeset a{color:#795548}[data-md-color-primary=brown] .md-header{background-color:#795548}[data-md-color-primary=brown] .md-nav__link--active,[data-md-color-primary=brown] .md-nav__link:active{color:#795548}button[data-md-color-primary=grey]{background-color:#757575}[data-md-color-primary=grey] .md-typeset a{color:#757575}[data-md-color-primary=grey] .md-header{background-color:#757575}[data-md-color-primary=grey] .md-nav__link--active,[data-md-color-primary=grey] .md-nav__link:active{color:#757575}button[data-md-color-primary=blue-grey]{background-color:#546e7a}[data-md-color-primary=blue-grey] .md-typeset a{color:#546e7a}[data-md-color-primary=blue-grey] .md-header{background-color:#546e7a}[data-md-color-primary=blue-grey] .md-nav__link--active,[data-md-color-primary=blue-grey] .md-nav__link:active{color:#546e7a}button[data-md-color-accent=red]{background-color:#ff1744}[data-md-color-accent=red] .md-typeset a:active,[data-md-color-accent=red] .md-typeset a:hover{color:#ff1744}[data-md-color-accent=red] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=red] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#ff1744}[data-md-color-accent=red] .md-nav__link:hover,[data-md-color-accent=red] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=red] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=red] .md-typeset [id] .headerlink:focus,[data-md-color-accent=red] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=red] .md-typeset [id]:target .headerlink{color:#ff1744}[data-md-color-accent=red] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff1744}[data-md-color-accent=red] .md-search-result__link:hover{background-color:rgba(255,23,68,.1)}[data-md-color-accent=red] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff1744}button[data-md-color-accent=pink]{background-color:#f50057}[data-md-color-accent=pink] .md-typeset a:active,[data-md-color-accent=pink] .md-typeset a:hover{color:#f50057}[data-md-color-accent=pink] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=pink] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#f50057}[data-md-color-accent=pink] .md-nav__link:hover,[data-md-color-accent=pink] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=pink] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=pink] .md-typeset [id] .headerlink:focus,[data-md-color-accent=pink] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=pink] .md-typeset [id]:target .headerlink{color:#f50057}[data-md-color-accent=pink] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#f50057}[data-md-color-accent=pink] .md-search-result__link:hover{background-color:rgba(245,0,87,.1)}[data-md-color-accent=pink] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#f50057}button[data-md-color-accent=purple]{background-color:#e040fb}[data-md-color-accent=purple] .md-typeset a:active,[data-md-color-accent=purple] .md-typeset a:hover{color:#e040fb}[data-md-color-accent=purple] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=purple] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#e040fb}[data-md-color-accent=purple] .md-nav__link:hover,[data-md-color-accent=purple] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=purple] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=purple] .md-typeset [id] .headerlink:focus,[data-md-color-accent=purple] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=purple] .md-typeset [id]:target .headerlink{color:#e040fb}[data-md-color-accent=purple] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#e040fb}[data-md-color-accent=purple] .md-search-result__link:hover{background-color:rgba(224,64,251,.1)}[data-md-color-accent=purple] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#e040fb}button[data-md-color-accent=deep-purple]{background-color:#7c4dff}[data-md-color-accent=deep-purple] .md-typeset a:active,[data-md-color-accent=deep-purple] .md-typeset a:hover{color:#7c4dff}[data-md-color-accent=deep-purple] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=deep-purple] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#7c4dff}[data-md-color-accent=deep-purple] .md-nav__link:hover,[data-md-color-accent=deep-purple] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=deep-purple] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=deep-purple] .md-typeset [id] .headerlink:focus,[data-md-color-accent=deep-purple] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=deep-purple] .md-typeset [id]:target .headerlink{color:#7c4dff}[data-md-color-accent=deep-purple] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#7c4dff}[data-md-color-accent=deep-purple] .md-search-result__link:hover{background-color:rgba(124,77,255,.1)}[data-md-color-accent=deep-purple] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#7c4dff}button[data-md-color-accent=indigo]{background-color:#536dfe}[data-md-color-accent=indigo] .md-typeset a:active,[data-md-color-accent=indigo] .md-typeset a:hover{color:#536dfe}[data-md-color-accent=indigo] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=indigo] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#536dfe}[data-md-color-accent=indigo] .md-nav__link:hover,[data-md-color-accent=indigo] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=indigo] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=indigo] .md-typeset [id] .headerlink:focus,[data-md-color-accent=indigo] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=indigo] .md-typeset [id]:target .headerlink{color:#536dfe}[data-md-color-accent=indigo] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#536dfe}[data-md-color-accent=indigo] .md-search-result__link:hover{background-color:rgba(83,109,254,.1)}[data-md-color-accent=indigo] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#536dfe}button[data-md-color-accent=blue]{background-color:#448aff}[data-md-color-accent=blue] .md-typeset a:active,[data-md-color-accent=blue] .md-typeset a:hover{color:#448aff}[data-md-color-accent=blue] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=blue] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#448aff}[data-md-color-accent=blue] .md-nav__link:hover,[data-md-color-accent=blue] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=blue] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=blue] .md-typeset [id] .headerlink:focus,[data-md-color-accent=blue] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=blue] .md-typeset [id]:target .headerlink{color:#448aff}[data-md-color-accent=blue] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#448aff}[data-md-color-accent=blue] .md-search-result__link:hover{background-color:rgba(68,138,255,.1)}[data-md-color-accent=blue] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#448aff}button[data-md-color-accent=light-blue]{background-color:#0091ea}[data-md-color-accent=light-blue] .md-typeset a:active,[data-md-color-accent=light-blue] .md-typeset a:hover{color:#0091ea}[data-md-color-accent=light-blue] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=light-blue] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#0091ea}[data-md-color-accent=light-blue] .md-nav__link:hover,[data-md-color-accent=light-blue] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=light-blue] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=light-blue] .md-typeset [id] .headerlink:focus,[data-md-color-accent=light-blue] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=light-blue] .md-typeset [id]:target .headerlink{color:#0091ea}[data-md-color-accent=light-blue] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#0091ea}[data-md-color-accent=light-blue] .md-search-result__link:hover{background-color:rgba(0,145,234,.1)}[data-md-color-accent=light-blue] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#0091ea}button[data-md-color-accent=cyan]{background-color:#00b8d4}[data-md-color-accent=cyan] .md-typeset a:active,[data-md-color-accent=cyan] .md-typeset a:hover{color:#00b8d4}[data-md-color-accent=cyan] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=cyan] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#00b8d4}[data-md-color-accent=cyan] .md-nav__link:hover,[data-md-color-accent=cyan] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=cyan] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=cyan] .md-typeset [id] .headerlink:focus,[data-md-color-accent=cyan] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=cyan] .md-typeset [id]:target .headerlink{color:#00b8d4}[data-md-color-accent=cyan] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00b8d4}[data-md-color-accent=cyan] .md-search-result__link:hover{background-color:rgba(0,184,212,.1)}[data-md-color-accent=cyan] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00b8d4}button[data-md-color-accent=teal]{background-color:#00bfa5}[data-md-color-accent=teal] .md-typeset a:active,[data-md-color-accent=teal] .md-typeset a:hover{color:#00bfa5}[data-md-color-accent=teal] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=teal] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#00bfa5}[data-md-color-accent=teal] .md-nav__link:hover,[data-md-color-accent=teal] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=teal] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=teal] .md-typeset [id] .headerlink:focus,[data-md-color-accent=teal] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=teal] .md-typeset [id]:target .headerlink{color:#00bfa5}[data-md-color-accent=teal] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00bfa5}[data-md-color-accent=teal] .md-search-result__link:hover{background-color:rgba(0,191,165,.1)}[data-md-color-accent=teal] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00bfa5}button[data-md-color-accent=green]{background-color:#00c853}[data-md-color-accent=green] .md-typeset a:active,[data-md-color-accent=green] .md-typeset a:hover{color:#00c853}[data-md-color-accent=green] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=green] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#00c853}[data-md-color-accent=green] .md-nav__link:hover,[data-md-color-accent=green] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=green] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=green] .md-typeset [id] .headerlink:focus,[data-md-color-accent=green] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=green] .md-typeset [id]:target .headerlink{color:#00c853}[data-md-color-accent=green] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00c853}[data-md-color-accent=green] .md-search-result__link:hover{background-color:rgba(0,200,83,.1)}[data-md-color-accent=green] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#00c853}button[data-md-color-accent=light-green]{background-color:#64dd17}[data-md-color-accent=light-green] .md-typeset a:active,[data-md-color-accent=light-green] .md-typeset a:hover{color:#64dd17}[data-md-color-accent=light-green] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=light-green] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#64dd17}[data-md-color-accent=light-green] .md-nav__link:hover,[data-md-color-accent=light-green] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=light-green] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=light-green] .md-typeset [id] .headerlink:focus,[data-md-color-accent=light-green] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=light-green] .md-typeset [id]:target .headerlink{color:#64dd17}[data-md-color-accent=light-green] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#64dd17}[data-md-color-accent=light-green] .md-search-result__link:hover{background-color:rgba(100,221,23,.1)}[data-md-color-accent=light-green] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#64dd17}button[data-md-color-accent=lime]{background-color:#aeea00}[data-md-color-accent=lime] .md-typeset a:active,[data-md-color-accent=lime] .md-typeset a:hover{color:#aeea00}[data-md-color-accent=lime] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=lime] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#aeea00}[data-md-color-accent=lime] .md-nav__link:hover,[data-md-color-accent=lime] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=lime] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=lime] .md-typeset [id] .headerlink:focus,[data-md-color-accent=lime] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=lime] .md-typeset [id]:target .headerlink{color:#aeea00}[data-md-color-accent=lime] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#aeea00}[data-md-color-accent=lime] .md-search-result__link:hover{background-color:rgba(174,234,0,.1)}[data-md-color-accent=lime] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#aeea00}button[data-md-color-accent=yellow]{background-color:#ffd600}[data-md-color-accent=yellow] .md-typeset a:active,[data-md-color-accent=yellow] .md-typeset a:hover{color:#ffd600}[data-md-color-accent=yellow] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=yellow] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#ffd600}[data-md-color-accent=yellow] .md-nav__link:hover,[data-md-color-accent=yellow] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=yellow] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=yellow] .md-typeset [id] .headerlink:focus,[data-md-color-accent=yellow] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=yellow] .md-typeset [id]:target .headerlink{color:#ffd600}[data-md-color-accent=yellow] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ffd600}[data-md-color-accent=yellow] .md-search-result__link:hover{background-color:rgba(255,214,0,.1)}[data-md-color-accent=yellow] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ffd600}button[data-md-color-accent=amber]{background-color:#ffab00}[data-md-color-accent=amber] .md-typeset a:active,[data-md-color-accent=amber] .md-typeset a:hover{color:#ffab00}[data-md-color-accent=amber] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=amber] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#ffab00}[data-md-color-accent=amber] .md-nav__link:hover,[data-md-color-accent=amber] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=amber] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=amber] .md-typeset [id] .headerlink:focus,[data-md-color-accent=amber] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=amber] .md-typeset [id]:target .headerlink{color:#ffab00}[data-md-color-accent=amber] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ffab00}[data-md-color-accent=amber] .md-search-result__link:hover{background-color:rgba(255,171,0,.1)}[data-md-color-accent=amber] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ffab00}button[data-md-color-accent=orange]{background-color:#ff9100}[data-md-color-accent=orange] .md-typeset a:active,[data-md-color-accent=orange] .md-typeset a:hover{color:#ff9100}[data-md-color-accent=orange] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=orange] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#ff9100}[data-md-color-accent=orange] .md-nav__link:hover,[data-md-color-accent=orange] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=orange] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=orange] .md-typeset [id] .headerlink:focus,[data-md-color-accent=orange] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=orange] .md-typeset [id]:target .headerlink{color:#ff9100}[data-md-color-accent=orange] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff9100}[data-md-color-accent=orange] .md-search-result__link:hover{background-color:rgba(255,145,0,.1)}[data-md-color-accent=orange] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff9100}button[data-md-color-accent=deep-orange]{background-color:#ff6e40}[data-md-color-accent=deep-orange] .md-typeset a:active,[data-md-color-accent=deep-orange] .md-typeset a:hover{color:#ff6e40}[data-md-color-accent=deep-orange] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover,[data-md-color-accent=deep-orange] .md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#ff6e40}[data-md-color-accent=deep-orange] .md-nav__link:hover,[data-md-color-accent=deep-orange] .md-typeset .footnote li:hover .footnote-backref:hover,[data-md-color-accent=deep-orange] .md-typeset .footnote li:target .footnote-backref,[data-md-color-accent=deep-orange] .md-typeset [id] .headerlink:focus,[data-md-color-accent=deep-orange] .md-typeset [id]:hover .headerlink:hover,[data-md-color-accent=deep-orange] .md-typeset [id]:target .headerlink{color:#ff6e40}[data-md-color-accent=deep-orange] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff6e40}[data-md-color-accent=deep-orange] .md-search-result__link:hover{background-color:rgba(255,110,64,.1)}[data-md-color-accent=deep-orange] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#ff6e40}@media only screen and (max-width:59.9375em){[data-md-color-primary=red] .md-nav__source{background-color:rgba(190,66,64,.9675)}[data-md-color-primary=pink] .md-nav__source{background-color:rgba(185,24,79,.9675)}[data-md-color-primary=purple] .md-nav__source{background-color:rgba(136,57,150,.9675)}[data-md-color-primary=deep-purple] .md-nav__source{background-color:rgba(100,69,154,.9675)}[data-md-color-primary=indigo] .md-nav__source{background-color:rgba(50,64,144,.9675)}[data-md-color-primary=blue] .md-nav__source{background-color:rgba(26,119,193,.9675)}[data-md-color-primary=light-blue] .md-nav__source{background-color:rgba(2,134,194,.9675)}[data-md-color-primary=cyan] .md-nav__source{background-color:rgba(0,150,169,.9675)}[data-md-color-primary=teal] .md-nav__source{background-color:rgba(0,119,108,.9675)}[data-md-color-primary=green] .md-nav__source{background-color:rgba(60,139,64,.9675)}[data-md-color-primary=light-green] .md-nav__source{background-color:rgba(99,142,53,.9675)}[data-md-color-primary=lime] .md-nav__source{background-color:rgba(153,161,41,.9675)}[data-md-color-primary=yellow] .md-nav__source{background-color:rgba(198,134,29,.9675)}[data-md-color-primary=amber] .md-nav__source{background-color:rgba(203,142,0,.9675)}[data-md-color-primary=orange] .md-nav__source{background-color:rgba(200,111,0,.9675)}[data-md-color-primary=deep-orange] .md-nav__source{background-color:rgba(203,89,53,.9675)}[data-md-color-primary=brown] .md-nav__source{background-color:rgba(96,68,57,.9675)}[data-md-color-primary=grey] .md-nav__source{background-color:rgba(93,93,93,.9675)}[data-md-color-primary=blue-grey] .md-nav__source{background-color:rgba(67,88,97,.9675)}}@media only screen and (max-width:76.1875em){html [data-md-color-primary=red] .md-nav--primary .md-nav__title--site{background-color:#ef5350}html [data-md-color-primary=pink] .md-nav--primary .md-nav__title--site{background-color:#e91e63}html [data-md-color-primary=purple] .md-nav--primary .md-nav__title--site{background-color:#ab47bc}html [data-md-color-primary=deep-purple] .md-nav--primary .md-nav__title--site{background-color:#7e57c2}html [data-md-color-primary=indigo] .md-nav--primary .md-nav__title--site{background-color:#3f51b5}html [data-md-color-primary=blue] .md-nav--primary .md-nav__title--site{background-color:#2196f3}html [data-md-color-primary=light-blue] .md-nav--primary .md-nav__title--site{background-color:#03a9f4}html [data-md-color-primary=cyan] .md-nav--primary .md-nav__title--site{background-color:#00bcd4}html [data-md-color-primary=teal] .md-nav--primary .md-nav__title--site{background-color:#009688}html [data-md-color-primary=green] .md-nav--primary .md-nav__title--site{background-color:#4caf50}html [data-md-color-primary=light-green] .md-nav--primary .md-nav__title--site{background-color:#7cb342}html [data-md-color-primary=lime] .md-nav--primary .md-nav__title--site{background-color:#c0ca33}html [data-md-color-primary=yellow] .md-nav--primary .md-nav__title--site{background-color:#f9a825}html [data-md-color-primary=amber] .md-nav--primary .md-nav__title--site{background-color:#ffb300}html [data-md-color-primary=orange] .md-nav--primary .md-nav__title--site{background-color:#fb8c00}html [data-md-color-primary=deep-orange] .md-nav--primary .md-nav__title--site{background-color:#ff7043}html [data-md-color-primary=brown] .md-nav--primary .md-nav__title--site{background-color:#795548}html [data-md-color-primary=grey] .md-nav--primary .md-nav__title--site{background-color:#757575}html [data-md-color-primary=blue-grey] .md-nav--primary .md-nav__title--site{background-color:#546e7a}}@media only screen and (min-width:60em){[data-md-color-primary=red] .md-nav--secondary{border-left:.4rem solid #ef5350}[data-md-color-primary=pink] .md-nav--secondary{border-left:.4rem solid #e91e63}[data-md-color-primary=purple] .md-nav--secondary{border-left:.4rem solid #ab47bc}[data-md-color-primary=deep-purple] .md-nav--secondary{border-left:.4rem solid #7e57c2}[data-md-color-primary=indigo] .md-nav--secondary{border-left:.4rem solid #3f51b5}[data-md-color-primary=blue] .md-nav--secondary{border-left:.4rem solid #2196f3}[data-md-color-primary=light-blue] .md-nav--secondary{border-left:.4rem solid #03a9f4}[data-md-color-primary=cyan] .md-nav--secondary{border-left:.4rem solid #00bcd4}[data-md-color-primary=teal] .md-nav--secondary{border-left:.4rem solid #009688}[data-md-color-primary=green] .md-nav--secondary{border-left:.4rem solid #4caf50}[data-md-color-primary=light-green] .md-nav--secondary{border-left:.4rem solid #7cb342}[data-md-color-primary=lime] .md-nav--secondary{border-left:.4rem solid #c0ca33}[data-md-color-primary=yellow] .md-nav--secondary{border-left:.4rem solid #f9a825}[data-md-color-primary=amber] .md-nav--secondary{border-left:.4rem solid #ffb300}[data-md-color-primary=orange] .md-nav--secondary{border-left:.4rem solid #fb8c00}[data-md-color-primary=deep-orange] .md-nav--secondary{border-left:.4rem solid #ff7043}[data-md-color-primary=brown] .md-nav--secondary{border-left:.4rem solid #795548}[data-md-color-primary=grey] .md-nav--secondary{border-left:.4rem solid #757575}[data-md-color-primary=blue-grey] .md-nav--secondary{border-left:.4rem solid #546e7a}} \ No newline at end of file diff --git a/material/assets/stylesheets/application-4b280ca4d9.css b/material/assets/stylesheets/application-4b280ca4d9.css new file mode 100644 index 000000000..7ed3fc003 --- /dev/null +++ b/material/assets/stylesheets/application-4b280ca4d9.css @@ -0,0 +1 @@ +html{box-sizing:border-box}*,:after,:before{box-sizing:inherit}html{-webkit-text-size-adjust:none;-ms-text-size-adjust:none;text-size-adjust:none}body{margin:0}hr{overflow:visible;box-sizing:content-box}a{-webkit-text-decoration-skip:objects}a,button,input,label{-webkit-tap-highlight-color:transparent}a{color:inherit;text-decoration:none}a:active,a:hover{outline-width:0}small,sub,sup{font-size:80%}sub,sup{position:relative;line-height:0;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}img{border-style:none}table{border-collapse:collapse;border-spacing:0}td,th{font-weight:400;vertical-align:top}button{padding:0;background:transparent;font-size:inherit}button,input{border:0;outline:0}.admonition:before,.md-icon,.md-nav__button,.md-nav__link:after,.md-nav__title:before,.md-typeset .critic.comment:before,.md-typeset .footnote-backref,.md-typeset .task-list-control .task-list-indicator:before{font-family:Material Icons;font-style:normal;font-variant:normal;font-weight:400;line-height:1;text-transform:none;white-space:nowrap;speak:none;word-wrap:normal;direction:ltr}.md-content__edit,.md-footer-nav__button,.md-header-nav__button,.md-nav__button,.md-nav__title:before{display:inline-block;margin:.4rem;padding:.8rem;font-size:2.4rem;cursor:pointer}.md-icon--arrow-back:before{content:"arrow_back"}.md-icon--arrow-forward:before{content:"arrow_forward"}.md-icon--menu:before{content:"menu"}.md-icon--search:before{content:"search"}.md-icon--home:before{content:"school"}body{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}body,input{color:rgba(0,0,0,.87);-webkit-font-feature-settings:"kern","onum","liga";font-feature-settings:"kern","onum","liga";font-family:Helvetica Neue,Helvetica,Arial,sans-serif;font-weight:400}code,kbd,pre{color:rgba(0,0,0,.87);-webkit-font-feature-settings:"kern","onum","liga";font-feature-settings:"kern","onum","liga";font-family:Courier New,Courier,monospace;font-weight:400}.md-typeset{font-size:1.6rem;line-height:1.6;-webkit-print-color-adjust:exact}.md-typeset blockquote,.md-typeset ol,.md-typeset p,.md-typeset ul{margin:1em 0}.md-typeset h1{margin:0 0 4rem;color:rgba(0,0,0,.54);font-size:3.125rem;line-height:1.3}.md-typeset h1,.md-typeset h2{font-weight:300;letter-spacing:-.01em}.md-typeset h2{margin:4rem 0 1.6rem;font-size:2.5rem;line-height:1.4}.md-typeset h3{margin:3.2rem 0 1.6rem;font-size:2rem;font-weight:400;letter-spacing:-.01em;line-height:1.5}.md-typeset h2+h3{margin-top:1.6rem}.md-typeset h4{font-size:1.6rem}.md-typeset h4,.md-typeset h5,.md-typeset h6{margin:1.6rem 0;font-weight:700;letter-spacing:-.01em}.md-typeset h5,.md-typeset h6{color:rgba(0,0,0,.54);font-size:1.28rem}.md-typeset h5{text-transform:uppercase}.md-typeset hr{margin:1.5em 0;border-bottom:.1rem dotted rgba(0,0,0,.26)}.md-typeset a{color:#3f51b5;word-break:break-word}.md-typeset a,.md-typeset a:before{-webkit-transition:color .125s;transition:color .125s}.md-typeset a:active,.md-typeset a:hover{color:#536dfe}.md-typeset code,.md-typeset pre{background-color:hsla(0,0%,93%,.5);color:#37474f;font-size:85%}.md-typeset code{margin:0 .29412em;padding:.07353em 0;border-radius:.2rem;box-shadow:.29412em 0 0 hsla(0,0%,93%,.5),-.29412em 0 0 hsla(0,0%,93%,.5);word-break:break-word;-webkit-box-decoration-break:clone;box-decoration-break:clone}.md-typeset h1 code,.md-typeset h2 code,.md-typeset h3 code,.md-typeset h4 code,.md-typeset h5 code,.md-typeset h6 code{margin:0;background-color:transparent;box-shadow:none}.md-typeset a>code{margin:inherit;padding:inherit;border-radius:none;background-color:inherit;color:inherit;box-shadow:none}.md-typeset pre{margin:1em 0;padding:1rem 1.2rem;border-radius:.2rem;line-height:1.4;overflow:auto;-webkit-overflow-scrolling:touch}.md-typeset pre::-webkit-scrollbar{width:.4rem;height:.4rem}.md-typeset pre::-webkit-scrollbar-thumb{background-color:rgba(0,0,0,.26)}.md-typeset pre::-webkit-scrollbar-thumb:hover{background-color:#536dfe}.md-typeset pre>code{margin:0;background-color:transparent;font-size:inherit;box-shadow:none;-webkit-box-decoration-break:none;box-decoration-break:none}.md-typeset kbd{padding:0 .29412em;border:.1rem solid #c9c9c9;border-radius:.2rem;border-bottom-color:#bcbcbc;background-color:#fcfcfc;color:#555;font-size:85%;box-shadow:0 .1rem 0 #b0b0b0;word-break:break-word}.md-typeset mark{margin:0 .25em;padding:.0625em 0;border-radius:.2rem;background-color:rgba(255,235,59,.5);box-shadow:.25em 0 0 rgba(255,235,59,.5),-.25em 0 0 rgba(255,235,59,.5);word-break:break-word;-webkit-box-decoration-break:clone;box-decoration-break:clone}.md-typeset abbr{border-bottom:.1rem dotted rgba(0,0,0,.54);cursor:help}.md-typeset small{opacity:.75}.md-typeset sub,.md-typeset sup{margin-left:.07812em}.md-typeset blockquote{padding-left:1.2rem;border-left:.4rem solid rgba(0,0,0,.26);color:rgba(0,0,0,.54)}.md-typeset ul{list-style-type:disc}.md-typeset ol,.md-typeset ul{margin-left:.625em;padding:0}.md-typeset ol ol,.md-typeset ul ol{list-style-type:lower-alpha}.md-typeset ol ol ol,.md-typeset ul ol ol{list-style-type:lower-roman}.md-typeset ol li,.md-typeset ul li{margin-bottom:.5em;margin-left:1.25em}.md-typeset ol li blockquote,.md-typeset ol li p,.md-typeset ul li blockquote,.md-typeset ul li p{margin:.5em 0}.md-typeset ol li:last-child,.md-typeset ul li:last-child{margin-bottom:0}.md-typeset ol li ol,.md-typeset ol li ul,.md-typeset ul li ol,.md-typeset ul li ul{margin:.5em 0 .5em .625em}.md-typeset dd{margin:1em 0 1em 1.875em}.md-typeset iframe,.md-typeset img,.md-typeset svg{max-width:100%}.md-typeset table:not([class]){box-shadow:0 2px 2px 0 rgba(0,0,0,.14),0 1px 5px 0 rgba(0,0,0,.12),0 3px 1px -2px rgba(0,0,0,.2);margin:2em 0;border-radius:.2rem;font-size:1.28rem;overflow:hidden}.no-js .md-typeset table:not([class]){display:inline-block;max-width:100%;margin:.8em 0;overflow:auto;-webkit-overflow-scrolling:touch}.md-typeset table:not([class]) td:not([align]),.md-typeset table:not([class]) th:not([align]){text-align:left}.md-typeset table:not([class]) th{min-width:10rem;padding:1.2rem 1.6rem;background-color:rgba(0,0,0,.54);color:#fff;vertical-align:top}.md-typeset table:not([class]) td{padding:1.2rem 1.6rem;border-top:.1rem solid rgba(0,0,0,.07);vertical-align:top}.md-typeset table:not([class]) tr:first-child td{border-top:0}.md-typeset table:not([class]) a{word-break:normal}.md-typeset .md-typeset__table{margin:1.6em -1.6rem;overflow-x:auto;-webkit-overflow-scrolling:touch}.md-typeset .md-typeset__table table{display:inline-block;margin:0 1.6rem}html{font-size:62.5%}body,html{height:100%}body{position:relative}hr{display:block;height:.1rem;padding:0;border:0}.md-svg{display:none}.md-grid{max-width:122rem;margin-right:auto;margin-left:auto}.md-container,.md-main{overflow:auto}.md-container{display:table;width:100%;height:100%;padding-top:5.6rem;table-layout:fixed}.md-main{display:table-row;height:100%}.md-main__inner{min-height:100%;padding-top:3rem;overflow:auto}.md-toggle{display:none}.md-overlay{position:fixed;top:0;width:0;height:0;-webkit-transition:width 0s .25s,height 0s .25s,opacity .25s;transition:width 0s .25s,height 0s .25s,opacity .25s;background-color:rgba(0,0,0,.54);opacity:0;z-index:2}.md-flex{display:table}.md-flex__cell{display:table-cell;position:relative;vertical-align:top}.md-flex__cell--shrink{width:0}.md-flex__cell--stretch{display:table;width:100%;table-layout:fixed}.md-flex__ellipsis{display:table-cell;text-overflow:ellipsis;white-space:nowrap;overflow:hidden}@page{margin:25mm}.md-content__inner{margin:2.4rem 1.6rem}.md-content__inner>:last-child{margin-bottom:0}.md-content__edit{float:right}.md-header{box-shadow:0 2px 2px 0 rgba(0,0,0,.14),0 1px 5px 0 rgba(0,0,0,.12),0 3px 1px -2px rgba(0,0,0,.2);position:fixed;top:0;right:0;left:0;height:5.6rem;-webkit-transition:background-color .25s;transition:background-color .25s;background-color:#3f51b5;color:#fff;z-index:1}.md-header-nav{padding:.4rem}.md-header-nav__button{position:relative;-webkit-transition:opacity .25s;transition:opacity .25s;z-index:1}.md-header-nav__button:hover{opacity:.7}.md-header-nav__button.md-logo img{display:block}.no-js .md-header-nav__button.md-icon--search{display:none}.md-header-nav__title{padding:0 2rem;font-size:1.8rem;line-height:4.8rem}.md-header-nav__parent{color:hsla(0,0%,100%,.7)}.md-header-nav__parent:after{display:inline;color:hsla(0,0%,100%,.3);content:"/"}.md-header-nav__source{display:none}.md-footer-nav{background-color:rgba(0,0,0,.87);color:#fff}.md-footer-nav__inner{padding:.4rem;overflow:auto}.md-footer-nav__link{padding-top:2.8rem;padding-bottom:.8rem;-webkit-transition:opacity .25s;transition:opacity .25s}.md-footer-nav__link:hover{opacity:.7}.md-footer-nav__link--prev{width:25%;float:left}.md-footer-nav__link--next{width:75%;float:right;text-align:right}.md-footer-nav__button{-webkit-transition:background .25s;transition:background .25s}.md-footer-nav__title{position:relative;padding:0 2rem;font-size:1.8rem;line-height:4.8rem}.md-footer-nav__direction{position:absolute;right:0;left:0;margin-top:-2rem;padding:0 2rem;color:hsla(0,0%,100%,.7);font-size:1.5rem}.md-footer-meta{background:rgba(0,0,0,.895)}.md-footer-meta__inner{padding:.4rem;overflow:auto}html .md-footer-meta.md-typeset a{color:hsla(0,0%,100%,.7)}.md-footer-copyright{margin:0 1.2rem;padding:.8rem 0;color:hsla(0,0%,100%,.3);font-size:1.28rem}.md-footer-copyright__highlight{color:hsla(0,0%,100%,.7)}.md-footer-social{margin:0 .8rem;padding:.4rem 0 1.2rem}.md-footer-social__link{display:inline-block;width:3.2rem;height:3.2rem;border:.1rem solid hsla(0,0%,100%,.12);border-radius:100%;color:hsla(0,0%,100%,.7);font-size:1.6rem;text-align:center}.md-footer-social__link:before{line-height:1.9}.md-nav{font-size:1.4rem;line-height:1.3}.md-nav--secondary{-webkit-transition:border-left .25s;transition:border-left .25s;border-left:.4rem solid #3f51b5}.md-nav__title{display:block;padding:1.2rem 1.2rem 0;font-weight:700;text-overflow:ellipsis;overflow:hidden}.md-nav__title:before{display:none;content:"arrow_back"}.md-nav__title .md-nav__button{display:none}.md-nav__list{margin:0;padding:0;list-style:none}.md-nav__item{padding:.625em 1.2rem 0}.md-nav__item:last-child{padding-bottom:1.2rem}.md-nav__item .md-nav__item{padding-right:0}.md-nav__item .md-nav__item:last-child{padding-bottom:0}.md-nav__button img{width:100%;height:auto}.md-nav__link{display:block;-webkit-transition:color .125s;transition:color .125s;text-overflow:ellipsis;cursor:pointer;overflow:hidden}.md-nav__item--nested>.md-nav__link:after{content:"keyboard_arrow_down"}html .md-nav__link[for=toc],html .md-nav__link[for=toc]+.md-nav__link:after,html .md-nav__link[for=toc]~.md-nav{display:none}.md-nav__link[data-md-state=blur]{color:rgba(0,0,0,.54)}.md-nav__link--active,.md-nav__link:active{color:#3f51b5}.md-nav__link:focus,.md-nav__link:hover{color:#536dfe}.md-nav__source,.no-js .md-search{display:none}.md-search__overlay{display:none;pointer-events:none}.md-search__inner{width:100%}.md-search__form{position:relative}.md-search__input{position:relative;padding:0 1.6rem 0 7.2rem;text-overflow:ellipsis;z-index:1}.md-search__input+.md-search__icon,.md-search__input::-webkit-input-placeholder{color:rgba(0,0,0,.54)}.md-search__input+.md-search__icon,.md-search__input::-moz-placeholder{color:rgba(0,0,0,.54)}.md-search__input+.md-search__icon,.md-search__input:-ms-input-placeholder{color:rgba(0,0,0,.54)}.md-search__input+.md-search__icon,.md-search__input::placeholder{color:rgba(0,0,0,.54)}.md-search__input::-ms-clear{display:none}.md-search__icon{position:absolute;top:.8rem;left:1.2rem;-webkit-transition:color .25s;transition:color .25s;font-size:2.4rem;cursor:pointer;z-index:1}.md-search__icon:before{content:"search"}.md-search__output{position:absolute;width:100%;border-radius:0 0 .2rem .2rem;overflow:hidden}.md-search__scrollwrap{height:100%;background:-webkit-linear-gradient(top,#fff 10%,hsla(0,0%,100%,0)),-webkit-linear-gradient(top,rgba(0,0,0,.26),rgba(0,0,0,.07) 35%,transparent 60%);background:linear-gradient(180deg,#fff 10%,hsla(0,0%,100%,0)),linear-gradient(180deg,rgba(0,0,0,.26),rgba(0,0,0,.07) 35%,transparent 60%);background-attachment:local,scroll;background-color:#fff;background-repeat:no-repeat;background-size:100% 2rem,100% 1rem;box-shadow:inset 0 .1rem 0 rgba(0,0,0,.07);overflow-y:auto;-webkit-overflow-scrolling:touch}.md-search-result__meta{padding:0 1.6rem;background-color:rgba(0,0,0,.07);color:rgba(0,0,0,.54);font-size:1.28rem;line-height:4rem}.md-search-result__list{margin:0;padding:0;border-top:.1rem solid rgba(0,0,0,.07);list-style:none}.md-search-result__item{box-shadow:0 -.1rem 0 rgba(0,0,0,.07)}.md-search-result__link{display:block;padding:0 1.6rem;-webkit-transition:background .25s;transition:background .25s;overflow:auto}.md-search-result__link:hover{background-color:rgba(83,109,254,.1)}.md-search-result__article{margin:1em 0}.md-search-result__title{margin-top:.5em;margin-bottom:0;color:rgba(0,0,0,.87);font-size:1.6rem;font-weight:400;line-height:1.4}.md-search-result__teaser{margin:.5em 0;color:rgba(0,0,0,.54);font-size:1.28rem;line-height:1.4;word-break:break-word}.md-sidebar{position:relative;width:24.2rem;padding:2.4rem 0;float:left;overflow:visible}.md-sidebar[data-md-state=lock]{position:fixed;top:5.6rem;-webkit-backface-visibility:hidden;backface-visibility:hidden}.md-sidebar--secondary{display:none}.md-sidebar__scrollwrap{max-height:100%;margin:0 .4rem;overflow-y:auto}.md-sidebar__scrollwrap::-webkit-scrollbar{width:.4rem;height:.4rem}.md-sidebar__scrollwrap::-webkit-scrollbar-thumb{background-color:rgba(0,0,0,.26)}.md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#536dfe}@-webkit-keyframes a{0%{height:0}to{height:1.3rem}}@keyframes a{0%{height:0}to{height:1.3rem}}@-webkit-keyframes b{0%{-webkit-transform:translateY(100%);transform:translateY(100%);opacity:0}50%{opacity:0}to{-webkit-transform:translateY(0);transform:translateY(0);opacity:1}}@keyframes b{0%{-webkit-transform:translateY(100%);transform:translateY(100%);opacity:0}50%{opacity:0}to{-webkit-transform:translateY(0);transform:translateY(0);opacity:1}}.md-source{display:block;-webkit-transition:opacity .25s;transition:opacity .25s;font-size:1.3rem;line-height:1.2;white-space:nowrap}.md-source:hover{opacity:.7}.md-source:after,.md-source__icon{display:inline-block;height:4.8rem;content:"";vertical-align:middle}.md-source__icon{width:4.8rem}.md-source__icon svg{margin-top:1.2rem;margin-left:1.2rem}.md-source__icon+.md-source__repository{margin-left:-4.4rem;padding-left:4rem}.md-source__repository{display:inline-block;max-width:100%;margin-left:1.2rem;font-weight:700;text-overflow:ellipsis;overflow:hidden;vertical-align:middle}.md-source__facts{margin:0;padding:0;font-size:1.1rem;font-weight:700;list-style-type:none;opacity:.75;overflow:hidden}[data-md-state=done] .md-source__facts{-webkit-animation:a .25s ease-in;animation:a .25s ease-in}.md-source__fact{float:left}[data-md-state=done] .md-source__fact{-webkit-animation:b .4s ease-out;animation:b .4s ease-out}.md-source__fact:before{margin:0 .2rem;content:"\00B7"}.md-source__fact:first-child:before{display:none}.admonition{position:relative;margin:1.5625em 0;padding:.8rem 1.2rem;border-left:3.2rem solid rgba(68,138,255,.4);border-radius:.2rem;background-color:rgba(68,138,255,.15);font-size:1.28rem}.admonition:before{position:absolute;left:-2.6rem;color:#fff;font-size:2rem;content:"edit";vertical-align:-.25em}.admonition :first-child{margin-top:0}.admonition :last-child{margin-bottom:0}.admonition.summary,.admonition.tldr{border-color:rgba(0,176,255,.4);background-color:rgba(0,176,255,.15)}.admonition.summary:before,.admonition.tldr:before{content:"subject"}.admonition.hint,.admonition.important,.admonition.tip{border-color:rgba(0,191,165,.4);background-color:rgba(0,191,165,.15)}.admonition.hint:before,.admonition.important:before,.admonition.tip:before{content:"whatshot"}.admonition.check,.admonition.done,.admonition.success{border-color:rgba(0,230,118,.4);background-color:rgba(0,230,118,.15)}.admonition.check:before,.admonition.done:before,.admonition.success:before{content:"done"}.admonition.attention,.admonition.caution,.admonition.warning{border-color:rgba(255,145,0,.4);background-color:rgba(255,145,0,.15)}.admonition.attention:before,.admonition.caution:before,.admonition.warning:before{content:"warning"}.admonition.fail,.admonition.failure,.admonition.missing{border-color:rgba(255,82,82,.4);background-color:rgba(255,82,82,.15)}.admonition.fail:before,.admonition.failure:before,.admonition.missing:before{content:"clear"}.admonition.danger,.admonition.error{border-color:rgba(255,23,68,.4);background-color:rgba(255,23,68,.15)}.admonition.danger:before,.admonition.error:before{content:"flash_on"}.admonition.bug{border-color:rgba(245,0,87,.4);background-color:rgba(245,0,87,.15)}.admonition.bug:before{content:"bug_report"}.admonition-title{font-weight:700}html .admonition-title{margin-bottom:0}html .admonition-title+*{margin-top:0}.codehilite .o,.codehilite .ow{color:inherit}.codehilite .ge{color:#000}.codehilite .gr{color:#a00}.codehilite .gh{color:#999}.codehilite .go{color:#888}.codehilite .gp{color:#555}.codehilite .gs{color:inherit}.codehilite .gu{color:#aaa}.codehilite .gt{color:#a00}.codehilite .gd{background-color:#fdd}.codehilite .gi{background-color:#dfd}.codehilite .k{color:#3b78e7}.codehilite .kc{color:#a71d5d}.codehilite .kd,.codehilite .kn{color:#3b78e7}.codehilite .kp{color:#a71d5d}.codehilite .kr,.codehilite .kt{color:#3e61a2}.codehilite .c,.codehilite .cm{color:#999}.codehilite .cp{color:#666}.codehilite .c1,.codehilite .ch,.codehilite .cs{color:#999}.codehilite .na,.codehilite .nb{color:#c2185b}.codehilite .bp{color:#3e61a2}.codehilite .nc{color:#c2185b}.codehilite .no{color:#3e61a2}.codehilite .nd,.codehilite .ni{color:#666}.codehilite .ne,.codehilite .nf{color:#c2185b}.codehilite .nl{color:#3b5179}.codehilite .nn{color:#ec407a}.codehilite .nt{color:#3b78e7}.codehilite .nv,.codehilite .vc,.codehilite .vg,.codehilite .vi{color:#3e61a2}.codehilite .nx{color:#ec407a}.codehilite .il,.codehilite .m,.codehilite .mf,.codehilite .mh,.codehilite .mi,.codehilite .mo{color:#e74c3c}.codehilite .s,.codehilite .sb,.codehilite .sc{color:#0d904f}.codehilite .sd{color:#999}.codehilite .s2{color:#0d904f}.codehilite .se,.codehilite .sh,.codehilite .si,.codehilite .sx{color:#183691}.codehilite .sr{color:#009926}.codehilite .s1,.codehilite .ss{color:#0d904f}.codehilite .err{color:#a61717}.codehilite .w{color:transparent}.codehilite .hll{display:block;margin:0 -1.2rem;padding:0 1.2rem;background-color:rgba(255,235,59,.5)}.md-typeset .codehilite{margin:1em 0;padding:1rem 1.2rem .8rem;border-radius:.2rem;background-color:hsla(0,0%,93%,.5);color:#37474f;line-height:1.4;overflow:auto;-webkit-overflow-scrolling:touch}.md-typeset .codehilite::-webkit-scrollbar{width:.4rem;height:.4rem}.md-typeset .codehilite::-webkit-scrollbar-thumb{background-color:rgba(0,0,0,.26)}.md-typeset .codehilite::-webkit-scrollbar-thumb:hover{background-color:#536dfe}.md-typeset .codehilite pre{display:inline-block;min-width:100%;margin:0;padding:0;background-color:transparent;overflow:visible;vertical-align:top}.md-typeset .codehilitetable{display:block;margin:1em 0;border-radius:.2em;font-size:1.6rem;overflow:hidden}.md-typeset .codehilitetable tbody,.md-typeset .codehilitetable td{display:block;padding:0}.md-typeset .codehilitetable tr{display:-webkit-box;display:-ms-flexbox;display:flex}.md-typeset .codehilitetable .codehilite,.md-typeset .codehilitetable .linenodiv{margin:0;border-radius:0}.md-typeset .codehilitetable .linenodiv{padding:1rem 1.2rem .8rem}.md-typeset .codehilitetable .linenodiv,.md-typeset .codehilitetable .linenodiv>pre{height:100%}.md-typeset .codehilitetable .linenos{background-color:rgba(0,0,0,.07);color:rgba(0,0,0,.26);-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.md-typeset .codehilitetable .linenos pre{margin:0;padding:0;background-color:transparent;color:inherit;text-align:right}.md-typeset .codehilitetable .code{-webkit-box-flex:1;-ms-flex:1;flex:1;overflow:hidden}.md-typeset>.codehilitetable{box-shadow:none}.md-typeset .footnote{color:rgba(0,0,0,.54);font-size:1.28rem}.md-typeset .footnote ol{margin-left:0}.md-typeset .footnote li{-webkit-transition:color .25s;transition:color .25s}.md-typeset .footnote li:before{display:block;height:0}.md-typeset .footnote li:target{color:rgba(0,0,0,.87)}.md-typeset .footnote li:target:before{margin-top:-9rem;padding-top:9rem;pointer-events:none}.md-typeset .footnote li :first-child{margin-top:0}.md-typeset .footnote li:hover .footnote-backref,.md-typeset .footnote li:target .footnote-backref{-webkit-transform:translateX(0);transform:translateX(0);opacity:1}.md-typeset .footnote li:hover .footnote-backref:hover,.md-typeset .footnote li:target .footnote-backref{color:#536dfe}.md-typeset .footnote-backref{display:inline-block;-webkit-transform:translateX(.5rem);transform:translateX(.5rem);-webkit-transition:color .25s,opacity .125s .125s,-webkit-transform .25s .125s;transition:color .25s,opacity .125s .125s,-webkit-transform .25s .125s;transition:transform .25s .125s,color .25s,opacity .125s .125s;transition:transform .25s .125s,color .25s,opacity .125s .125s,-webkit-transform .25s .125s;color:rgba(0,0,0,.26);font-size:0;opacity:0;vertical-align:text-bottom}.md-typeset .footnote-backref:before{font-size:1.6rem;content:"keyboard_return"}.md-typeset .headerlink{display:inline-block;margin-left:1rem;-webkit-transform:translateY(.5rem);transform:translateY(.5rem);-webkit-transition:color .25s,opacity .125s .25s,-webkit-transform .25s .25s;transition:color .25s,opacity .125s .25s,-webkit-transform .25s .25s;transition:transform .25s .25s,color .25s,opacity .125s .25s;transition:transform .25s .25s,color .25s,opacity .125s .25s,-webkit-transform .25s .25s;opacity:0}html body .md-typeset .headerlink{color:rgba(0,0,0,.26)}.md-typeset [id]:before{display:inline-block;content:""}.md-typeset [id]:target:before{margin-top:-9.8rem;padding-top:9.8rem}.md-typeset [id] .headerlink:focus,.md-typeset [id]:hover .headerlink,.md-typeset [id]:target .headerlink{-webkit-transform:translate(0);transform:translate(0);opacity:1}.md-typeset [id] .headerlink:focus,.md-typeset [id]:hover .headerlink:hover,.md-typeset [id]:target .headerlink{color:#536dfe}.md-typeset h1[id]{padding-top:.8rem}.md-typeset h1[id].headerlink{display:none}.md-typeset h2[id]:before{display:block;margin-top:-.4rem;padding-top:.4rem}.md-typeset h2[id]:target:before{margin-top:-8.4rem;padding-top:8.4rem}.md-typeset h3[id]:before{display:block;margin-top:-.7rem;padding-top:.7rem}.md-typeset h3[id]:target:before{margin-top:-8.7rem;padding-top:8.7rem}.md-typeset h4[id]:before{display:block;margin-top:-.8rem;padding-top:.8rem}.md-typeset h4[id]:target:before{margin-top:-8.8rem;padding-top:8.8rem}.md-typeset h5[id]:before{display:block;margin-top:-1.1rem;padding-top:1.1rem}.md-typeset h5[id]:target:before{margin-top:-9.1rem;padding-top:9.1rem}.md-typeset h6[id]:before{display:block;margin-top:-1.1rem;padding-top:1.1rem}.md-typeset h6[id]:target:before{margin-top:-9.1rem;padding-top:9.1rem}.md-typeset .MJXc-display{margin:.75em 0;padding:.25em 0;overflow:auto;-webkit-overflow-scrolling:touch}.md-typeset .MathJax_CHTML{outline:0}.md-typeset .comment.critic,.md-typeset del.critic,.md-typeset ins.critic{margin:0 .25em;padding:.0625em 0;border-radius:.2rem;-webkit-box-decoration-break:clone;box-decoration-break:clone}.md-typeset del.critic{background-color:#fdd;box-shadow:.25em 0 0 #fdd,-.25em 0 0 #fdd}.md-typeset ins.critic{background-color:#dfd;box-shadow:.25em 0 0 #dfd,-.25em 0 0 #dfd}.md-typeset .critic.comment{background-color:hsla(0,0%,93%,.5);color:#37474f;box-shadow:.25em 0 0 hsla(0,0%,93%,.5),-.25em 0 0 hsla(0,0%,93%,.5)}.md-typeset .critic.comment:before{padding-right:.125em;color:rgba(0,0,0,.26);content:"chat";vertical-align:-.125em}.md-typeset .critic.block{display:block;margin:1em 0;padding-right:1.6rem;padding-left:1.6rem;box-shadow:none}.md-typeset .critic.block :first-child{margin-top:.5em}.md-typeset .critic.block :last-child{margin-bottom:.5em}.md-typeset .emojione{width:2rem;vertical-align:text-top}.md-typeset code.codehilite{margin:0 .29412em;padding:.07353em 0}.md-typeset .task-list-item{position:relative;list-style-type:none}.md-typeset .task-list-item [type=checkbox]{position:absolute;top:.45em;left:-2em}.md-typeset .task-list-control .task-list-indicator:before{position:absolute;top:.05em;left:-1.25em;color:rgba(0,0,0,.26);font-size:1.5em;content:"check_box_outline_blank";vertical-align:-.25em}.md-typeset .task-list-control [type=checkbox]:checked+.task-list-indicator:before{content:"check_box"}.md-typeset .task-list-control [type=checkbox]{opacity:0;z-index:-1}@media print{.md-typeset a:after{color:rgba(0,0,0,.54);content:" [" attr(href) "]"}.md-typeset code{box-shadow:none;-webkit-box-decoration-break:initial;box-decoration-break:slice}.md-content__edit,.md-footer,.md-header,.md-sidebar,.md-typeset .headerlink{display:none}}@media only screen and (max-width:44.9375em){.md-typeset pre{margin:1em -1.6rem;padding:1rem 1.6rem;border-radius:0}.md-footer-nav__link--prev .md-footer-nav__title{display:none}.codehilite .hll{margin:0 -1.6rem;padding:0 1.6rem}.md-typeset>.codehilite{padding:1rem 1.6rem .8rem}.md-typeset>.codehilite,.md-typeset>.codehilitetable{margin:1em -1.6rem;border-radius:0}.md-typeset>.codehilitetable .codehilite,.md-typeset>.codehilitetable .linenodiv{padding:1rem 1.6rem}.md-typeset>p>.MJXc-display{margin:.75em -1.6rem;padding:.25em 1.6rem}}@media only screen and (min-width:100em){html{font-size:68.75%}}@media only screen and (min-width:125em){html{font-size:75%}}@media only screen and (max-width:59.9375em){body[data-md-state=lock]{overflow:hidden}.ios body[data-md-state=lock] .md-container{display:none}.md-content__edit{margin-right:-.8rem}.md-nav--secondary{border-left:0}html .md-nav__link[for=toc]{display:block;padding-right:4.8rem}html .md-nav__link[for=toc]:after{color:inherit;content:"toc"}html .md-nav__link[for=toc]+.md-nav__link{display:none}html .md-nav__link[for=toc]~.md-nav{display:-webkit-box;display:-ms-flexbox;display:flex}.md-nav__source{display:block;padding:.4rem;background-color:rgba(50,64,144,.9675);color:#fff}.md-search__overlay{display:block;position:absolute;top:.4rem;left:.4rem;width:4rem;height:4rem;-webkit-transform-origin:center;transform-origin:center;-webkit-transition:opacity .2s .2s,-webkit-transform .3s .1s;transition:opacity .2s .2s,-webkit-transform .3s .1s;transition:transform .3s .1s,opacity .2s .2s;transition:transform .3s .1s,opacity .2s .2s,-webkit-transform .3s .1s;border-radius:2rem;background-color:#fff;opacity:0;overflow:hidden;z-index:1}[data-md-toggle=search]:checked~.md-header .md-search__overlay{-webkit-transition:opacity .1s,-webkit-transform .4s;transition:opacity .1s,-webkit-transform .4s;transition:transform .4s,opacity .1s;transition:transform .4s,opacity .1s,-webkit-transform .4s;opacity:1}.md-search__inner{position:fixed;top:0;left:100%;height:100%;-webkit-transform:translateX(5%);transform:translateX(5%);-webkit-transition:left 0s .3s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.4,0,.2,1) .15s;transition:left 0s .3s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.4,0,.2,1) .15s;transition:left 0s .3s,transform .15s cubic-bezier(.4,0,.2,1) .15s,opacity .15s .15s;transition:left 0s .3s,transform .15s cubic-bezier(.4,0,.2,1) .15s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.4,0,.2,1) .15s;opacity:0;z-index:2}[data-md-toggle=search]:checked~.md-header .md-search__inner{left:0;-webkit-transform:translateX(0);transform:translateX(0);-webkit-transition:left 0s 0s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.1,.7,.1,1) .15s;transition:left 0s 0s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.1,.7,.1,1) .15s;transition:left 0s 0s,transform .15s cubic-bezier(.1,.7,.1,1) .15s,opacity .15s .15s;transition:left 0s 0s,transform .15s cubic-bezier(.1,.7,.1,1) .15s,opacity .15s .15s,-webkit-transform .15s cubic-bezier(.1,.7,.1,1) .15s;opacity:1}.md-search__input{width:100%;height:5.6rem;font-size:1.8rem}.md-search__icon{top:1.6rem;left:1.6rem}.md-search__icon:before{content:"arrow_back"}.md-search__output{top:5.6rem;bottom:0}}@media only screen and (max-width:76.1875em){[data-md-toggle=drawer]:checked~.md-overlay{width:100%;height:100%;-webkit-transition:width 0s,height 0s,opacity .25s;transition:width 0s,height 0s,opacity .25s;opacity:1}.md-header-nav__button.md-icon--home,.md-header-nav__button.md-logo{display:none}.md-nav{background-color:#fff}.md-nav--primary,.md-nav--primary .md-nav{display:-webkit-box;display:-ms-flexbox;display:flex;position:absolute;top:0;right:0;left:0;-webkit-box-orient:vertical;-webkit-box-direction:normal;-ms-flex-direction:column;flex-direction:column;height:100%;z-index:1}.md-nav--primary .md-nav__item,.md-nav--primary .md-nav__title{font-size:1.6rem;line-height:1.5}html .md-nav--primary .md-nav__title{position:relative;height:11.2rem;padding:6rem 1.6rem .4rem;background-color:rgba(0,0,0,.07);color:rgba(0,0,0,.54);font-weight:400;line-height:4.8rem;white-space:nowrap;cursor:pointer}html .md-nav--primary .md-nav__title:before{display:block;position:absolute;top:.4rem;left:.4rem;width:4rem;height:4rem;color:rgba(0,0,0,.54)}html .md-nav--primary .md-nav__title~.md-nav__list{background:-webkit-linear-gradient(top,#fff 10%,hsla(0,0%,100%,0)),-webkit-linear-gradient(top,rgba(0,0,0,.26),rgba(0,0,0,.07) 35%,transparent 60%);background:linear-gradient(180deg,#fff 10%,hsla(0,0%,100%,0)),linear-gradient(180deg,rgba(0,0,0,.26),rgba(0,0,0,.07) 35%,transparent 60%);background-attachment:local,scroll;background-color:#fff;background-repeat:no-repeat;background-size:100% 2rem,100% 1rem;box-shadow:inset 0 .1rem 0 rgba(0,0,0,.07)}html .md-nav--primary .md-nav__title~.md-nav__list>.md-nav__item:first-child{border-top:0}html .md-nav--primary .md-nav__title--site{position:relative;background-color:#3f51b5;color:#fff}html .md-nav--primary .md-nav__title--site .md-nav__button{display:block;position:absolute;top:.4rem;left:.4rem;width:6.4rem;height:6.4rem;font-size:4.8rem}html .md-nav--primary .md-nav__title--site:before{display:none}.md-nav--primary .md-nav__list{-webkit-box-flex:1;-ms-flex:1;flex:1;overflow-y:auto}.md-nav--primary .md-nav__item{padding:0;border-top:.1rem solid rgba(0,0,0,.07)}.md-nav--primary .md-nav__item--nested>.md-nav__link{padding-right:4.8rem}.md-nav--primary .md-nav__item--nested>.md-nav__link:after{content:"keyboard_arrow_right"}.md-nav--primary .md-nav__link{position:relative;padding:1.6rem}.md-nav--primary .md-nav__link:after{position:absolute;top:50%;right:1.2rem;margin-top:-1.2rem;color:rgba(0,0,0,.54);font-size:2.4rem}.md-nav--primary .md-nav__link:focus:after,.md-nav--primary .md-nav__link:hover:after{color:inherit}.md-nav--primary .md-nav--secondary .md-nav{position:static}.md-nav--primary .md-nav--secondary .md-nav .md-nav__link{padding-left:2.8rem}.md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav__link{padding-left:4rem}.md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav .md-nav__link{padding-left:5.2rem}.md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav .md-nav .md-nav__link{padding-left:6.4rem}.md-nav__toggle~.md-nav{display:none}.csstransforms3d .md-nav__toggle~.md-nav{-webkit-transform:translateX(100%);transform:translateX(100%);-webkit-transition:opacity .125s .05s,-webkit-transform .25s cubic-bezier(.8,0,.6,1);transition:opacity .125s .05s,-webkit-transform .25s cubic-bezier(.8,0,.6,1);transition:transform .25s cubic-bezier(.8,0,.6,1),opacity .125s .05s;transition:transform .25s cubic-bezier(.8,0,.6,1),opacity .125s .05s,-webkit-transform .25s cubic-bezier(.8,0,.6,1);opacity:0}.csstransforms3d .md-nav__toggle~.md-nav,.md-nav__toggle:checked~.md-nav{display:-webkit-box;display:-ms-flexbox;display:flex}.csstransforms3d .md-nav__toggle:checked~.md-nav{-webkit-transform:translateX(0);transform:translateX(0);-webkit-transition:opacity .125s .125s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);transition:opacity .125s .125s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);transition:transform .25s cubic-bezier(.4,0,.2,1),opacity .125s .125s;transition:transform .25s cubic-bezier(.4,0,.2,1),opacity .125s .125s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);opacity:1}.md-sidebar--primary{position:fixed;top:0;left:-24.2rem;width:24.2rem;height:100%;-webkit-transform:translateX(0);transform:translateX(0);-webkit-transition:box-shadow .25s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);transition:box-shadow .25s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);transition:transform .25s cubic-bezier(.4,0,.2,1),box-shadow .25s;transition:transform .25s cubic-bezier(.4,0,.2,1),box-shadow .25s,-webkit-transform .25s cubic-bezier(.4,0,.2,1);background-color:#fff;z-index:2}.no-csstransforms3d .md-sidebar--primary{display:none}[data-md-toggle=drawer]:checked~.md-container .md-sidebar--primary{box-shadow:0 8px 10px 1px rgba(0,0,0,.14),0 3px 14px 2px rgba(0,0,0,.12),0 5px 5px -3px rgba(0,0,0,.4);-webkit-transform:translateX(24.2rem);transform:translateX(24.2rem)}.no-csstransforms3d [data-md-toggle=drawer]:checked~.md-container .md-sidebar--primary{display:block}.md-sidebar--primary .md-sidebar__scrollwrap{overflow:hidden;position:absolute;top:0;right:0;bottom:0;left:0;margin:0}}@media only screen and (min-width:60em){.md-content{margin-right:24.2rem}.md-header-nav__button.md-icon--search{display:none}.md-header-nav__source{display:block;width:23rem;max-width:23rem;padding-right:1.2rem}.md-search{margin-right:2.8rem;padding:.4rem}.md-search__inner{display:table;position:relative;clear:both}.md-search__form{width:23rem;float:right;-webkit-transition:width .25s cubic-bezier(.1,.7,.1,1);transition:width .25s cubic-bezier(.1,.7,.1,1);border-radius:.2rem}.md-search__input{width:100%;height:4rem;padding-left:4.8rem;-webkit-transition:background-color .25s,color .25s;transition:background-color .25s,color .25s;border-radius:.2rem;background-color:rgba(0,0,0,.26);color:#fff;font-size:1.6rem}.md-search__input+.md-search__icon,.md-search__input::-webkit-input-placeholder{-webkit-transition:color .25s;transition:color .25s;color:#fff}.md-search__input+.md-search__icon,.md-search__input::-moz-placeholder{-webkit-transition:color .25s;transition:color .25s;color:#fff}.md-search__input+.md-search__icon,.md-search__input:-ms-input-placeholder{-webkit-transition:color .25s;transition:color .25s;color:#fff}.md-search__input+.md-search__icon,.md-search__input::placeholder{-webkit-transition:color .25s;transition:color .25s;color:#fff}.md-search__input:hover{background-color:hsla(0,0%,100%,.12)}[data-md-toggle=search]:checked~.md-header .md-search__input{border-radius:.2rem .2rem 0 0;background-color:#fff;color:rgba(0,0,0,.87);text-overflow:none}[data-md-toggle=search]:checked~.md-header .md-search__input+.md-search__icon,[data-md-toggle=search]:checked~.md-header .md-search__input::-webkit-input-placeholder{color:rgba(0,0,0,.54)}[data-md-toggle=search]:checked~.md-header .md-search__input+.md-search__icon,[data-md-toggle=search]:checked~.md-header .md-search__input::-moz-placeholder{color:rgba(0,0,0,.54)}[data-md-toggle=search]:checked~.md-header .md-search__input+.md-search__icon,[data-md-toggle=search]:checked~.md-header .md-search__input:-ms-input-placeholder{color:rgba(0,0,0,.54)}[data-md-toggle=search]:checked~.md-header .md-search__input+.md-search__icon,[data-md-toggle=search]:checked~.md-header .md-search__input::placeholder{color:rgba(0,0,0,.54)}.md-search__output{top:4rem;-webkit-transition:opacity .4s;transition:opacity .4s;opacity:0}[data-md-toggle=search]:checked~.md-header .md-search__output{box-shadow:0 6px 10px 0 rgba(0,0,0,.14),0 1px 18px 0 rgba(0,0,0,.12),0 3px 5px -1px rgba(0,0,0,.4);opacity:1}.md-search__scrollwrap{max-height:0}[data-md-toggle=search]:checked~.md-header .md-search__scrollwrap{max-height:75vh}.md-search__scrollwrap::-webkit-scrollbar{width:.4rem;height:.4rem}.md-search__scrollwrap::-webkit-scrollbar-thumb{background-color:rgba(0,0,0,.26)}.md-search__scrollwrap::-webkit-scrollbar-thumb:hover{background-color:#536dfe}.md-search-result__link,.md-search-result__meta{padding-left:4.8rem}.md-sidebar--secondary{display:block;float:right}.md-sidebar--secondary[data-md-state=lock]{margin-left:100%;-webkit-transform:translate(-100%);transform:translate(-100%)}}@media only screen and (min-width:76.25em){.md-content{margin-left:24.2rem;overflow:auto}.md-content__inner{margin:2.4rem}.md-header-nav__button.md-icon--menu{display:none}.md-nav[data-md-state=animate]{-webkit-transition:max-height .25s cubic-bezier(.86,0,.07,1);transition:max-height .25s cubic-bezier(.86,0,.07,1)}.md-nav__toggle~.md-nav{max-height:0;overflow:hidden}.md-nav[data-md-state=expand],.md-nav__toggle:checked~.md-nav{max-height:100%}.md-nav__item--nested>.md-nav>.md-nav__title{display:none}.md-nav__item--nested>.md-nav__link:after{display:inline-block;-webkit-transform-origin:.45em .45em;transform-origin:.45em .45em;-webkit-transform-style:preserve-3d;transform-style:preserve-3d;vertical-align:-.125em}.js .md-nav__item--nested>.md-nav__link:after{-webkit-transition:-webkit-transform .4s;transition:-webkit-transform .4s;transition:transform .4s;transition:transform .4s,-webkit-transform .4s}.md-nav__item--nested .md-nav__toggle:checked~.md-nav__link:after{-webkit-transform:rotateX(180deg);transform:rotateX(180deg)}.md-search__scrollwrap,[data-md-toggle=search]:checked~.md-header .md-search__form{width:68.8rem}.md-sidebar__inner{border-right:.1rem solid rgba(0,0,0,.07)}}@media only screen and (max-width:29.9375em){.md-header-nav__parent{display:none}[data-md-toggle=search]:checked~.md-header .md-search__overlay{-webkit-transform:scale(45);transform:scale(45)}}@media only screen and (min-width:45em){.md-footer-nav__link{width:50%}.md-footer-copyright{max-width:75%;float:left}.md-footer-social{padding:1.2rem 0;float:right}}@media only screen and (min-width:30em) and (max-width:44.9375em){[data-md-toggle=search]:checked~.md-header .md-search__overlay{-webkit-transform:scale(60);transform:scale(60)}}@media only screen and (min-width:45em) and (max-width:59.9375em){[data-md-toggle=search]:checked~.md-header .md-search__overlay{-webkit-transform:scale(75);transform:scale(75)}}@media only screen and (min-width:60em) and (max-width:76.1875em){.md-search__scrollwrap,[data-md-toggle=search]:checked~.md-header .md-search__form{width:46.8rem}}@media only screen and (min-width:60em) and (min-width:76.25em){.md-sidebar--secondary[data-md-state=lock]{margin-left:122rem}} \ No newline at end of file diff --git a/material/assets/stylesheets/application.css b/material/assets/stylesheets/application.css deleted file mode 100644 index 215f44894..000000000 --- a/material/assets/stylesheets/application.css +++ /dev/null @@ -1,1942 +0,0 @@ -html { - box-sizing: border-box; } - -*, -*::before, -*::after { - box-sizing: inherit; } - -html { - -webkit-text-size-adjust: none; - -ms-text-size-adjust: none; - text-size-adjust: none; } - -body { - margin: 0; } - -hr { - overflow: visible; - box-sizing: content-box; } - -a { - -webkit-text-decoration-skip: objects; } - -a, -button, -label, -input { - -webkit-tap-highlight-color: transparent; } - -a { - color: inherit; - text-decoration: none; } - a:active, a:hover, -a.\:hover { - outline-width: 0; } - -small { - font-size: 80%; } - -sub, -sup { - position: relative; - font-size: 80%; - line-height: 0; - vertical-align: baseline; } - -sub { - bottom: -0.25em; } - -sup { - top: -0.5em; } - -img { - border-style: none; } - -table { - border-collapse: collapse; - border-spacing: 0; } - -td, -th { - font-weight: normal; - vertical-align: top; } - -button { - padding: 0; - border: 0; - outline: 0; - background: transparent; - font-size: inherit; } - -input { - border: 0; - outline: 0; } - -.md-icon, .md-nav__title::before, .md-nav__button, .md-nav__link::after, .admonition::before, .md-typeset .footnote-backref, .md-typeset .critic.comment::before, .md-typeset .task-list-control .task-list-indicator::before { - font-family: "Material Icons"; - font-style: normal; - font-variant: normal; - font-weight: normal; - line-height: 1; - text-transform: none; - white-space: nowrap; - speak: none; - word-wrap: normal; - direction: ltr; } - .md-content__edit, .md-header-nav__button, .md-footer-nav__button, .md-nav__title::before, .md-nav__button { - display: inline-block; - margin: 0.4rem; - padding: 0.8rem; - font-size: 2.4rem; - cursor: pointer; } - -.md-icon--arrow-back::before { - content: "arrow_back"; } - -.md-icon--arrow-forward::before { - content: "arrow_forward"; } - -.md-icon--menu::before { - content: "menu"; } - -.md-icon--search::before { - content: "search"; } - -.md-icon--home::before { - content: "school"; } - -body { - -webkit-font-smoothing: antialiased; - -moz-osx-font-smoothing: grayscale; } - -body, -input { - color: rgba(0, 0, 0, 0.87); - -webkit-font-feature-settings: "kern", "onum", "liga"; - font-feature-settings: "kern", "onum", "liga"; - font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; - font-weight: 400; } - -pre, -code, -kbd { - color: rgba(0, 0, 0, 0.87); - -webkit-font-feature-settings: "kern", "onum", "liga"; - font-feature-settings: "kern", "onum", "liga"; - font-family: "Courier New", Courier, monospace; - font-weight: 400; } - -.md-typeset { - font-size: 1.6rem; - line-height: 1.6; - -webkit-print-color-adjust: exact; } - .md-typeset p, - .md-typeset ul, - .md-typeset ol, - .md-typeset blockquote { - margin: 1em 0; } - .md-typeset h1 { - margin: 0 0 4rem; - color: rgba(0, 0, 0, 0.54); - font-size: 3.125rem; - font-weight: 300; - letter-spacing: -0.01em; - line-height: 1.3; } - .md-typeset h2 { - margin: 4rem 0 1.6rem; - font-size: 2.5rem; - font-weight: 300; - letter-spacing: -0.01em; - line-height: 1.4; } - .md-typeset h3 { - margin: 3.2rem 0 1.6rem; - font-size: 2rem; - font-weight: 400; - letter-spacing: -0.01em; - line-height: 1.5; } - .md-typeset h2 + h3 { - margin-top: 1.6rem; } - .md-typeset h4 { - margin: 1.6rem 0; - font-size: 1.6rem; - font-weight: 700; - letter-spacing: -0.01em; } - .md-typeset h5, - .md-typeset h6 { - margin: 1.6rem 0; - color: rgba(0, 0, 0, 0.54); - font-size: 1.28rem; - font-weight: 700; - letter-spacing: -0.01em; } - .md-typeset h5 { - text-transform: uppercase; } - .md-typeset hr { - margin: 1.5em 0; - border-bottom: 0.1rem dotted rgba(0, 0, 0, 0.26); } - .md-typeset a { - color: #3f51b5; - word-break: break-word; } - .md-typeset a, .md-typeset a::before { - -webkit-transition: color 0.125s; - transition: color 0.125s; } - .md-typeset a:hover, .md-typeset a:active, -.md-typeset a.\:hover { - color: #536dfe; } - .md-typeset code, - .md-typeset pre { - background-color: rgba(236, 236, 236, 0.5); - color: #37474F; - font-size: 85%; } - .md-typeset code { - margin: 0 0.29412em; - padding: 0.07353em 0; - border-radius: 0.2rem; - box-shadow: 0.29412em 0 0 rgba(236, 236, 236, 0.5), -0.29412em 0 0 rgba(236, 236, 236, 0.5); - word-break: break-word; - -webkit-box-decoration-break: clone; - box-decoration-break: clone; } - .md-typeset h1 code, - .md-typeset h2 code, - .md-typeset h3 code, - .md-typeset h4 code, - .md-typeset h5 code, - .md-typeset h6 code { - margin: 0; - background-color: transparent; - box-shadow: none; } - .md-typeset a > code { - margin: inherit; - padding: inherit; - border-radius: none; - background-color: inherit; - color: inherit; - box-shadow: none; } - .md-typeset pre { - margin: 1em 0; - padding: 1rem 1.2rem; - border-radius: 0.2rem; - line-height: 1.4; - overflow: auto; - -webkit-overflow-scrolling: touch; } - .md-typeset pre::-webkit-scrollbar { - width: 0.4rem; - height: 0.4rem; } - .md-typeset pre::-webkit-scrollbar-thumb { - background-color: rgba(0, 0, 0, 0.26); } - .md-typeset pre::-webkit-scrollbar-thumb:hover, -.md-typeset pre::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - .md-typeset pre > code { - margin: 0; - background-color: transparent; - font-size: inherit; - box-shadow: none; - -webkit-box-decoration-break: none; - box-decoration-break: none; } - .md-typeset kbd { - padding: 0 0.29412em; - border: 0.1rem solid #c9c9c9; - border-radius: 0.2rem; - border-bottom-color: #bcbcbc; - background-color: #FCFCFC; - color: #555555; - font-size: 85%; - box-shadow: 0 0.1rem 0 #b0b0b0; - word-break: break-word; } - .md-typeset mark { - margin: 0 0.25em; - padding: 0.0625em 0; - border-radius: 0.2rem; - background-color: rgba(255, 235, 59, 0.5); - box-shadow: 0.25em 0 0 rgba(255, 235, 59, 0.5), -0.25em 0 0 rgba(255, 235, 59, 0.5); - word-break: break-word; - -webkit-box-decoration-break: clone; - box-decoration-break: clone; } - .md-typeset abbr { - border-bottom: 0.1rem dotted rgba(0, 0, 0, 0.54); - cursor: help; } - .md-typeset small { - opacity: 0.75; } - .md-typeset sup, - .md-typeset sub { - margin-left: 0.07812em; } - .md-typeset blockquote { - padding-left: 1.2rem; - border-left: 0.4rem solid rgba(0, 0, 0, 0.26); - color: rgba(0, 0, 0, 0.54); } - .md-typeset ul { - list-style-type: disc; } - .md-typeset ul, - .md-typeset ol { - margin-left: 0.625em; - padding: 0; } - .md-typeset ul ol, - .md-typeset ol ol { - list-style-type: lower-alpha; } - .md-typeset ul ol ol, - .md-typeset ol ol ol { - list-style-type: lower-roman; } - .md-typeset ul li, - .md-typeset ol li { - margin-bottom: 0.5em; - margin-left: 1.25em; } - .md-typeset ul li p, - .md-typeset ul li blockquote, - .md-typeset ol li p, - .md-typeset ol li blockquote { - margin: 0.5em 0; } - .md-typeset ul li:last-child, - .md-typeset ol li:last-child { - margin-bottom: 0; } - .md-typeset ul li ul, - .md-typeset ul li ol, - .md-typeset ol li ul, - .md-typeset ol li ol { - margin: 0.5em 0 0.5em 0.625em; } - .md-typeset dd { - margin: 1em 0 1em 1.875em; } - .md-typeset iframe, - .md-typeset img, - .md-typeset svg { - max-width: 100%; } - .md-typeset table:not([class]) { - box-shadow: 0 2px 2px 0 rgba(0, 0, 0, 0.14), 0 1px 5px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -2px rgba(0, 0, 0, 0.2); - margin: 2em 0; - border-radius: 0.2rem; - font-size: 1.28rem; - overflow: hidden; } - .no-js .md-typeset table:not([class]) { - display: inline-block; - max-width: 100%; - margin: 0.8em 0; - overflow: auto; - -webkit-overflow-scrolling: touch; } - .md-typeset table:not([class]) th:not([align]), - .md-typeset table:not([class]) td:not([align]) { - text-align: left; } - .md-typeset table:not([class]) th { - min-width: 10rem; - padding: 1.2rem 1.6rem; - background-color: rgba(0, 0, 0, 0.54); - color: white; - vertical-align: top; } - .md-typeset table:not([class]) td { - padding: 1.2rem 1.6rem; - border-top: 0.1rem solid rgba(0, 0, 0, 0.07); - vertical-align: top; } - .md-typeset table:not([class]) tr:first-child td { - border-top: 0; } - .md-typeset table:not([class]) a { - word-break: normal; } - .md-typeset .md-typeset__table { - margin: 1.6em -1.6rem; - overflow-x: auto; - -webkit-overflow-scrolling: touch; } - .md-typeset .md-typeset__table table { - display: inline-block; - margin: 0 1.6rem; } - -html { - height: 100%; - font-size: 62.5%; } - -body { - position: relative; - height: 100%; } - -hr { - display: block; - height: 0.1rem; - padding: 0; - border: 0; } - -.md-svg { - display: none; } - -.md-grid { - max-width: 122rem; - margin-right: auto; - margin-left: auto; } - -.md-container, -.md-main { - overflow: auto; } - -.md-container { - display: table; - width: 100%; - height: 100%; - padding-top: 5.6rem; - table-layout: fixed; } - -.md-main { - display: table-row; - height: 100%; } - .md-main__inner { - min-height: 100%; - padding-top: 3rem; - overflow: auto; } - -.md-toggle { - display: none; } - -.md-overlay { - position: fixed; - top: 0; - width: 0; - height: 0; - -webkit-transition: width 0s 0.25s, height 0s 0.25s, opacity 0.25s; - transition: width 0s 0.25s, height 0s 0.25s, opacity 0.25s; - background-color: rgba(0, 0, 0, 0.54); - opacity: 0; - z-index: 2; } - -.md-flex { - display: table; } - .md-flex__cell { - display: table-cell; - position: relative; - vertical-align: top; } - .md-flex__cell--shrink { - width: 0%; } - .md-flex__cell--stretch { - display: table; - width: 100%; - table-layout: fixed; } - .md-flex__ellipsis { - display: table-cell; - text-overflow: ellipsis; - white-space: nowrap; - overflow: hidden; } - -@page { - margin: 25mm; } - -.md-content__inner { - margin: 2.4rem 1.6rem; } - .md-content__inner > :last-child { - margin-bottom: 0; } - -.md-content__edit { - float: right; } - -.md-header { - box-shadow: 0 2px 2px 0 rgba(0, 0, 0, 0.14), 0 1px 5px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -2px rgba(0, 0, 0, 0.2); - position: fixed; - top: 0; - right: 0; - left: 0; - height: 5.6rem; - -webkit-transition: background-color 0.25s; - transition: background-color 0.25s; - background-color: #3f51b5; - color: white; - z-index: 1; } - -.md-header-nav { - padding: 0.4rem; } - .md-header-nav__button { - position: relative; - -webkit-transition: opacity 0.25s; - transition: opacity 0.25s; - z-index: 1; } - .md-header-nav__button:hover, -.md-header-nav__button.\:hover { - opacity: 0.7; } - .md-header-nav__button.md-logo img { - display: block; } - .no-js .md-header-nav__button.md-icon--search { - display: none; } - .md-header-nav__title { - padding: 0 2rem; - font-size: 1.8rem; - line-height: 4.8rem; } - .md-header-nav__parent { - color: rgba(255, 255, 255, 0.7); } - .md-header-nav__parent::after { - display: inline; - color: rgba(255, 255, 255, 0.3); - content: "/"; } - .md-header-nav__source { - display: none; } - -.md-footer-nav { - background-color: rgba(0, 0, 0, 0.87); - color: white; } - .md-footer-nav__inner { - padding: 0.4rem; - overflow: auto; } - .md-footer-nav__link { - padding-top: 2.8rem; - padding-bottom: 0.8rem; - -webkit-transition: opacity 0.25s; - transition: opacity 0.25s; } - .md-footer-nav__link:hover, -.md-footer-nav__link.\:hover { - opacity: 0.7; } - .md-footer-nav__link--prev { - width: 25%; - float: left; } - .md-footer-nav__link--next { - width: 75%; - float: right; - text-align: right; } - .md-footer-nav__button { - -webkit-transition: background 0.25s; - transition: background 0.25s; } - .md-footer-nav__title { - position: relative; - padding: 0 2rem; - font-size: 1.8rem; - line-height: 4.8rem; } - .md-footer-nav__direction { - position: absolute; - right: 0; - left: 0; - margin-top: -2rem; - padding: 0 2rem; - color: rgba(255, 255, 255, 0.7); - font-size: 1.5rem; } - -.md-footer-meta { - background: rgba(0, 0, 0, 0.895); } - .md-footer-meta__inner { - padding: 0.4rem; - overflow: auto; } - html .md-footer-meta.md-typeset a { - color: rgba(255, 255, 255, 0.7); } - -.md-footer-copyright { - margin: 0 1.2rem; - padding: 0.8rem 0; - color: rgba(255, 255, 255, 0.3); - font-size: 1.28rem; } - .md-footer-copyright__highlight { - color: rgba(255, 255, 255, 0.7); } - -.md-footer-social { - margin: 0 0.8rem; - padding: 0.4rem 0 1.2rem; } - .md-footer-social__link { - display: inline-block; - width: 3.2rem; - height: 3.2rem; - border: 0.1rem solid rgba(255, 255, 255, 0.12); - border-radius: 100%; - color: rgba(255, 255, 255, 0.7); - font-size: 1.6rem; - text-align: center; } - .md-footer-social__link::before { - line-height: 1.9; } - -.md-nav { - font-size: 1.4rem; - line-height: 1.3; } - .md-nav--secondary { - -webkit-transition: border-left 0.25s; - transition: border-left 0.25s; - border-left: 0.4rem solid #3f51b5; } - .md-nav__title { - display: block; - padding: 1.2rem 1.2rem 0; - font-weight: 700; - text-overflow: ellipsis; - overflow: hidden; } - .md-nav__title::before { - display: none; - content: "arrow_back"; } - .md-nav__title .md-nav__button { - display: none; } - .md-nav__list { - margin: 0; - padding: 0; - list-style: none; } - .md-nav__item { - padding: 0.625em 1.2rem 0; } - .md-nav__item:last-child { - padding-bottom: 1.2rem; } - .md-nav__item .md-nav__item { - padding-right: 0; } - .md-nav__item .md-nav__item:last-child { - padding-bottom: 0; } - .md-nav__button img { - width: 100%; - height: auto; } - .md-nav__link { - display: block; - -webkit-transition: color 0.125s; - transition: color 0.125s; - text-overflow: ellipsis; - cursor: pointer; - overflow: hidden; } - .md-nav__item--nested > .md-nav__link::after { - content: "keyboard_arrow_down"; } - html .md-nav__link[for="toc"] { - display: none; } - html .md-nav__link[for="toc"] ~ .md-nav { - display: none; } - html .md-nav__link[for="toc"] + .md-nav__link::after { - display: none; } - .md-nav__link[data-md-state="blur"] { - color: rgba(0, 0, 0, 0.54); } - .md-nav__link:active, .md-nav__link--active { - color: #3f51b5; } - .md-nav__link:focus, .md-nav__link:hover, -.md-nav__link.\:focus, -.md-nav__link.\:hover { - color: #536dfe; } - .md-nav__source { - display: none; } - -.no-js .md-search { - display: none; } - -.md-search__overlay { - display: none; - pointer-events: none; } - -.md-search__inner { - width: 100%; } - -.md-search__form { - position: relative; } - -.md-search__input { - position: relative; - padding: 0 1.6rem 0 7.2rem; - text-overflow: ellipsis; - z-index: 1; } - .md-search__input + .md-search__icon, .md-search__input::-webkit-input-placeholder { - color: rgba(0, 0, 0, 0.54); } - .md-search__input + .md-search__icon, .md-search__input::-moz-placeholder { - color: rgba(0, 0, 0, 0.54); } - .md-search__input + .md-search__icon, .md-search__input:-ms-input-placeholder { - color: rgba(0, 0, 0, 0.54); } - .md-search__input + .md-search__icon, .md-search__input::placeholder { - color: rgba(0, 0, 0, 0.54); } - .md-search__input::-ms-clear { - display: none; } - -.md-search__icon { - position: absolute; - top: 0.8rem; - left: 1.2rem; - -webkit-transition: color 0.25s; - transition: color 0.25s; - font-size: 2.4rem; - cursor: pointer; - z-index: 1; } - .md-search__icon::before { - content: "search"; } - -.md-search__output { - position: absolute; - width: 100%; - border-radius: 0 0 0.2rem 0.2rem; - overflow: hidden; } - -.md-search__scrollwrap { - height: 100%; - background: -webkit-linear-gradient(top, white 10%, rgba(255, 255, 255, 0)), -webkit-linear-gradient(top, rgba(0, 0, 0, 0.26), rgba(0, 0, 0, 0.07) 35%, transparent 60%); - background: linear-gradient(to bottom, white 10%, rgba(255, 255, 255, 0)), linear-gradient(to bottom, rgba(0, 0, 0, 0.26), rgba(0, 0, 0, 0.07) 35%, transparent 60%); - background-attachment: local, scroll; - background-color: white; - background-repeat: no-repeat; - background-size: 100% 2rem, 100% 1rem; - box-shadow: 0 0.1rem 0 rgba(0, 0, 0, 0.07) inset; - overflow-y: auto; - -webkit-overflow-scrolling: touch; } - -.md-search-result__meta { - padding: 0 1.6rem; - background-color: rgba(0, 0, 0, 0.07); - color: rgba(0, 0, 0, 0.54); - font-size: 1.28rem; - line-height: 4rem; } - -.md-search-result__list { - margin: 0; - padding: 0; - border-top: 0.1rem solid rgba(0, 0, 0, 0.07); - list-style: none; } - -.md-search-result__item { - box-shadow: 0 -0.1rem 0 rgba(0, 0, 0, 0.07); } - -.md-search-result__link { - display: block; - padding: 0 1.6rem; - -webkit-transition: background 0.25s; - transition: background 0.25s; - overflow: auto; } - .md-search-result__link:hover, -.md-search-result__link.\:hover { - background-color: rgba(83, 109, 254, 0.1); } - -.md-search-result__article { - margin: 1em 0; } - -.md-search-result__title { - margin-top: 0.5em; - margin-bottom: 0; - color: rgba(0, 0, 0, 0.87); - font-size: 1.6rem; - font-weight: 400; - line-height: 1.4; } - -.md-search-result__teaser { - margin: 0.5em 0; - color: rgba(0, 0, 0, 0.54); - font-size: 1.28rem; - line-height: 1.4; - word-break: break-word; } - -.md-sidebar { - position: relative; - width: 24.2rem; - padding: 2.4rem 0; - float: left; - overflow: visible; } - .md-sidebar[data-md-state="lock"] { - position: fixed; - top: 5.6rem; - -webkit-backface-visibility: hidden; - backface-visibility: hidden; } - .md-sidebar--secondary { - display: none; } - .md-sidebar__scrollwrap { - max-height: 100%; - margin: 0 0.4rem; - overflow-y: auto; } - .md-sidebar__scrollwrap::-webkit-scrollbar { - width: 0.4rem; - height: 0.4rem; } - .md-sidebar__scrollwrap::-webkit-scrollbar-thumb { - background-color: rgba(0, 0, 0, 0.26); } - .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -.md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - -@-webkit-keyframes md-source__facts--done { - 0% { - height: 0; } - 100% { - height: 1.3rem; } } - -@keyframes md-source__facts--done { - 0% { - height: 0; } - 100% { - height: 1.3rem; } } - -@-webkit-keyframes md-source__fact--done { - 0% { - -webkit-transform: translateY(100%); - transform: translateY(100%); - opacity: 0; } - 50% { - opacity: 0; } - 100% { - -webkit-transform: translateY(0%); - transform: translateY(0%); - opacity: 1; } } - -@keyframes md-source__fact--done { - 0% { - -webkit-transform: translateY(100%); - transform: translateY(100%); - opacity: 0; } - 50% { - opacity: 0; } - 100% { - -webkit-transform: translateY(0%); - transform: translateY(0%); - opacity: 1; } } - -.md-source { - display: block; - -webkit-transition: opacity 0.25s; - transition: opacity 0.25s; - font-size: 1.3rem; - line-height: 1.2; - white-space: nowrap; } - .md-source:hover, -.md-source.\:hover { - opacity: 0.7; } - .md-source::after { - display: inline-block; - height: 4.8rem; - content: ""; - vertical-align: middle; } - .md-source__icon { - display: inline-block; - width: 4.8rem; - height: 4.8rem; - content: ""; - vertical-align: middle; } - .md-source__icon svg { - margin-top: 1.2rem; - margin-left: 1.2rem; } - .md-source__icon + .md-source__repository { - margin-left: -4.4rem; - padding-left: 4rem; } - .md-source__repository { - display: inline-block; - max-width: 100%; - margin-left: 1.2rem; - font-weight: 700; - text-overflow: ellipsis; - overflow: hidden; - vertical-align: middle; } - .md-source__facts { - margin: 0; - padding: 0; - font-size: 1.1rem; - font-weight: 700; - list-style-type: none; - opacity: 0.75; - overflow: hidden; } - [data-md-state="done"] .md-source__facts { - -webkit-animation: md-source__facts--done 0.25s ease-in; - animation: md-source__facts--done 0.25s ease-in; } - .md-source__fact { - float: left; } - [data-md-state="done"] .md-source__fact { - -webkit-animation: md-source__fact--done 0.4s ease-out; - animation: md-source__fact--done 0.4s ease-out; } - .md-source__fact::before { - margin: 0 0.2rem; - content: "\00B7"; } - .md-source__fact:first-child::before { - display: none; } - -.admonition { - position: relative; - margin: 1.5625em 0; - padding: 0.8rem 1.2rem; - border-left: 3.2rem solid rgba(68, 138, 255, 0.4); - border-radius: 0.2rem; - background-color: rgba(68, 138, 255, 0.15); - font-size: 1.28rem; } - .admonition::before { - position: absolute; - left: -2.6rem; - color: white; - font-size: 2rem; - content: "edit"; - vertical-align: -0.25em; } - .admonition :first-child { - margin-top: 0; } - .admonition :last-child { - margin-bottom: 0; } - .admonition.tldr, .admonition.summary { - border-color: rgba(0, 176, 255, 0.4); - background-color: rgba(0, 176, 255, 0.15); } - .admonition.tldr::before, .admonition.summary::before { - content: "subject"; } - .admonition.hint, .admonition.important, .admonition.tip { - border-color: rgba(0, 191, 165, 0.4); - background-color: rgba(0, 191, 165, 0.15); } - .admonition.hint::before, .admonition.important::before, .admonition.tip::before { - content: "whatshot"; } - .admonition.check, .admonition.done, .admonition.success { - border-color: rgba(0, 230, 118, 0.4); - background-color: rgba(0, 230, 118, 0.15); } - .admonition.check::before, .admonition.done::before, .admonition.success::before { - content: "done"; } - .admonition.caution, .admonition.attention, .admonition.warning { - border-color: rgba(255, 145, 0, 0.4); - background-color: rgba(255, 145, 0, 0.15); } - .admonition.caution::before, .admonition.attention::before, .admonition.warning::before { - content: "warning"; } - .admonition.fail, .admonition.missing, .admonition.failure { - border-color: rgba(255, 82, 82, 0.4); - background-color: rgba(255, 82, 82, 0.15); } - .admonition.fail::before, .admonition.missing::before, .admonition.failure::before { - content: "clear"; } - .admonition.error, .admonition.danger { - border-color: rgba(255, 23, 68, 0.4); - background-color: rgba(255, 23, 68, 0.15); } - .admonition.error::before, .admonition.danger::before { - content: "flash_on"; } - .admonition.bug { - border-color: rgba(245, 0, 87, 0.4); - background-color: rgba(245, 0, 87, 0.15); } - .admonition.bug::before { - content: "bug_report"; } - -.admonition-title { - font-weight: 700; } - html .admonition-title { - margin-bottom: 0; } - html .admonition-title + * { - margin-top: 0; } - -.codehilite .o { - color: inherit; } - -.codehilite .ow { - color: inherit; } - -.codehilite .ge { - color: #000000; } - -.codehilite .gr { - color: #AA0000; } - -.codehilite .gh { - color: #999999; } - -.codehilite .go { - color: #888888; } - -.codehilite .gp { - color: #555555; } - -.codehilite .gs { - color: inherit; } - -.codehilite .gu { - color: #AAAAAA; } - -.codehilite .gt { - color: #AA0000; } - -.codehilite .gd { - background-color: #FFDDDD; } - -.codehilite .gi { - background-color: #DDFFDD; } - -.codehilite .k { - color: #3B78E7; } - -.codehilite .kc { - color: #A71D5D; } - -.codehilite .kd { - color: #3B78E7; } - -.codehilite .kn { - color: #3B78E7; } - -.codehilite .kp { - color: #A71D5D; } - -.codehilite .kr { - color: #3E61A2; } - -.codehilite .kt { - color: #3E61A2; } - -.codehilite .c { - color: #999999; } - -.codehilite .cm { - color: #999999; } - -.codehilite .cp { - color: #666666; } - -.codehilite .c1 { - color: #999999; } - -.codehilite .ch { - color: #999999; } - -.codehilite .cs { - color: #999999; } - -.codehilite .na { - color: #C2185B; } - -.codehilite .nb { - color: #C2185B; } - -.codehilite .bp { - color: #3E61A2; } - -.codehilite .nc { - color: #C2185B; } - -.codehilite .no { - color: #3E61A2; } - -.codehilite .nd { - color: #666666; } - -.codehilite .ni { - color: #666666; } - -.codehilite .ne { - color: #C2185B; } - -.codehilite .nf { - color: #C2185B; } - -.codehilite .nl { - color: #3B5179; } - -.codehilite .nn { - color: #EC407A; } - -.codehilite .nt { - color: #3B78E7; } - -.codehilite .nv { - color: #3E61A2; } - -.codehilite .vc { - color: #3E61A2; } - -.codehilite .vg { - color: #3E61A2; } - -.codehilite .vi { - color: #3E61A2; } - -.codehilite .nx { - color: #EC407A; } - -.codehilite .m { - color: #E74C3C; } - -.codehilite .mf { - color: #E74C3C; } - -.codehilite .mh { - color: #E74C3C; } - -.codehilite .mi { - color: #E74C3C; } - -.codehilite .il { - color: #E74C3C; } - -.codehilite .mo { - color: #E74C3C; } - -.codehilite .s { - color: #0D904F; } - -.codehilite .sb { - color: #0D904F; } - -.codehilite .sc { - color: #0D904F; } - -.codehilite .sd { - color: #999999; } - -.codehilite .s2 { - color: #0D904F; } - -.codehilite .se { - color: #183691; } - -.codehilite .sh { - color: #183691; } - -.codehilite .si { - color: #183691; } - -.codehilite .sx { - color: #183691; } - -.codehilite .sr { - color: #009926; } - -.codehilite .s1 { - color: #0D904F; } - -.codehilite .ss { - color: #0D904F; } - -.codehilite .err { - color: #A61717; } - -.codehilite .w { - color: transparent; } - -.codehilite .hll { - display: block; - margin: 0 -1.2rem; - padding: 0 1.2rem; - background-color: rgba(255, 235, 59, 0.5); } - -.md-typeset .codehilite { - margin: 1em 0; - padding: 1rem 1.2rem 0.8rem; - border-radius: 0.2rem; - background-color: rgba(236, 236, 236, 0.5); - color: #37474F; - line-height: 1.4; - overflow: auto; - -webkit-overflow-scrolling: touch; } - .md-typeset .codehilite::-webkit-scrollbar { - width: 0.4rem; - height: 0.4rem; } - .md-typeset .codehilite::-webkit-scrollbar-thumb { - background-color: rgba(0, 0, 0, 0.26); } - .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -.md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - .md-typeset .codehilite pre { - display: inline-block; - min-width: 100%; - margin: 0; - padding: 0; - background-color: transparent; - overflow: visible; - vertical-align: top; } - -.md-typeset .codehilitetable { - display: block; - margin: 1em 0; - border-radius: 0.2em; - font-size: 1.6rem; - overflow: hidden; } - .md-typeset .codehilitetable tbody, - .md-typeset .codehilitetable td { - display: block; - padding: 0; } - .md-typeset .codehilitetable tr { - display: -webkit-box; - display: -ms-flexbox; - display: flex; } - .md-typeset .codehilitetable .codehilite, - .md-typeset .codehilitetable .linenodiv { - margin: 0; - border-radius: 0; } - .md-typeset .codehilitetable .linenodiv { - padding: 1rem 1.2rem 0.8rem; } - .md-typeset .codehilitetable .linenodiv, - .md-typeset .codehilitetable .linenodiv > pre { - height: 100%; } - .md-typeset .codehilitetable .linenos { - background-color: rgba(0, 0, 0, 0.07); - color: rgba(0, 0, 0, 0.26); - -webkit-user-select: none; - -moz-user-select: none; - -ms-user-select: none; - user-select: none; } - .md-typeset .codehilitetable .linenos pre { - margin: 0; - padding: 0; - background-color: transparent; - color: inherit; - text-align: right; } - .md-typeset .codehilitetable .code { - -webkit-box-flex: 1; - -ms-flex: 1; - flex: 1; - overflow: hidden; } - -.md-typeset > .codehilitetable { - box-shadow: none; } - -.md-typeset .footnote { - color: rgba(0, 0, 0, 0.54); - font-size: 1.28rem; } - .md-typeset .footnote ol { - margin-left: 0; } - .md-typeset .footnote li { - -webkit-transition: color 0.25s; - transition: color 0.25s; } - .md-typeset .footnote li::before { - display: block; - height: 0; } - .md-typeset .footnote li:target { - color: rgba(0, 0, 0, 0.87); } - .md-typeset .footnote li:target::before { - margin-top: -9rem; - padding-top: 9rem; - pointer-events: none; } - .md-typeset .footnote li :first-child { - margin-top: 0; } - .md-typeset .footnote li:hover .footnote-backref, - .md-typeset .footnote li:target .footnote-backref, -.md-typeset .footnote li.\:hover .footnote-backref { - -webkit-transform: translateX(0); - transform: translateX(0); - opacity: 1; } - .md-typeset .footnote li:hover .footnote-backref:hover, - .md-typeset .footnote li:target .footnote-backref, -.md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #536dfe; } - -.md-typeset .footnote-backref { - display: inline-block; - -webkit-transform: translateX(0.5rem); - transform: translateX(0.5rem); - -webkit-transition: color 0.25s, opacity 0.125s 0.125s, -webkit-transform 0.25s 0.125s; - transition: color 0.25s, opacity 0.125s 0.125s, -webkit-transform 0.25s 0.125s; - transition: transform 0.25s 0.125s, color 0.25s, opacity 0.125s 0.125s; - transition: transform 0.25s 0.125s, color 0.25s, opacity 0.125s 0.125s, -webkit-transform 0.25s 0.125s; - color: rgba(0, 0, 0, 0.26); - font-size: 0; - opacity: 0; - vertical-align: text-bottom; } - .md-typeset .footnote-backref::before { - font-size: 1.6rem; - content: "keyboard_return"; } - -.md-typeset .headerlink { - display: inline-block; - margin-left: 1rem; - -webkit-transform: translate(0, 0.5rem); - transform: translate(0, 0.5rem); - -webkit-transition: color 0.25s, opacity 0.125s 0.25s, -webkit-transform 0.25s 0.25s; - transition: color 0.25s, opacity 0.125s 0.25s, -webkit-transform 0.25s 0.25s; - transition: transform 0.25s 0.25s, color 0.25s, opacity 0.125s 0.25s; - transition: transform 0.25s 0.25s, color 0.25s, opacity 0.125s 0.25s, -webkit-transform 0.25s 0.25s; - opacity: 0; } - html body .md-typeset .headerlink { - color: rgba(0, 0, 0, 0.26); } - -.md-typeset [id]::before { - display: inline-block; - content: ""; } - -.md-typeset [id]:target::before { - margin-top: -9.8rem; - padding-top: 9.8rem; } - -.md-typeset [id]:hover .headerlink, -.md-typeset [id]:target .headerlink, -.md-typeset [id] .headerlink:focus, -.md-typeset [id].\:hover .headerlink, -.md-typeset [id] .headerlink.\:focus { - -webkit-transform: translate(0, 0); - transform: translate(0, 0); - opacity: 1; } - -.md-typeset [id]:hover .headerlink:hover, -.md-typeset [id]:target .headerlink, -.md-typeset [id] .headerlink:focus, -.md-typeset [id].\:hover .headerlink.\:hover, -.md-typeset [id] .headerlink.\:focus { - color: #536dfe; } - -.md-typeset h1[id] { - padding-top: 0.8rem; } - .md-typeset h1[id].headerlink { - display: none; } - -.md-typeset h2[id]::before { - display: block; - margin-top: -0.4rem; - padding-top: 0.4rem; } - -.md-typeset h2[id]:target::before { - margin-top: -8.4rem; - padding-top: 8.4rem; } - -.md-typeset h3[id]::before { - display: block; - margin-top: -0.7rem; - padding-top: 0.7rem; } - -.md-typeset h3[id]:target::before { - margin-top: -8.7rem; - padding-top: 8.7rem; } - -.md-typeset h4[id]::before { - display: block; - margin-top: -0.8rem; - padding-top: 0.8rem; } - -.md-typeset h4[id]:target::before { - margin-top: -8.8rem; - padding-top: 8.8rem; } - -.md-typeset h5[id]::before { - display: block; - margin-top: -1.1rem; - padding-top: 1.1rem; } - -.md-typeset h5[id]:target::before { - margin-top: -9.1rem; - padding-top: 9.1rem; } - -.md-typeset h6[id]::before { - display: block; - margin-top: -1.1rem; - padding-top: 1.1rem; } - -.md-typeset h6[id]:target::before { - margin-top: -9.1rem; - padding-top: 9.1rem; } - -.md-typeset .MJXc-display { - margin: 0.75em 0; - padding: 0.25em 0; - overflow: auto; - -webkit-overflow-scrolling: touch; } - -.md-typeset .MathJax_CHTML { - outline: 0; } - -.md-typeset del.critic, -.md-typeset ins.critic, -.md-typeset .comment.critic { - margin: 0 0.25em; - padding: 0.0625em 0; - border-radius: 0.2rem; - -webkit-box-decoration-break: clone; - box-decoration-break: clone; } - -.md-typeset del.critic { - background-color: #FFDDDD; - box-shadow: 0.25em 0 0 #FFDDDD, -0.25em 0 0 #FFDDDD; } - -.md-typeset ins.critic { - background-color: #DDFFDD; - box-shadow: 0.25em 0 0 #DDFFDD, -0.25em 0 0 #DDFFDD; } - -.md-typeset .critic.comment { - background-color: rgba(236, 236, 236, 0.5); - color: #37474F; - box-shadow: 0.25em 0 0 rgba(236, 236, 236, 0.5), -0.25em 0 0 rgba(236, 236, 236, 0.5); } - .md-typeset .critic.comment::before { - padding-right: 0.125em; - color: rgba(0, 0, 0, 0.26); - content: "chat"; - vertical-align: -0.125em; } - -.md-typeset .critic.block { - display: block; - margin: 1em 0; - padding-right: 1.6rem; - padding-left: 1.6rem; - box-shadow: none; } - .md-typeset .critic.block :first-child { - margin-top: 0.5em; } - .md-typeset .critic.block :last-child { - margin-bottom: 0.5em; } - -.md-typeset .emojione { - width: 2rem; - vertical-align: text-top; } - -.md-typeset code.codehilite { - margin: 0 0.29412em; - padding: 0.07353em 0; } - -.md-typeset .task-list-item { - position: relative; - list-style-type: none; } - .md-typeset .task-list-item [type="checkbox"] { - position: absolute; - top: 0.45em; - left: -2em; } - -.md-typeset .task-list-control .task-list-indicator::before { - position: absolute; - top: 0.05em; - left: -1.25em; - color: rgba(0, 0, 0, 0.26); - font-size: 1.5em; - content: "check_box_outline_blank"; - vertical-align: -0.25em; } - -.md-typeset .task-list-control [type="checkbox"]:checked + .task-list-indicator::before { - content: "check_box"; } - -.md-typeset .task-list-control [type="checkbox"] { - opacity: 0; - z-index: -1; } - -@media print { - - .md-typeset a::after { - color: rgba(0, 0, 0, 0.54); - content: " [" attr(href) "]"; } - - .md-typeset code { - box-shadow: none; - -webkit-box-decoration-break: initial; - box-decoration-break: initial; } - - .md-content__edit { - display: none; } - - .md-header { - display: none; } - - .md-footer { - display: none; } - - .md-sidebar { - display: none; } - - .md-typeset .headerlink { - display: none; } } - -@media only screen and (max-width: 44.9375em) { - - .md-typeset pre { - margin: 1em -1.6rem; - padding: 1rem 1.6rem; - border-radius: 0; } - - .md-footer-nav__link--prev .md-footer-nav__title { - display: none; } - - .codehilite .hll { - margin: 0 -1.6rem; - padding: 0 1.6rem; } - - .md-typeset > .codehilite { - margin: 1em -1.6rem; - padding: 1rem 1.6rem 0.8rem; - border-radius: 0; } - - .md-typeset > .codehilitetable { - margin: 1em -1.6rem; - border-radius: 0; } - - .md-typeset > .codehilitetable .codehilite, - .md-typeset > .codehilitetable .linenodiv { - padding: 1rem 1.6rem; } - - .md-typeset > p > .MJXc-display { - margin: 0.75em -1.6rem; - padding: 0.25em 1.6rem; } } - -@media only screen and (min-width: 100em) { - - html { - font-size: 68.75%; } } - -@media only screen and (min-width: 125em) { - - html { - font-size: 75%; } } - -@media only screen and (max-width: 59.9375em) { - - body[data-md-state="lock"] { - overflow: hidden; } - - .ios body[data-md-state="lock"] .md-container { - display: none; } - - .md-content__edit { - margin-right: -0.8rem; } - - .md-nav--secondary { - border-left: 0; } - - html .md-nav__link[for="toc"] { - display: block; - padding-right: 4.8rem; } - - html .md-nav__link[for="toc"]::after { - color: inherit; - content: "toc"; } - - html .md-nav__link[for="toc"] + .md-nav__link { - display: none; } - - html .md-nav__link[for="toc"] ~ .md-nav { - display: -webkit-box; - display: -ms-flexbox; - display: flex; } - - .md-nav__source { - display: block; - padding: 0.4rem; - background-color: rgba(50, 64, 144, 0.9675); - color: white; } - - .md-search__overlay { - display: block; - position: absolute; - top: 0.4rem; - left: 0.4rem; - width: 4rem; - height: 4rem; - -webkit-transform-origin: center; - transform-origin: center; - -webkit-transition: opacity 0.2s 0.2s, -webkit-transform 0.3s 0.1s; - transition: opacity 0.2s 0.2s, -webkit-transform 0.3s 0.1s; - transition: transform 0.3s 0.1s, opacity 0.2s 0.2s; - transition: transform 0.3s 0.1s, opacity 0.2s 0.2s, -webkit-transform 0.3s 0.1s; - border-radius: 2rem; - background-color: white; - opacity: 0; - overflow: hidden; - z-index: 1; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__overlay { - -webkit-transition: opacity 0.1s, -webkit-transform 0.4s; - transition: opacity 0.1s, -webkit-transform 0.4s; - transition: transform 0.4s, opacity 0.1s; - transition: transform 0.4s, opacity 0.1s, -webkit-transform 0.4s; - opacity: 1; } - - .md-search__inner { - position: fixed; - top: 0; - left: 100%; - height: 100%; - -webkit-transform: translateX(5%); - transform: translateX(5%); - -webkit-transition: left 0s 0.3s, opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.4, 0, 0.2, 1); - transition: left 0s 0.3s, opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.4, 0, 0.2, 1); - transition: left 0s 0.3s, transform 0.15s 0.15s cubic-bezier(0.4, 0, 0.2, 1), opacity 0.15s 0.15s; - transition: left 0s 0.3s, transform 0.15s 0.15s cubic-bezier(0.4, 0, 0.2, 1), opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.4, 0, 0.2, 1); - opacity: 0; - z-index: 2; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__inner { - left: 0; - -webkit-transform: translateX(0); - transform: translateX(0); - -webkit-transition: left 0s 0s, opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.1, 0.7, 0.1, 1); - transition: left 0s 0s, opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.1, 0.7, 0.1, 1); - transition: left 0s 0s, transform 0.15s 0.15s cubic-bezier(0.1, 0.7, 0.1, 1), opacity 0.15s 0.15s; - transition: left 0s 0s, transform 0.15s 0.15s cubic-bezier(0.1, 0.7, 0.1, 1), opacity 0.15s 0.15s, -webkit-transform 0.15s 0.15s cubic-bezier(0.1, 0.7, 0.1, 1); - opacity: 1; } - - .md-search__input { - width: 100%; - height: 5.6rem; - font-size: 1.8rem; } - - .md-search__icon { - top: 1.6rem; - left: 1.6rem; } - - .md-search__icon::before { - content: "arrow_back"; } - - .md-search__output { - top: 5.6rem; - bottom: 0; } } - -@media only screen and (max-width: 76.1875em) { - - [data-md-toggle="drawer"]:checked ~ .md-overlay { - width: 100%; - height: 100%; - -webkit-transition: width 0s, height 0s, opacity 0.25s; - transition: width 0s, height 0s, opacity 0.25s; - opacity: 1; } - - .md-header-nav__button.md-icon--home, .md-header-nav__button.md-logo { - display: none; } - - .md-nav { - background-color: white; } - - .md-nav--primary, - .md-nav--primary .md-nav { - display: -webkit-box; - display: -ms-flexbox; - display: flex; - position: absolute; - top: 0; - right: 0; - left: 0; - -webkit-box-orient: vertical; - -webkit-box-direction: normal; - -ms-flex-direction: column; - flex-direction: column; - height: 100%; - z-index: 1; } - - .md-nav--primary .md-nav__title, - .md-nav--primary .md-nav__item { - font-size: 1.6rem; - line-height: 1.5; } - - html .md-nav--primary .md-nav__title { - position: relative; - height: 11.2rem; - padding: 6rem 1.6rem 0.4rem; - background-color: rgba(0, 0, 0, 0.07); - color: rgba(0, 0, 0, 0.54); - font-weight: 400; - line-height: 4.8rem; - white-space: nowrap; - cursor: pointer; } - - html .md-nav--primary .md-nav__title::before { - display: block; - position: absolute; - top: 0.4rem; - left: 0.4rem; - width: 4rem; - height: 4rem; - color: rgba(0, 0, 0, 0.54); } - - html .md-nav--primary .md-nav__title ~ .md-nav__list { - background: -webkit-linear-gradient(top, white 10%, rgba(255, 255, 255, 0)), -webkit-linear-gradient(top, rgba(0, 0, 0, 0.26), rgba(0, 0, 0, 0.07) 35%, transparent 60%); - background: linear-gradient(to bottom, white 10%, rgba(255, 255, 255, 0)), linear-gradient(to bottom, rgba(0, 0, 0, 0.26), rgba(0, 0, 0, 0.07) 35%, transparent 60%); - background-attachment: local, scroll; - background-color: white; - background-repeat: no-repeat; - background-size: 100% 2rem, 100% 1rem; - box-shadow: 0 0.1rem 0 rgba(0, 0, 0, 0.07) inset; } - - html .md-nav--primary .md-nav__title ~ .md-nav__list > .md-nav__item:first-child { - border-top: 0; } - - html .md-nav--primary .md-nav__title--site { - position: relative; - background-color: #3f51b5; - color: white; } - - html .md-nav--primary .md-nav__title--site .md-nav__button { - display: block; - position: absolute; - top: 0.4rem; - left: 0.4rem; - width: 6.4rem; - height: 6.4rem; - font-size: 4.8rem; } - - html .md-nav--primary .md-nav__title--site::before { - display: none; } - - .md-nav--primary .md-nav__list { - -webkit-box-flex: 1; - -ms-flex: 1; - flex: 1; - overflow-y: auto; } - - .md-nav--primary .md-nav__item { - padding: 0; - border-top: 0.1rem solid rgba(0, 0, 0, 0.07); } - - .md-nav--primary .md-nav__item--nested > .md-nav__link { - padding-right: 4.8rem; } - - .md-nav--primary .md-nav__item--nested > .md-nav__link::after { - content: "keyboard_arrow_right"; } - - .md-nav--primary .md-nav__link { - position: relative; - padding: 1.6rem; } - - .md-nav--primary .md-nav__link::after { - position: absolute; - top: 50%; - right: 1.2rem; - margin-top: -1.2rem; - color: rgba(0, 0, 0, 0.54); - font-size: 2.4rem; } - - .md-nav--primary .md-nav__link:focus::after, .md-nav--primary .md-nav__link:hover::after, -.md-nav--primary .md-nav__link.\:focus::after, -.md-nav--primary .md-nav__link.\:hover::after { - color: inherit; } - - .md-nav--primary .md-nav--secondary .md-nav { - position: static; } - - .md-nav--primary .md-nav--secondary .md-nav .md-nav__link { - padding-left: 2.8rem; } - - .md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav__link { - padding-left: 4rem; } - - .md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav .md-nav__link { - padding-left: 5.2rem; } - - .md-nav--primary .md-nav--secondary .md-nav .md-nav .md-nav .md-nav .md-nav__link { - padding-left: 6.4rem; } - - .md-nav__toggle ~ .md-nav { - display: none; } - - .csstransforms3d .md-nav__toggle ~ .md-nav { - display: -webkit-box; - display: -ms-flexbox; - display: flex; - -webkit-transform: translateX(100%); - transform: translateX(100%); - -webkit-transition: opacity 0.125s 0.05s, -webkit-transform 0.25s cubic-bezier(0.8, 0, 0.6, 1); - transition: opacity 0.125s 0.05s, -webkit-transform 0.25s cubic-bezier(0.8, 0, 0.6, 1); - transition: transform 0.25s cubic-bezier(0.8, 0, 0.6, 1), opacity 0.125s 0.05s; - transition: transform 0.25s cubic-bezier(0.8, 0, 0.6, 1), opacity 0.125s 0.05s, -webkit-transform 0.25s cubic-bezier(0.8, 0, 0.6, 1); - opacity: 0; } - - .md-nav__toggle:checked ~ .md-nav { - display: -webkit-box; - display: -ms-flexbox; - display: flex; } - - .csstransforms3d .md-nav__toggle:checked ~ .md-nav { - -webkit-transform: translateX(0); - transform: translateX(0); - -webkit-transition: opacity 0.125s 0.125s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - transition: opacity 0.125s 0.125s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - transition: transform 0.25s cubic-bezier(0.4, 0, 0.2, 1), opacity 0.125s 0.125s; - transition: transform 0.25s cubic-bezier(0.4, 0, 0.2, 1), opacity 0.125s 0.125s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - opacity: 1; } - - .md-sidebar--primary { - position: fixed; - top: 0; - left: -24.2rem; - width: 24.2rem; - height: 100%; - -webkit-transform: translateX(0); - transform: translateX(0); - -webkit-transition: box-shadow 0.25s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - transition: box-shadow 0.25s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - transition: transform 0.25s cubic-bezier(0.4, 0, 0.2, 1), box-shadow 0.25s; - transition: transform 0.25s cubic-bezier(0.4, 0, 0.2, 1), box-shadow 0.25s, -webkit-transform 0.25s cubic-bezier(0.4, 0, 0.2, 1); - background-color: white; - z-index: 2; } - - .no-csstransforms3d .md-sidebar--primary { - display: none; } - - [data-md-toggle="drawer"]:checked ~ .md-container .md-sidebar--primary { - box-shadow: 0 8px 10px 1px rgba(0, 0, 0, 0.14), 0 3px 14px 2px rgba(0, 0, 0, 0.12), 0 5px 5px -3px rgba(0, 0, 0, 0.4); - -webkit-transform: translateX(24.2rem); - transform: translateX(24.2rem); } - - .no-csstransforms3d [data-md-toggle="drawer"]:checked ~ .md-container .md-sidebar--primary { - display: block; } - - .md-sidebar--primary .md-sidebar__scrollwrap { - overflow: hidden; } - - .md-sidebar--primary .md-sidebar__scrollwrap { - position: absolute; - top: 0; - right: 0; - bottom: 0; - left: 0; - margin: 0; } } - -@media only screen and (min-width: 60em) { - - .md-content { - margin-right: 24.2rem; } - - .md-header-nav__button.md-icon--search { - display: none; } - - .md-header-nav__source { - display: block; - width: 23rem; - max-width: 23rem; - padding-right: 1.2rem; } - - .md-search { - margin-right: 2.8rem; - padding: 0.4rem; } - - .md-search__inner { - display: table; - position: relative; - clear: both; } - - .md-search__form { - width: 23rem; - float: right; - -webkit-transition: width 0.25s cubic-bezier(0.1, 0.7, 0.1, 1); - transition: width 0.25s cubic-bezier(0.1, 0.7, 0.1, 1); - border-radius: 0.2rem; } - - .md-search__input { - width: 100%; - height: 4rem; - padding-left: 4.8rem; - -webkit-transition: background-color 0.25s, color 0.25s; - transition: background-color 0.25s, color 0.25s; - border-radius: 0.2rem; - background-color: rgba(0, 0, 0, 0.26); - color: white; - font-size: 1.6rem; } - - .md-search__input + .md-search__icon, .md-search__input::-webkit-input-placeholder { - -webkit-transition: color 0.25s; - transition: color 0.25s; - color: white; } - - .md-search__input + .md-search__icon, .md-search__input::-moz-placeholder { - -webkit-transition: color 0.25s; - transition: color 0.25s; - color: white; } - - .md-search__input + .md-search__icon, .md-search__input:-ms-input-placeholder { - -webkit-transition: color 0.25s; - transition: color 0.25s; - color: white; } - - .md-search__input + .md-search__icon, .md-search__input::placeholder { - -webkit-transition: color 0.25s; - transition: color 0.25s; - color: white; } - - .md-search__input:hover, -.md-search__input.\:hover { - background-color: rgba(255, 255, 255, 0.12); } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__input { - border-radius: 0.2rem 0.2rem 0 0; - background-color: white; - color: rgba(0, 0, 0, 0.87); - text-overflow: none; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__input + .md-search__icon, [data-md-toggle="search"]:checked ~ .md-header .md-search__input::-webkit-input-placeholder { - color: rgba(0, 0, 0, 0.54); } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__input + .md-search__icon, [data-md-toggle="search"]:checked ~ .md-header .md-search__input::-moz-placeholder { - color: rgba(0, 0, 0, 0.54); } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__input + .md-search__icon, [data-md-toggle="search"]:checked ~ .md-header .md-search__input:-ms-input-placeholder { - color: rgba(0, 0, 0, 0.54); } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__input + .md-search__icon, [data-md-toggle="search"]:checked ~ .md-header .md-search__input::placeholder { - color: rgba(0, 0, 0, 0.54); } - - .md-search__output { - top: 4rem; - -webkit-transition: opacity 0.4s; - transition: opacity 0.4s; - opacity: 0; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__output { - box-shadow: 0 6px 10px 0 rgba(0, 0, 0, 0.14), 0 1px 18px 0 rgba(0, 0, 0, 0.12), 0 3px 5px -1px rgba(0, 0, 0, 0.4); - opacity: 1; } - - .md-search__scrollwrap { - max-height: 0; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__scrollwrap { - max-height: 75vh; } - - .md-search__scrollwrap::-webkit-scrollbar { - width: 0.4rem; - height: 0.4rem; } - - .md-search__scrollwrap::-webkit-scrollbar-thumb { - background-color: rgba(0, 0, 0, 0.26); } - - .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -.md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - - .md-search-result__meta { - padding-left: 4.8rem; } - - .md-search-result__link { - padding-left: 4.8rem; } - - .md-sidebar--secondary { - display: block; - float: right; } - - .md-sidebar--secondary[data-md-state="lock"] { - margin-left: 100%; - -webkit-transform: translate(-100%, 0); - transform: translate(-100%, 0); } } - -@media only screen and (min-width: 76.25em) { - - .md-content { - margin-left: 24.2rem; - overflow: auto; } - - .md-content__inner { - margin: 2.4rem; } - - .md-header-nav__button.md-icon--menu { - display: none; } - - .md-nav[data-md-state="animate"] { - -webkit-transition: max-height 0.25s cubic-bezier(0.86, 0, 0.07, 1); - transition: max-height 0.25s cubic-bezier(0.86, 0, 0.07, 1); } - - .md-nav__toggle ~ .md-nav { - max-height: 0; - overflow: hidden; } - - .md-nav__toggle:checked ~ .md-nav, .md-nav[data-md-state="expand"] { - max-height: 100%; } - - .md-nav__item--nested > .md-nav > .md-nav__title { - display: none; } - - .md-nav__item--nested > .md-nav__link::after { - display: inline-block; - -webkit-transform-origin: 0.45em 0.45em; - transform-origin: 0.45em 0.45em; - -webkit-transform-style: preserve-3d; - transform-style: preserve-3d; - vertical-align: -0.125em; } - - .js .md-nav__item--nested > .md-nav__link::after { - -webkit-transition: -webkit-transform 0.4s; - transition: -webkit-transform 0.4s; - transition: transform 0.4s; - transition: transform 0.4s, -webkit-transform 0.4s; } - - .md-nav__item--nested .md-nav__toggle:checked ~ .md-nav__link::after { - -webkit-transform: rotateX(180deg); - transform: rotateX(180deg); } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__form { - width: 68.8rem; } - - .md-search__scrollwrap { - width: 68.8rem; } - - .md-sidebar__inner { - border-right: 0.1rem solid rgba(0, 0, 0, 0.07); } } - -@media only screen and (max-width: 29.9375em) { - - .md-header-nav__parent { - display: none; } - - [data-md-toggle="search"]:checked ~ .md-header .md-search__overlay { - -webkit-transform: scale(45); - transform: scale(45); } } - -@media only screen and (min-width: 45em) { - - .md-footer-nav__link { - width: 50%; } - - .md-footer-copyright { - max-width: 75%; - float: left; } - - .md-footer-social { - padding: 1.2rem 0; - float: right; } } - -@media only screen and (min-width: 30em) and (max-width: 44.9375em) { - - [data-md-toggle="search"]:checked ~ .md-header .md-search__overlay { - -webkit-transform: scale(60); - transform: scale(60); } } - -@media only screen and (min-width: 45em) and (max-width: 59.9375em) { - - [data-md-toggle="search"]:checked ~ .md-header .md-search__overlay { - -webkit-transform: scale(75); - transform: scale(75); } } - -@media only screen and (min-width: 60em) and (max-width: 76.1875em) { - - [data-md-toggle="search"]:checked ~ .md-header .md-search__form { - width: 46.8rem; } - - .md-search__scrollwrap { - width: 46.8rem; } } - -@media only screen and (min-width: 60em) and (min-width: 76.25em) { - - .md-sidebar--secondary[data-md-state="lock"] { - margin-left: 122rem; } } diff --git a/material/assets/stylesheets/application.palette.css b/material/assets/stylesheets/application.palette.css deleted file mode 100644 index be086bc63..000000000 --- a/material/assets/stylesheets/application.palette.css +++ /dev/null @@ -1,1056 +0,0 @@ -button[data-md-color-primary], -button[data-md-color-accent] { - width: 13rem; - margin-bottom: 0.4rem; - padding: 2.4rem 0.8rem 0.4rem; - -webkit-transition: background-color 0.25s, opacity 0.25s; - transition: background-color 0.25s, opacity 0.25s; - border-radius: 0.2rem; - color: white; - font-size: 1.28rem; - text-align: left; - cursor: pointer; } - button[data-md-color-primary]:hover, - button[data-md-color-accent]:hover, -button[data-md-color-primary].\:hover, -button[data-md-color-accent].\:hover { - opacity: 0.75; } - -button[data-md-color-primary="red"] { - background-color: #ef5350; } - -[data-md-color-primary="red"] .md-typeset a { - color: #ef5350; } - -[data-md-color-primary="red"] .md-header { - background-color: #ef5350; } - -[data-md-color-primary="red"] .md-nav__link:active, -[data-md-color-primary="red"] .md-nav__link--active { - color: #ef5350; } - -button[data-md-color-primary="pink"] { - background-color: #e91e63; } - -[data-md-color-primary="pink"] .md-typeset a { - color: #e91e63; } - -[data-md-color-primary="pink"] .md-header { - background-color: #e91e63; } - -[data-md-color-primary="pink"] .md-nav__link:active, -[data-md-color-primary="pink"] .md-nav__link--active { - color: #e91e63; } - -button[data-md-color-primary="purple"] { - background-color: #ab47bc; } - -[data-md-color-primary="purple"] .md-typeset a { - color: #ab47bc; } - -[data-md-color-primary="purple"] .md-header { - background-color: #ab47bc; } - -[data-md-color-primary="purple"] .md-nav__link:active, -[data-md-color-primary="purple"] .md-nav__link--active { - color: #ab47bc; } - -button[data-md-color-primary="deep-purple"] { - background-color: #7e57c2; } - -[data-md-color-primary="deep-purple"] .md-typeset a { - color: #7e57c2; } - -[data-md-color-primary="deep-purple"] .md-header { - background-color: #7e57c2; } - -[data-md-color-primary="deep-purple"] .md-nav__link:active, -[data-md-color-primary="deep-purple"] .md-nav__link--active { - color: #7e57c2; } - -button[data-md-color-primary="indigo"] { - background-color: #3f51b5; } - -[data-md-color-primary="indigo"] .md-typeset a { - color: #3f51b5; } - -[data-md-color-primary="indigo"] .md-header { - background-color: #3f51b5; } - -[data-md-color-primary="indigo"] .md-nav__link:active, -[data-md-color-primary="indigo"] .md-nav__link--active { - color: #3f51b5; } - -button[data-md-color-primary="blue"] { - background-color: #2196f3; } - -[data-md-color-primary="blue"] .md-typeset a { - color: #2196f3; } - -[data-md-color-primary="blue"] .md-header { - background-color: #2196f3; } - -[data-md-color-primary="blue"] .md-nav__link:active, -[data-md-color-primary="blue"] .md-nav__link--active { - color: #2196f3; } - -button[data-md-color-primary="light-blue"] { - background-color: #03a9f4; } - -[data-md-color-primary="light-blue"] .md-typeset a { - color: #03a9f4; } - -[data-md-color-primary="light-blue"] .md-header { - background-color: #03a9f4; } - -[data-md-color-primary="light-blue"] .md-nav__link:active, -[data-md-color-primary="light-blue"] .md-nav__link--active { - color: #03a9f4; } - -button[data-md-color-primary="cyan"] { - background-color: #00bcd4; } - -[data-md-color-primary="cyan"] .md-typeset a { - color: #00bcd4; } - -[data-md-color-primary="cyan"] .md-header { - background-color: #00bcd4; } - -[data-md-color-primary="cyan"] .md-nav__link:active, -[data-md-color-primary="cyan"] .md-nav__link--active { - color: #00bcd4; } - -button[data-md-color-primary="teal"] { - background-color: #009688; } - -[data-md-color-primary="teal"] .md-typeset a { - color: #009688; } - -[data-md-color-primary="teal"] .md-header { - background-color: #009688; } - -[data-md-color-primary="teal"] .md-nav__link:active, -[data-md-color-primary="teal"] .md-nav__link--active { - color: #009688; } - -button[data-md-color-primary="green"] { - background-color: #4caf50; } - -[data-md-color-primary="green"] .md-typeset a { - color: #4caf50; } - -[data-md-color-primary="green"] .md-header { - background-color: #4caf50; } - -[data-md-color-primary="green"] .md-nav__link:active, -[data-md-color-primary="green"] .md-nav__link--active { - color: #4caf50; } - -button[data-md-color-primary="light-green"] { - background-color: #7cb342; } - -[data-md-color-primary="light-green"] .md-typeset a { - color: #7cb342; } - -[data-md-color-primary="light-green"] .md-header { - background-color: #7cb342; } - -[data-md-color-primary="light-green"] .md-nav__link:active, -[data-md-color-primary="light-green"] .md-nav__link--active { - color: #7cb342; } - -button[data-md-color-primary="lime"] { - background-color: #c0ca33; } - -[data-md-color-primary="lime"] .md-typeset a { - color: #c0ca33; } - -[data-md-color-primary="lime"] .md-header { - background-color: #c0ca33; } - -[data-md-color-primary="lime"] .md-nav__link:active, -[data-md-color-primary="lime"] .md-nav__link--active { - color: #c0ca33; } - -button[data-md-color-primary="yellow"] { - background-color: #f9a825; } - -[data-md-color-primary="yellow"] .md-typeset a { - color: #f9a825; } - -[data-md-color-primary="yellow"] .md-header { - background-color: #f9a825; } - -[data-md-color-primary="yellow"] .md-nav__link:active, -[data-md-color-primary="yellow"] .md-nav__link--active { - color: #f9a825; } - -button[data-md-color-primary="amber"] { - background-color: #ffb300; } - -[data-md-color-primary="amber"] .md-typeset a { - color: #ffb300; } - -[data-md-color-primary="amber"] .md-header { - background-color: #ffb300; } - -[data-md-color-primary="amber"] .md-nav__link:active, -[data-md-color-primary="amber"] .md-nav__link--active { - color: #ffb300; } - -button[data-md-color-primary="orange"] { - background-color: #fb8c00; } - -[data-md-color-primary="orange"] .md-typeset a { - color: #fb8c00; } - -[data-md-color-primary="orange"] .md-header { - background-color: #fb8c00; } - -[data-md-color-primary="orange"] .md-nav__link:active, -[data-md-color-primary="orange"] .md-nav__link--active { - color: #fb8c00; } - -button[data-md-color-primary="deep-orange"] { - background-color: #ff7043; } - -[data-md-color-primary="deep-orange"] .md-typeset a { - color: #ff7043; } - -[data-md-color-primary="deep-orange"] .md-header { - background-color: #ff7043; } - -[data-md-color-primary="deep-orange"] .md-nav__link:active, -[data-md-color-primary="deep-orange"] .md-nav__link--active { - color: #ff7043; } - -button[data-md-color-primary="brown"] { - background-color: #795548; } - -[data-md-color-primary="brown"] .md-typeset a { - color: #795548; } - -[data-md-color-primary="brown"] .md-header { - background-color: #795548; } - -[data-md-color-primary="brown"] .md-nav__link:active, -[data-md-color-primary="brown"] .md-nav__link--active { - color: #795548; } - -button[data-md-color-primary="grey"] { - background-color: #757575; } - -[data-md-color-primary="grey"] .md-typeset a { - color: #757575; } - -[data-md-color-primary="grey"] .md-header { - background-color: #757575; } - -[data-md-color-primary="grey"] .md-nav__link:active, -[data-md-color-primary="grey"] .md-nav__link--active { - color: #757575; } - -button[data-md-color-primary="blue-grey"] { - background-color: #546e7a; } - -[data-md-color-primary="blue-grey"] .md-typeset a { - color: #546e7a; } - -[data-md-color-primary="blue-grey"] .md-header { - background-color: #546e7a; } - -[data-md-color-primary="blue-grey"] .md-nav__link:active, -[data-md-color-primary="blue-grey"] .md-nav__link--active { - color: #546e7a; } - -button[data-md-color-accent="red"] { - background-color: #ff1744; } - -[data-md-color-accent="red"] .md-typeset a:hover, -[data-md-color-accent="red"] .md-typeset a:active, -[data-md-color-accent="red"] .md-typeset a.\:hover { - color: #ff1744; } - -[data-md-color-accent="red"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="red"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="red"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="red"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #ff1744; } - -[data-md-color-accent="red"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="red"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="red"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #ff1744; } - -[data-md-color-accent="red"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="red"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="red"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="red"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="red"] .md-typeset [id] .headerlink.\:focus { - color: #ff1744; } - -[data-md-color-accent="red"] .md-nav__link:hover, -[data-md-color-accent="red"] .md-nav__link.\:hover { - color: #ff1744; } - -[data-md-color-accent="red"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="red"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff1744; } - -[data-md-color-accent="red"] .md-search-result__link:hover, -[data-md-color-accent="red"] .md-search-result__link.\:hover { - background-color: rgba(255, 23, 68, 0.1); } - -[data-md-color-accent="red"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="red"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff1744; } - -button[data-md-color-accent="pink"] { - background-color: #f50057; } - -[data-md-color-accent="pink"] .md-typeset a:hover, -[data-md-color-accent="pink"] .md-typeset a:active, -[data-md-color-accent="pink"] .md-typeset a.\:hover { - color: #f50057; } - -[data-md-color-accent="pink"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="pink"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="pink"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="pink"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #f50057; } - -[data-md-color-accent="pink"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="pink"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="pink"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #f50057; } - -[data-md-color-accent="pink"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="pink"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="pink"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="pink"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="pink"] .md-typeset [id] .headerlink.\:focus { - color: #f50057; } - -[data-md-color-accent="pink"] .md-nav__link:hover, -[data-md-color-accent="pink"] .md-nav__link.\:hover { - color: #f50057; } - -[data-md-color-accent="pink"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="pink"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #f50057; } - -[data-md-color-accent="pink"] .md-search-result__link:hover, -[data-md-color-accent="pink"] .md-search-result__link.\:hover { - background-color: rgba(245, 0, 87, 0.1); } - -[data-md-color-accent="pink"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="pink"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #f50057; } - -button[data-md-color-accent="purple"] { - background-color: #e040fb; } - -[data-md-color-accent="purple"] .md-typeset a:hover, -[data-md-color-accent="purple"] .md-typeset a:active, -[data-md-color-accent="purple"] .md-typeset a.\:hover { - color: #e040fb; } - -[data-md-color-accent="purple"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="purple"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="purple"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="purple"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #e040fb; } - -[data-md-color-accent="purple"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="purple"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="purple"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #e040fb; } - -[data-md-color-accent="purple"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="purple"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="purple"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="purple"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="purple"] .md-typeset [id] .headerlink.\:focus { - color: #e040fb; } - -[data-md-color-accent="purple"] .md-nav__link:hover, -[data-md-color-accent="purple"] .md-nav__link.\:hover { - color: #e040fb; } - -[data-md-color-accent="purple"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="purple"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #e040fb; } - -[data-md-color-accent="purple"] .md-search-result__link:hover, -[data-md-color-accent="purple"] .md-search-result__link.\:hover { - background-color: rgba(224, 64, 251, 0.1); } - -[data-md-color-accent="purple"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="purple"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #e040fb; } - -button[data-md-color-accent="deep-purple"] { - background-color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-typeset a:hover, -[data-md-color-accent="deep-purple"] .md-typeset a:active, -[data-md-color-accent="deep-purple"] .md-typeset a.\:hover { - color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-purple"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-purple"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="deep-purple"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="deep-purple"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="deep-purple"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="deep-purple"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="deep-purple"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="deep-purple"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="deep-purple"] .md-typeset [id] .headerlink.\:focus { - color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-nav__link:hover, -[data-md-color-accent="deep-purple"] .md-nav__link.\:hover { - color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-purple"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #7c4dff; } - -[data-md-color-accent="deep-purple"] .md-search-result__link:hover, -[data-md-color-accent="deep-purple"] .md-search-result__link.\:hover { - background-color: rgba(124, 77, 255, 0.1); } - -[data-md-color-accent="deep-purple"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-purple"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #7c4dff; } - -button[data-md-color-accent="indigo"] { - background-color: #536dfe; } - -[data-md-color-accent="indigo"] .md-typeset a:hover, -[data-md-color-accent="indigo"] .md-typeset a:active, -[data-md-color-accent="indigo"] .md-typeset a.\:hover { - color: #536dfe; } - -[data-md-color-accent="indigo"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="indigo"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="indigo"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="indigo"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - -[data-md-color-accent="indigo"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="indigo"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="indigo"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #536dfe; } - -[data-md-color-accent="indigo"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="indigo"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="indigo"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="indigo"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="indigo"] .md-typeset [id] .headerlink.\:focus { - color: #536dfe; } - -[data-md-color-accent="indigo"] .md-nav__link:hover, -[data-md-color-accent="indigo"] .md-nav__link.\:hover { - color: #536dfe; } - -[data-md-color-accent="indigo"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="indigo"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - -[data-md-color-accent="indigo"] .md-search-result__link:hover, -[data-md-color-accent="indigo"] .md-search-result__link.\:hover { - background-color: rgba(83, 109, 254, 0.1); } - -[data-md-color-accent="indigo"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="indigo"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #536dfe; } - -button[data-md-color-accent="blue"] { - background-color: #448aff; } - -[data-md-color-accent="blue"] .md-typeset a:hover, -[data-md-color-accent="blue"] .md-typeset a:active, -[data-md-color-accent="blue"] .md-typeset a.\:hover { - color: #448aff; } - -[data-md-color-accent="blue"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="blue"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="blue"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="blue"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #448aff; } - -[data-md-color-accent="blue"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="blue"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="blue"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #448aff; } - -[data-md-color-accent="blue"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="blue"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="blue"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="blue"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="blue"] .md-typeset [id] .headerlink.\:focus { - color: #448aff; } - -[data-md-color-accent="blue"] .md-nav__link:hover, -[data-md-color-accent="blue"] .md-nav__link.\:hover { - color: #448aff; } - -[data-md-color-accent="blue"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="blue"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #448aff; } - -[data-md-color-accent="blue"] .md-search-result__link:hover, -[data-md-color-accent="blue"] .md-search-result__link.\:hover { - background-color: rgba(68, 138, 255, 0.1); } - -[data-md-color-accent="blue"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="blue"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #448aff; } - -button[data-md-color-accent="light-blue"] { - background-color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-typeset a:hover, -[data-md-color-accent="light-blue"] .md-typeset a:active, -[data-md-color-accent="light-blue"] .md-typeset a.\:hover { - color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-blue"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-blue"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="light-blue"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="light-blue"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="light-blue"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="light-blue"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="light-blue"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="light-blue"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="light-blue"] .md-typeset [id] .headerlink.\:focus { - color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-nav__link:hover, -[data-md-color-accent="light-blue"] .md-nav__link.\:hover { - color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-blue"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #0091ea; } - -[data-md-color-accent="light-blue"] .md-search-result__link:hover, -[data-md-color-accent="light-blue"] .md-search-result__link.\:hover { - background-color: rgba(0, 145, 234, 0.1); } - -[data-md-color-accent="light-blue"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-blue"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #0091ea; } - -button[data-md-color-accent="cyan"] { - background-color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-typeset a:hover, -[data-md-color-accent="cyan"] .md-typeset a:active, -[data-md-color-accent="cyan"] .md-typeset a.\:hover { - color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="cyan"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="cyan"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="cyan"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="cyan"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="cyan"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="cyan"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="cyan"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="cyan"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="cyan"] .md-typeset [id] .headerlink.\:focus { - color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-nav__link:hover, -[data-md-color-accent="cyan"] .md-nav__link.\:hover { - color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="cyan"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00b8d4; } - -[data-md-color-accent="cyan"] .md-search-result__link:hover, -[data-md-color-accent="cyan"] .md-search-result__link.\:hover { - background-color: rgba(0, 184, 212, 0.1); } - -[data-md-color-accent="cyan"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="cyan"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00b8d4; } - -button[data-md-color-accent="teal"] { - background-color: #00bfa5; } - -[data-md-color-accent="teal"] .md-typeset a:hover, -[data-md-color-accent="teal"] .md-typeset a:active, -[data-md-color-accent="teal"] .md-typeset a.\:hover { - color: #00bfa5; } - -[data-md-color-accent="teal"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="teal"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="teal"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="teal"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #00bfa5; } - -[data-md-color-accent="teal"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="teal"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="teal"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #00bfa5; } - -[data-md-color-accent="teal"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="teal"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="teal"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="teal"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="teal"] .md-typeset [id] .headerlink.\:focus { - color: #00bfa5; } - -[data-md-color-accent="teal"] .md-nav__link:hover, -[data-md-color-accent="teal"] .md-nav__link.\:hover { - color: #00bfa5; } - -[data-md-color-accent="teal"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="teal"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00bfa5; } - -[data-md-color-accent="teal"] .md-search-result__link:hover, -[data-md-color-accent="teal"] .md-search-result__link.\:hover { - background-color: rgba(0, 191, 165, 0.1); } - -[data-md-color-accent="teal"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="teal"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00bfa5; } - -button[data-md-color-accent="green"] { - background-color: #00c853; } - -[data-md-color-accent="green"] .md-typeset a:hover, -[data-md-color-accent="green"] .md-typeset a:active, -[data-md-color-accent="green"] .md-typeset a.\:hover { - color: #00c853; } - -[data-md-color-accent="green"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="green"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="green"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="green"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #00c853; } - -[data-md-color-accent="green"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="green"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="green"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #00c853; } - -[data-md-color-accent="green"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="green"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="green"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="green"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="green"] .md-typeset [id] .headerlink.\:focus { - color: #00c853; } - -[data-md-color-accent="green"] .md-nav__link:hover, -[data-md-color-accent="green"] .md-nav__link.\:hover { - color: #00c853; } - -[data-md-color-accent="green"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="green"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00c853; } - -[data-md-color-accent="green"] .md-search-result__link:hover, -[data-md-color-accent="green"] .md-search-result__link.\:hover { - background-color: rgba(0, 200, 83, 0.1); } - -[data-md-color-accent="green"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="green"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #00c853; } - -button[data-md-color-accent="light-green"] { - background-color: #64dd17; } - -[data-md-color-accent="light-green"] .md-typeset a:hover, -[data-md-color-accent="light-green"] .md-typeset a:active, -[data-md-color-accent="light-green"] .md-typeset a.\:hover { - color: #64dd17; } - -[data-md-color-accent="light-green"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-green"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-green"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="light-green"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #64dd17; } - -[data-md-color-accent="light-green"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="light-green"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="light-green"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #64dd17; } - -[data-md-color-accent="light-green"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="light-green"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="light-green"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="light-green"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="light-green"] .md-typeset [id] .headerlink.\:focus { - color: #64dd17; } - -[data-md-color-accent="light-green"] .md-nav__link:hover, -[data-md-color-accent="light-green"] .md-nav__link.\:hover { - color: #64dd17; } - -[data-md-color-accent="light-green"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-green"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #64dd17; } - -[data-md-color-accent="light-green"] .md-search-result__link:hover, -[data-md-color-accent="light-green"] .md-search-result__link.\:hover { - background-color: rgba(100, 221, 23, 0.1); } - -[data-md-color-accent="light-green"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="light-green"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #64dd17; } - -button[data-md-color-accent="lime"] { - background-color: #aeea00; } - -[data-md-color-accent="lime"] .md-typeset a:hover, -[data-md-color-accent="lime"] .md-typeset a:active, -[data-md-color-accent="lime"] .md-typeset a.\:hover { - color: #aeea00; } - -[data-md-color-accent="lime"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="lime"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="lime"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="lime"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #aeea00; } - -[data-md-color-accent="lime"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="lime"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="lime"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #aeea00; } - -[data-md-color-accent="lime"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="lime"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="lime"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="lime"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="lime"] .md-typeset [id] .headerlink.\:focus { - color: #aeea00; } - -[data-md-color-accent="lime"] .md-nav__link:hover, -[data-md-color-accent="lime"] .md-nav__link.\:hover { - color: #aeea00; } - -[data-md-color-accent="lime"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="lime"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #aeea00; } - -[data-md-color-accent="lime"] .md-search-result__link:hover, -[data-md-color-accent="lime"] .md-search-result__link.\:hover { - background-color: rgba(174, 234, 0, 0.1); } - -[data-md-color-accent="lime"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="lime"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #aeea00; } - -button[data-md-color-accent="yellow"] { - background-color: #ffd600; } - -[data-md-color-accent="yellow"] .md-typeset a:hover, -[data-md-color-accent="yellow"] .md-typeset a:active, -[data-md-color-accent="yellow"] .md-typeset a.\:hover { - color: #ffd600; } - -[data-md-color-accent="yellow"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="yellow"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="yellow"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="yellow"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #ffd600; } - -[data-md-color-accent="yellow"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="yellow"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="yellow"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #ffd600; } - -[data-md-color-accent="yellow"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="yellow"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="yellow"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="yellow"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="yellow"] .md-typeset [id] .headerlink.\:focus { - color: #ffd600; } - -[data-md-color-accent="yellow"] .md-nav__link:hover, -[data-md-color-accent="yellow"] .md-nav__link.\:hover { - color: #ffd600; } - -[data-md-color-accent="yellow"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="yellow"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ffd600; } - -[data-md-color-accent="yellow"] .md-search-result__link:hover, -[data-md-color-accent="yellow"] .md-search-result__link.\:hover { - background-color: rgba(255, 214, 0, 0.1); } - -[data-md-color-accent="yellow"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="yellow"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ffd600; } - -button[data-md-color-accent="amber"] { - background-color: #ffab00; } - -[data-md-color-accent="amber"] .md-typeset a:hover, -[data-md-color-accent="amber"] .md-typeset a:active, -[data-md-color-accent="amber"] .md-typeset a.\:hover { - color: #ffab00; } - -[data-md-color-accent="amber"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="amber"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="amber"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="amber"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #ffab00; } - -[data-md-color-accent="amber"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="amber"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="amber"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #ffab00; } - -[data-md-color-accent="amber"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="amber"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="amber"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="amber"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="amber"] .md-typeset [id] .headerlink.\:focus { - color: #ffab00; } - -[data-md-color-accent="amber"] .md-nav__link:hover, -[data-md-color-accent="amber"] .md-nav__link.\:hover { - color: #ffab00; } - -[data-md-color-accent="amber"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="amber"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ffab00; } - -[data-md-color-accent="amber"] .md-search-result__link:hover, -[data-md-color-accent="amber"] .md-search-result__link.\:hover { - background-color: rgba(255, 171, 0, 0.1); } - -[data-md-color-accent="amber"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="amber"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ffab00; } - -button[data-md-color-accent="orange"] { - background-color: #ff9100; } - -[data-md-color-accent="orange"] .md-typeset a:hover, -[data-md-color-accent="orange"] .md-typeset a:active, -[data-md-color-accent="orange"] .md-typeset a.\:hover { - color: #ff9100; } - -[data-md-color-accent="orange"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="orange"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="orange"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="orange"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #ff9100; } - -[data-md-color-accent="orange"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="orange"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="orange"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #ff9100; } - -[data-md-color-accent="orange"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="orange"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="orange"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="orange"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="orange"] .md-typeset [id] .headerlink.\:focus { - color: #ff9100; } - -[data-md-color-accent="orange"] .md-nav__link:hover, -[data-md-color-accent="orange"] .md-nav__link.\:hover { - color: #ff9100; } - -[data-md-color-accent="orange"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="orange"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff9100; } - -[data-md-color-accent="orange"] .md-search-result__link:hover, -[data-md-color-accent="orange"] .md-search-result__link.\:hover { - background-color: rgba(255, 145, 0, 0.1); } - -[data-md-color-accent="orange"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="orange"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff9100; } - -button[data-md-color-accent="deep-orange"] { - background-color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-typeset a:hover, -[data-md-color-accent="deep-orange"] .md-typeset a:active, -[data-md-color-accent="deep-orange"] .md-typeset a.\:hover { - color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-typeset pre::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-orange"] .md-typeset .codehilite::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-orange"] .md-typeset pre::-webkit-scrollbar-thumb.\:hover, -[data-md-color-accent="deep-orange"] .md-typeset .codehilite::-webkit-scrollbar-thumb.\:hover { - background-color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-typeset .footnote li:hover .footnote-backref:hover, -[data-md-color-accent="deep-orange"] .md-typeset .footnote li:target .footnote-backref, -[data-md-color-accent="deep-orange"] .md-typeset .footnote li.\:hover .footnote-backref.\:hover { - color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-typeset [id]:hover .headerlink:hover, -[data-md-color-accent="deep-orange"] .md-typeset [id]:target .headerlink, -[data-md-color-accent="deep-orange"] .md-typeset [id] .headerlink:focus, -[data-md-color-accent="deep-orange"] .md-typeset [id].\:hover .headerlink.\:hover, -[data-md-color-accent="deep-orange"] .md-typeset [id] .headerlink.\:focus { - color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-nav__link:hover, -[data-md-color-accent="deep-orange"] .md-nav__link.\:hover { - color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-search__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-orange"] .md-search__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff6e40; } - -[data-md-color-accent="deep-orange"] .md-search-result__link:hover, -[data-md-color-accent="deep-orange"] .md-search-result__link.\:hover { - background-color: rgba(255, 110, 64, 0.1); } - -[data-md-color-accent="deep-orange"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb:hover, -[data-md-color-accent="deep-orange"] .md-sidebar__scrollwrap::-webkit-scrollbar-thumb.\:hover { - background-color: #ff6e40; } - -@media only screen and (max-width: 59.9375em) { - [data-md-color-primary="red"] .md-nav__source { - background-color: rgba(190, 66, 64, 0.9675); } - [data-md-color-primary="pink"] .md-nav__source { - background-color: rgba(185, 24, 79, 0.9675); } - [data-md-color-primary="purple"] .md-nav__source { - background-color: rgba(136, 57, 150, 0.9675); } - [data-md-color-primary="deep-purple"] .md-nav__source { - background-color: rgba(100, 69, 154, 0.9675); } - [data-md-color-primary="indigo"] .md-nav__source { - background-color: rgba(50, 64, 144, 0.9675); } - [data-md-color-primary="blue"] .md-nav__source { - background-color: rgba(26, 119, 193, 0.9675); } - [data-md-color-primary="light-blue"] .md-nav__source { - background-color: rgba(2, 134, 194, 0.9675); } - [data-md-color-primary="cyan"] .md-nav__source { - background-color: rgba(0, 150, 169, 0.9675); } - [data-md-color-primary="teal"] .md-nav__source { - background-color: rgba(0, 119, 108, 0.9675); } - [data-md-color-primary="green"] .md-nav__source { - background-color: rgba(60, 139, 64, 0.9675); } - [data-md-color-primary="light-green"] .md-nav__source { - background-color: rgba(99, 142, 53, 0.9675); } - [data-md-color-primary="lime"] .md-nav__source { - background-color: rgba(153, 161, 41, 0.9675); } - [data-md-color-primary="yellow"] .md-nav__source { - background-color: rgba(198, 134, 29, 0.9675); } - [data-md-color-primary="amber"] .md-nav__source { - background-color: rgba(203, 142, 0, 0.9675); } - [data-md-color-primary="orange"] .md-nav__source { - background-color: rgba(200, 111, 0, 0.9675); } - [data-md-color-primary="deep-orange"] .md-nav__source { - background-color: rgba(203, 89, 53, 0.9675); } - [data-md-color-primary="brown"] .md-nav__source { - background-color: rgba(96, 68, 57, 0.9675); } - [data-md-color-primary="grey"] .md-nav__source { - background-color: rgba(93, 93, 93, 0.9675); } - [data-md-color-primary="blue-grey"] .md-nav__source { - background-color: rgba(67, 88, 97, 0.9675); } } - -@media only screen and (max-width: 76.1875em) { - html [data-md-color-primary="red"] .md-nav--primary .md-nav__title--site { - background-color: #ef5350; } - html [data-md-color-primary="pink"] .md-nav--primary .md-nav__title--site { - background-color: #e91e63; } - html [data-md-color-primary="purple"] .md-nav--primary .md-nav__title--site { - background-color: #ab47bc; } - html [data-md-color-primary="deep-purple"] .md-nav--primary .md-nav__title--site { - background-color: #7e57c2; } - html [data-md-color-primary="indigo"] .md-nav--primary .md-nav__title--site { - background-color: #3f51b5; } - html [data-md-color-primary="blue"] .md-nav--primary .md-nav__title--site { - background-color: #2196f3; } - html [data-md-color-primary="light-blue"] .md-nav--primary .md-nav__title--site { - background-color: #03a9f4; } - html [data-md-color-primary="cyan"] .md-nav--primary .md-nav__title--site { - background-color: #00bcd4; } - html [data-md-color-primary="teal"] .md-nav--primary .md-nav__title--site { - background-color: #009688; } - html [data-md-color-primary="green"] .md-nav--primary .md-nav__title--site { - background-color: #4caf50; } - html [data-md-color-primary="light-green"] .md-nav--primary .md-nav__title--site { - background-color: #7cb342; } - html [data-md-color-primary="lime"] .md-nav--primary .md-nav__title--site { - background-color: #c0ca33; } - html [data-md-color-primary="yellow"] .md-nav--primary .md-nav__title--site { - background-color: #f9a825; } - html [data-md-color-primary="amber"] .md-nav--primary .md-nav__title--site { - background-color: #ffb300; } - html [data-md-color-primary="orange"] .md-nav--primary .md-nav__title--site { - background-color: #fb8c00; } - html [data-md-color-primary="deep-orange"] .md-nav--primary .md-nav__title--site { - background-color: #ff7043; } - html [data-md-color-primary="brown"] .md-nav--primary .md-nav__title--site { - background-color: #795548; } - html [data-md-color-primary="grey"] .md-nav--primary .md-nav__title--site { - background-color: #757575; } - html [data-md-color-primary="blue-grey"] .md-nav--primary .md-nav__title--site { - background-color: #546e7a; } } - -@media only screen and (min-width: 60em) { - [data-md-color-primary="red"] .md-nav--secondary { - border-left: 0.4rem solid #ef5350; } - [data-md-color-primary="pink"] .md-nav--secondary { - border-left: 0.4rem solid #e91e63; } - [data-md-color-primary="purple"] .md-nav--secondary { - border-left: 0.4rem solid #ab47bc; } - [data-md-color-primary="deep-purple"] .md-nav--secondary { - border-left: 0.4rem solid #7e57c2; } - [data-md-color-primary="indigo"] .md-nav--secondary { - border-left: 0.4rem solid #3f51b5; } - [data-md-color-primary="blue"] .md-nav--secondary { - border-left: 0.4rem solid #2196f3; } - [data-md-color-primary="light-blue"] .md-nav--secondary { - border-left: 0.4rem solid #03a9f4; } - [data-md-color-primary="cyan"] .md-nav--secondary { - border-left: 0.4rem solid #00bcd4; } - [data-md-color-primary="teal"] .md-nav--secondary { - border-left: 0.4rem solid #009688; } - [data-md-color-primary="green"] .md-nav--secondary { - border-left: 0.4rem solid #4caf50; } - [data-md-color-primary="light-green"] .md-nav--secondary { - border-left: 0.4rem solid #7cb342; } - [data-md-color-primary="lime"] .md-nav--secondary { - border-left: 0.4rem solid #c0ca33; } - [data-md-color-primary="yellow"] .md-nav--secondary { - border-left: 0.4rem solid #f9a825; } - [data-md-color-primary="amber"] .md-nav--secondary { - border-left: 0.4rem solid #ffb300; } - [data-md-color-primary="orange"] .md-nav--secondary { - border-left: 0.4rem solid #fb8c00; } - [data-md-color-primary="deep-orange"] .md-nav--secondary { - border-left: 0.4rem solid #ff7043; } - [data-md-color-primary="brown"] .md-nav--secondary { - border-left: 0.4rem solid #795548; } - [data-md-color-primary="grey"] .md-nav--secondary { - border-left: 0.4rem solid #757575; } - [data-md-color-primary="blue-grey"] .md-nav--secondary { - border-left: 0.4rem solid #546e7a; } } diff --git a/material/base.html b/material/base.html index 66796091a..001b395eb 100644 --- a/material/base.html +++ b/material/base.html @@ -31,12 +31,12 @@ {% endif %} {% endblock %} {% block libs %} - + {% endblock %} {% block styles %} - + {% if config.extra.palette %} - + {% endif %} {% endblock %} {% block fonts %} @@ -67,11 +67,11 @@ {% set platform = config.extra.repo_icon or config.repo_url %} {% if "github" in platform %} - {% include "assets/images/icons/github.svg" %} + {% include "assets/images/icons/github-1da075986e.svg" %} {% elif "gitlab" in platform %} - {% include "assets/images/icons/gitlab.svg" %} + {% include "assets/images/icons/gitlab-5ad3f9f9e5.svg" %} {% elif "bitbucket" in platform %} - {% include "assets/images/icons/bitbucket.svg" %} + {% include "assets/images/icons/bitbucket-670608a71a.svg" %} {% endif %} @@ -124,7 +124,7 @@ {% endblock %} {% block scripts %} - + {% for path in extra_javascript %} diff --git a/package.json b/package.json index eb300e25a..b56b1045e 100644 --- a/package.json +++ b/package.json @@ -35,11 +35,10 @@ "dependencies": {}, "devDependencies": { "autoprefixer": "^6.7.3", - "babel-core": "^6.0.0", + "babel-core": "^6.23.0", "babel-eslint": "^7.1.1", "babel-loader": "^6.3.1", "babel-plugin-add-module-exports": "^0.2.1", - "babel-plugin-syntax-flow": "^6.18.0", "babel-plugin-transform-react-jsx": "^6.8.0", "babel-polyfill": "^6.20.0", "babel-preset-es2015": "^6.22.0", @@ -50,7 +49,7 @@ "custom-event-polyfill": "^0.3.0", "del": "^2.2.2", "ecstatic": "^2.1.0", - "eslint": "^3.14.0", + "eslint": "^3.16.0", "fastclick": "^1.0.6", "flow-bin": "^0.39.0", "flow-jsdoc": "^0.2.2", diff --git a/src/.babelrc b/src/.babelrc index 91288a86e..c3bcf02b5 100644 --- a/src/.babelrc +++ b/src/.babelrc @@ -5,8 +5,6 @@ "plugins": [ ["transform-react-jsx", { "pragma": "JSX.createElement" - }], - "syntax-flow", - "transform-flow-strip-types" + }] ] } diff --git a/src/assets/javascripts/application.js b/src/assets/javascripts/application.js index aa8c49ddf..058f58723 100644 --- a/src/assets/javascripts/application.js +++ b/src/assets/javascripts/application.js @@ -27,7 +27,11 @@ import Material from "./components/Material" * Application * ------------------------------------------------------------------------- */ -// TODO ./node_modules/.bin/gulp assets:javascripts:flow:annotate && ./node_modules/.bin/flow check +/** + * [initialize description] + * + * @param {Object} config - TODO // TODO: define via type declaration!? + */ export const initialize = config => { /* Initialize Modernizr and FastClick */ @@ -38,6 +42,9 @@ export const initialize = config => { return !!navigator.userAgent.match(/(iPad|iPhone|iPod)/g) }) + if (!(document.body instanceof HTMLElement)) + throw new ReferenceError + /* Attach FastClick to mitigate 300ms delay on touch devices */ FastClick.attach(document.body) @@ -197,7 +204,10 @@ export const initialize = config => { /* Retrieve facts for the given repository type */ ;(() => { const el = document.querySelector("[data-md-source]") - if (!el) return Promise.resolve([]) + if (!el) + return Promise.resolve([]) + else if (!(el instanceof HTMLAnchorElement)) + throw new ReferenceError switch (el.dataset.mdSource) { case "github": return new Material.Source.Adapter.GitHub(el).fetch() default: return Promise.resolve([]) diff --git a/src/assets/javascripts/components/Material/Nav/Collapse.js b/src/assets/javascripts/components/Material/Nav/Collapse.js index 4491b63d0..4d676a4d3 100644 --- a/src/assets/javascripts/components/Material/Nav/Collapse.js +++ b/src/assets/javascripts/components/Material/Nav/Collapse.js @@ -83,7 +83,7 @@ export default class Collapse { const end = ev => { const target = ev.target if (!(target instanceof HTMLElement)) - return + throw new ReferenceError /* Reset height and state */ target.removeAttribute("data-md-state") diff --git a/src/assets/javascripts/components/Material/Search/Lock.js b/src/assets/javascripts/components/Material/Search/Lock.js index b513bc896..018672bf1 100644 --- a/src/assets/javascripts/components/Material/Search/Lock.js +++ b/src/assets/javascripts/components/Material/Search/Lock.js @@ -32,6 +32,7 @@ export default class Lock { * @constructor * * @property {HTMLInputElement} el_ - TODO + * @property {HTMLElement} lock_ - Element to lock * @property {number} offset_ - TODO * * @param {(string|HTMLElement)} el - Selector or HTML element @@ -43,6 +44,11 @@ export default class Lock { if (!(ref instanceof HTMLInputElement)) throw new ReferenceError this.el_ = ref + + /* Retrieve element to lock (= body) */ + if (!document.body) + throw new ReferenceError + this.lock_ = document.body } /** @@ -67,13 +73,13 @@ export default class Lock { /* Lock body after finishing transition */ if (this.el_.checked) { - document.body.dataset.mdState = "lock" + this.lock_.dataset.mdState = "lock" } }, 400) /* Exiting search mode */ } else { - document.body.dataset.mdState = "" + this.lock_.dataset.mdState = "" /* Scroll to former position, but wait for 100ms to prevent flashes on iOS. A short timeout seems to do the trick */ @@ -88,8 +94,8 @@ export default class Lock { * Reset locked state and page y-offset */ reset() { - if (document.body.dataset.mdState === "lock") + if (this.lock_.dataset.mdState === "lock") window.scrollTo(0, this.offset_) - document.body.dataset.mdState = "" + this.lock_.dataset.mdState = "" } } diff --git a/src/assets/javascripts/components/Material/Search/Result.jsx b/src/assets/javascripts/components/Material/Search/Result.jsx index 4985cdc4b..1d500efaf 100644 --- a/src/assets/javascripts/components/Material/Search/Result.jsx +++ b/src/assets/javascripts/components/Material/Search/Result.jsx @@ -35,16 +35,20 @@ export default class Result { * * @property {HTMLElement} el_ - TODO * @property {(Object|Array|Function)} data_ - TODO (very dirty) - * @property {*} meta_ - TODO (must be done like this, as React$Component does not return the correct thing) - * @property {*} list_ - TODO (must be done like this, as React$Component does not return the correct thing) + * @property {*} meta_ - // TODO (must be done like this, as React$Component does not return the correct thing) (React$Element<*>|Element) + * @property {*} list_ - // TODO (must be done like this, as React$Component does not return the correct thing) + * @property {Object} index_ - TODO * * @param {(string|HTMLElement)} el - Selector or HTML element * @param {(Array|Function)} data - Promise or array providing data // TODO ???? */ constructor(el, data) { - this.el_ = (typeof el === "string") + const ref = (typeof el === "string") ? document.querySelector(el) : el + if (!(ref instanceof HTMLElement)) + throw new ReferenceError + this.el_ = ref /* Set data and create metadata and list elements */ this.data_ = data @@ -60,19 +64,26 @@ export default class Result { /* Inject created elements */ this.el_.appendChild(this.meta_) this.el_.appendChild(this.list_) + } - /* Truncate a string after the given number of characters - this is not - a reasonable approach, since the summaries kind of suck. It would be - better to create something more intelligent, highlighting the search - occurrences and making a better summary out of it */ - this.truncate_ = function(string, n) { - let i = n - if (string.length > i) { - while (string[i] !== " " && --i > 0); - return `${string.substring(0, i)}...` - } - return string + /** + * Truncate a string after the given number of character + * + * This is not a reasonable approach, since the summaries kind of suck. It + * would be better to create something more intelligent, highlighting the + * search occurrences and making a better summary out of it + * + * @param {string} string - TODO + * @param {number} n - TODO + * @return {string} TODO + */ + truncate_(string, n) { + let i = n + if (string.length > i) { + while (string[i] !== " " && --i > 0); + return `${string.substring(0, i)}...` } + return string } /** @@ -110,13 +121,19 @@ export default class Result { : init(this.data_) }, 250) - /* Execute search on new input event after clearing current list */ + /* Execute search on new input event */ } else if (ev.type === "keyup") { + const target = ev.target + if (!(target instanceof HTMLInputElement)) + throw new ReferenceError + + /* Clear current list */ while (this.list_.firstChild) this.list_.removeChild(this.list_.firstChild) /* Perform search on index and render documents */ - const result = this.index_.search(ev.target.value) + let result = this.index_.search(target.value) + result += 3 result.forEach(item => { const doc = this.data_[item.ref] @@ -149,7 +166,7 @@ export default class Result { Array.prototype.forEach.call(anchors, anchor => { anchor.addEventListener("click", ev2 => { const toggle = document.querySelector("[data-md-toggle=search]") - if (toggle.checked) { + if (toggle instanceof HTMLInputElement && toggle.checked) { toggle.checked = false toggle.dispatchEvent(new CustomEvent("change")) } diff --git a/src/assets/javascripts/components/Material/Sidebar/Position.js b/src/assets/javascripts/components/Material/Sidebar/Position.js index 27edad313..171b3bf21 100644 --- a/src/assets/javascripts/components/Material/Sidebar/Position.js +++ b/src/assets/javascripts/components/Material/Sidebar/Position.js @@ -30,15 +30,25 @@ export default class Position { * Set sidebars to locked state and limit height to parent node * * @constructor + * + * @property {HTMLElement} el_ - TODO + * @property {HTMLElement} parent_ - TODO + * @property {number} height_ - TODO + * @property {number} offset_ - TODO + * * @param {(string|HTMLElement)} el - Selector or HTML element */ constructor(el) { - this.el_ = (typeof el === "string") + const ref = (typeof el === "string") ? document.querySelector(el) : el + if (!(ref instanceof HTMLElement) || + !(ref.parentNode instanceof HTMLElement)) + throw new ReferenceError + this.el_ = ref /* Initialize parent container and current height */ - this.parent_ = this.el_.parentNode + this.parent_ = ref.parentNode this.height_ = 0 } @@ -65,15 +75,15 @@ export default class Position { const visible = window.innerHeight /* Calculate bounds of sidebar container */ - this.bounds_ = { + const bounds = { top: this.parent_.offsetTop, bottom: this.parent_.offsetTop + this.parent_.offsetHeight } /* Calculate new offset and height */ - const height = visible - this.bounds_.top + const height = visible - bounds.top - Math.max(0, this.offset_ - offset) - - Math.max(0, offset + visible - this.bounds_.bottom) + - Math.max(0, offset + visible - bounds.bottom) /* If height changed, update element */ if (height !== this.height_) diff --git a/src/assets/javascripts/components/Material/Source/Adapter/Abstract.js b/src/assets/javascripts/components/Material/Source/Adapter/Abstract.js index 024722009..cddef0729 100644 --- a/src/assets/javascripts/components/Material/Source/Adapter/Abstract.js +++ b/src/assets/javascripts/components/Material/Source/Adapter/Abstract.js @@ -32,13 +32,22 @@ export default class Abstract { * Retrieve source information * * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element + * + * @property {HTMLAnchorElement} el_ - TODO + * @property {string} base_ - TODO + * @property {number} salt_ - TODO + * + * @param {(string|HTMLAnchorElement)} el - Selector or HTML element */ constructor(el) { - this.el_ = (typeof el === "string") + const ref = (typeof el === "string") ? document.querySelector(el) : el + if (!(ref instanceof HTMLAnchorElement)) + throw new ReferenceError + this.el_ = ref + /* Retrieve base URL */ this.base_ = this.el_.href this.salt_ = this.hash_(this.base_) @@ -47,7 +56,7 @@ export default class Abstract { /** * Retrieve data from Cookie or fetch from respective API * - * @return {Promise} Promise that returns an array of facts + * @return {Promise<*>} Promise that returns an array of facts // TODO: @returns {Promise.} */ fetch() { return new Promise(resolve => { @@ -70,7 +79,6 @@ export default class Abstract { * Abstract private function that fetches relevant repository information * * @abstract - * @return {Promise} Promise that provides the facts in an array */ fetch_() { throw new Error("fetch_(): Not implemented") @@ -79,15 +87,15 @@ export default class Abstract { /** * Format a number with suffix * - * @param {Number} number - Number to format - * @return {Number} Formatted number + * @param {number} number - Number to format + * @return {string} Formatted number */ format_(number) { if (number > 10000) return `${(number / 1000).toFixed(0)}k` else if (number > 1000) return `${(number / 1000).toFixed(1)}k` - return number + return `${number}` } /** @@ -96,7 +104,7 @@ export default class Abstract { * Taken from http://stackoverflow.com/a/7616484/1065584 * * @param {string} str - Input string - * @return {string} Hashed string + * @return {number} Hashed string */ hash_(str) { let hash = 0 diff --git a/src/assets/javascripts/components/Material/Source/Adapter/GitHub.js b/src/assets/javascripts/components/Material/Source/Adapter/GitHub.js index 243ef1d11..29c0feb9b 100644 --- a/src/assets/javascripts/components/Material/Source/Adapter/GitHub.js +++ b/src/assets/javascripts/components/Material/Source/Adapter/GitHub.js @@ -32,7 +32,7 @@ export default class GitHub extends Abstract { * Retrieve source information from GitHub * * @constructor - * @param {(string|HTMLElement)} el - Selector or HTML element + * @param {(string|HTMLAnchorElement)} el - Selector or HTML element */ constructor(el) { super(el) @@ -44,7 +44,7 @@ export default class GitHub extends Abstract { /** * Fetch relevant source information from GitHub * - * @return {function} Promise returning an array of facts + * @return {Promise<*>} Promise returning an array of facts */ fetch_() { return fetch(this.base_) diff --git a/src/assets/javascripts/components/Material/Source/Repository.jsx b/src/assets/javascripts/components/Material/Source/Repository.jsx index 917e5f762..981dc8094 100644 --- a/src/assets/javascripts/components/Material/Source/Repository.jsx +++ b/src/assets/javascripts/components/Material/Source/Repository.jsx @@ -30,18 +30,24 @@ export default class Repository { * Render repository information * * @constructor + * + * @property {HTMLElement} el_ - TODO + * * @param {(string|HTMLElement)} el - Selector or HTML element */ constructor(el) { - this.el_ = (typeof el === "string") + const ref = (typeof el === "string") ? document.querySelector(el) : el + if (!(ref instanceof HTMLElement)) + throw new ReferenceError + this.el_ = ref } /** * Initialize the source repository * - * @param {Array.} facts - Facts to be rendered + * @param {Array} facts - Facts to be rendered */ initialize(facts) { if (facts.length) diff --git a/yarn.lock b/yarn.lock index b3f1d37d6..2568b3708 100644 --- a/yarn.lock +++ b/yarn.lock @@ -314,7 +314,7 @@ atob@~1.1.0: version "1.1.3" resolved "https://registry.yarnpkg.com/atob/-/atob-1.1.3.tgz#95f13629b12c3a51a5d215abdce2aa9f32f80773" -autoprefixer@^6.0.0, autoprefixer@^6.3.1, autoprefixer@^6.6.1: +autoprefixer@^6.0.0, autoprefixer@^6.3.1: version "6.7.2" resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-6.7.2.tgz#172ab07b998ae9b957530928a59a40be54a45023" dependencies: @@ -325,6 +325,17 @@ autoprefixer@^6.0.0, autoprefixer@^6.3.1, autoprefixer@^6.6.1: postcss "^5.2.11" postcss-value-parser "^3.2.3" +autoprefixer@^6.7.3: + version "6.7.5" + resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-6.7.5.tgz#50848f39dc08730091d9495023487e7cc21f518d" + dependencies: + browserslist "^1.7.5" + caniuse-db "^1.0.30000624" + normalize-range "^0.1.2" + num2fraction "^1.2.2" + postcss "^5.2.15" + postcss-value-parser "^3.2.3" + aws-sign2@~0.5.0: version "0.5.0" resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.5.0.tgz#c57103f7a17fc037f02d7c2e64b602ea223f7d63" @@ -345,19 +356,19 @@ babel-code-frame@^6.16.0, babel-code-frame@^6.22.0: esutils "^2.0.2" js-tokens "^3.0.0" -babel-core@^6.0.0, babel-core@^6.22.0: - version "6.22.1" - resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.22.1.tgz#9c5fd658ba1772d28d721f6d25d968fc7ae21648" +babel-core@^6.23.0: + version "6.23.1" + resolved "https://registry.yarnpkg.com/babel-core/-/babel-core-6.23.1.tgz#c143cb621bb2f621710c220c5d579d15b8a442df" dependencies: babel-code-frame "^6.22.0" - babel-generator "^6.22.0" - babel-helpers "^6.22.0" - babel-messages "^6.22.0" - babel-register "^6.22.0" + babel-generator "^6.23.0" + babel-helpers "^6.23.0" + babel-messages "^6.23.0" + babel-register "^6.23.0" babel-runtime "^6.22.0" - babel-template "^6.22.0" - babel-traverse "^6.22.1" - babel-types "^6.22.0" + babel-template "^6.23.0" + babel-traverse "^6.23.1" + babel-types "^6.23.0" babylon "^6.11.0" convert-source-map "^1.1.0" debug "^2.1.1" @@ -379,17 +390,18 @@ babel-eslint@^7.1.1: babylon "^6.13.0" lodash.pickby "^4.6.0" -babel-generator@^6.22.0: - version "6.22.0" - resolved "https://registry.yarnpkg.com/babel-generator/-/babel-generator-6.22.0.tgz#d642bf4961911a8adc7c692b0c9297f325cda805" +babel-generator@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-generator/-/babel-generator-6.23.0.tgz#6b8edab956ef3116f79d8c84c5a3c05f32a74bc5" dependencies: - babel-messages "^6.22.0" + babel-messages "^6.23.0" babel-runtime "^6.22.0" - babel-types "^6.22.0" + babel-types "^6.23.0" detect-indent "^4.0.0" jsesc "^1.3.0" lodash "^4.2.0" source-map "^0.5.0" + trim-right "^1.0.1" babel-helper-builder-react-jsx@^6.22.0: version "6.22.0" @@ -468,19 +480,19 @@ babel-helper-replace-supers@^6.22.0: babel-traverse "^6.22.0" babel-types "^6.22.0" -babel-helpers@^6.22.0: - version "6.22.0" - resolved "https://registry.yarnpkg.com/babel-helpers/-/babel-helpers-6.22.0.tgz#d275f55f2252b8101bff07bc0c556deda657392c" +babel-helpers@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-helpers/-/babel-helpers-6.23.0.tgz#4f8f2e092d0b6a8808a4bde79c27f1e2ecf0d992" dependencies: babel-runtime "^6.22.0" - babel-template "^6.22.0" + babel-template "^6.23.0" -babel-loader@^6.2.10: - version "6.2.10" - resolved "https://registry.yarnpkg.com/babel-loader/-/babel-loader-6.2.10.tgz#adefc2b242320cd5d15e65b31cea0e8b1b02d4b0" +babel-loader@^6.3.1: + version "6.3.2" + resolved "https://registry.yarnpkg.com/babel-loader/-/babel-loader-6.3.2.tgz#18de4566385578c1b4f8ffe6cbc668f5e2a5ef03" dependencies: find-cache-dir "^0.1.1" - loader-utils "^0.2.11" + loader-utils "^0.2.16" mkdirp "^0.5.1" object-assign "^4.0.1" @@ -490,6 +502,12 @@ babel-messages@^6.22.0: dependencies: babel-runtime "^6.22.0" +babel-messages@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-messages/-/babel-messages-6.23.0.tgz#f3cdf4703858035b2a2951c6ec5edf6c62f2630e" + dependencies: + babel-runtime "^6.22.0" + babel-plugin-add-module-exports@^0.2.1: version "0.2.1" resolved "https://registry.yarnpkg.com/babel-plugin-add-module-exports/-/babel-plugin-add-module-exports-0.2.1.tgz#9ae9a1f4a8dc67f0cdec4f4aeda1e43a5ff65e25" @@ -500,6 +518,10 @@ babel-plugin-check-es2015-constants@^6.22.0: dependencies: babel-runtime "^6.22.0" +babel-plugin-syntax-flow@^6.18.0: + version "6.18.0" + resolved "https://registry.yarnpkg.com/babel-plugin-syntax-flow/-/babel-plugin-syntax-flow-6.18.0.tgz#4c3ab20a2af26aa20cd25995c398c4eb70310c8d" + babel-plugin-syntax-jsx@^6.8.0: version "6.18.0" resolved "https://registry.yarnpkg.com/babel-plugin-syntax-jsx/-/babel-plugin-syntax-jsx-6.18.0.tgz#0af32a9a6e13ca7a3fd5069e62d7b0f58d0d8946" @@ -730,11 +752,11 @@ babel-preset-es2015@^6.22.0: babel-plugin-transform-es2015-unicode-regex "^6.22.0" babel-plugin-transform-regenerator "^6.22.0" -babel-register@^6.18.0, babel-register@^6.22.0: - version "6.22.0" - resolved "https://registry.yarnpkg.com/babel-register/-/babel-register-6.22.0.tgz#a61dd83975f9ca4a9e7d6eff3059494cd5ea4c63" +babel-register@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-register/-/babel-register-6.23.0.tgz#c9aa3d4cca94b51da34826c4a0f9e08145d74ff3" dependencies: - babel-core "^6.22.0" + babel-core "^6.23.0" babel-runtime "^6.22.0" core-js "^2.4.0" home-or-tmp "^2.0.0" @@ -771,7 +793,17 @@ babel-template@^6.22.0: babylon "^6.11.0" lodash "^4.2.0" -babel-traverse@^6.15.0, babel-traverse@^6.22.0, babel-traverse@^6.22.1: +babel-template@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-template/-/babel-template-6.23.0.tgz#04d4f270adbb3aa704a8143ae26faa529238e638" + dependencies: + babel-runtime "^6.22.0" + babel-traverse "^6.23.0" + babel-types "^6.23.0" + babylon "^6.11.0" + lodash "^4.2.0" + +babel-traverse@^6.15.0, babel-traverse@^6.22.0: version "6.22.1" resolved "https://registry.yarnpkg.com/babel-traverse/-/babel-traverse-6.22.1.tgz#3b95cd6b7427d6f1f757704908f2fc9748a5f59f" dependencies: @@ -785,6 +817,20 @@ babel-traverse@^6.15.0, babel-traverse@^6.22.0, babel-traverse@^6.22.1: invariant "^2.2.0" lodash "^4.2.0" +babel-traverse@^6.23.0, babel-traverse@^6.23.1: + version "6.23.1" + resolved "https://registry.yarnpkg.com/babel-traverse/-/babel-traverse-6.23.1.tgz#d3cb59010ecd06a97d81310065f966b699e14f48" + dependencies: + babel-code-frame "^6.22.0" + babel-messages "^6.23.0" + babel-runtime "^6.22.0" + babel-types "^6.23.0" + babylon "^6.15.0" + debug "^2.2.0" + globals "^9.0.0" + invariant "^2.2.0" + lodash "^4.2.0" + babel-types@^6.15.0, babel-types@^6.19.0, babel-types@^6.22.0: version "6.22.0" resolved "https://registry.yarnpkg.com/babel-types/-/babel-types-6.22.0.tgz#2a447e8d0ea25d2512409e4175479fd78cc8b1db" @@ -794,6 +840,15 @@ babel-types@^6.15.0, babel-types@^6.19.0, babel-types@^6.22.0: lodash "^4.2.0" to-fast-properties "^1.0.1" +babel-types@^6.23.0: + version "6.23.0" + resolved "https://registry.yarnpkg.com/babel-types/-/babel-types-6.23.0.tgz#bb17179d7538bad38cd0c9e115d340f77e7e9acf" + dependencies: + babel-runtime "^6.22.0" + esutils "^2.0.2" + lodash "^4.2.0" + to-fast-properties "^1.0.1" + babylon@^6.11.0, babylon@^6.13.0, babylon@^6.15.0: version "6.15.0" resolved "https://registry.yarnpkg.com/babylon/-/babylon-6.15.0.tgz#ba65cfa1a80e1759b0e89fb562e27dccae70348e" @@ -1075,6 +1130,13 @@ browserslist@^1.0.1, browserslist@^1.1.1, browserslist@^1.1.3, browserslist@^1.5 caniuse-db "^1.0.30000617" electron-to-chromium "^1.2.1" +browserslist@^1.7.5: + version "1.7.5" + resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-1.7.5.tgz#eca4713897b51e444283241facf3985de49a9e2b" + dependencies: + caniuse-db "^1.0.30000624" + electron-to-chromium "^1.2.3" + buffer-crc32@~0.2.1, buffer-crc32@~0.2.3: version "0.2.13" resolved "https://registry.yarnpkg.com/buffer-crc32/-/buffer-crc32-0.2.13.tgz#0d333e3f00eac50aa1454abd30ef8c2a5d9a7242" @@ -1170,6 +1232,10 @@ caniuse-db@^1.0.30000187, caniuse-db@^1.0.30000346, caniuse-db@^1.0.30000617, ca version "1.0.30000620" resolved "https://registry.yarnpkg.com/caniuse-db/-/caniuse-db-1.0.30000620.tgz#88b27b951966c5b0d127c4448169b92a1339e453" +caniuse-db@^1.0.30000624: + version "1.0.30000626" + resolved "https://registry.yarnpkg.com/caniuse-db/-/caniuse-db-1.0.30000626.tgz#44363dc86857efaf758fea9faef6a15ed93d8f33" + cardinal@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/cardinal/-/cardinal-1.0.0.tgz#50e21c1b0aa37729f9377def196b5a9cec932ee9" @@ -1505,15 +1571,7 @@ concat-map@0.0.1: version "0.0.1" resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" -concat-stream@^1.4.6, concat-stream@^1.5.0: - version "1.6.0" - resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.6.0.tgz#0aac662fd52be78964d5532f694784e70110acf7" - dependencies: - inherits "^2.0.3" - readable-stream "^2.2.2" - typedarray "^0.0.6" - -concat-stream@~1.5.0, concat-stream@~1.5.1: +concat-stream@^1.4.6, concat-stream@^1.5.0, concat-stream@~1.5.0, concat-stream@~1.5.1: version "1.5.2" resolved "https://registry.yarnpkg.com/concat-stream/-/concat-stream-1.5.2.tgz#708978624d856af41a5a741defdd261da752c266" dependencies: @@ -1957,6 +2015,13 @@ doctrine@1.1.0: esutils "^1.1.6" isarray "0.0.1" +doctrine@^0.6.4: + version "0.6.4" + resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-0.6.4.tgz#81428491a942ef18b0492056eda3800eee57d61d" + dependencies: + esutils "^1.1.6" + isarray "0.0.1" + doctrine@^1.2.2: version "1.5.0" resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-1.5.0.tgz#379dce730f6166f76cefa4e6707a159b02c5a6fa" @@ -2042,6 +2107,10 @@ electron-to-chromium@^1.2.1: version "1.2.1" resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.2.1.tgz#63ac7579a1c5bedb296c8607621f2efc9a54b968" +electron-to-chromium@^1.2.3: + version "1.2.3" + resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.2.3.tgz#4b4d04d237c301f72e2d15c2137b2b79f9f5ab76" + elliptic@^6.0.0: version "6.3.3" resolved "https://registry.yarnpkg.com/elliptic/-/elliptic-6.3.3.tgz#5482d9646d54bcb89fd7d994fc9e2e9568876e3f" @@ -2237,9 +2306,9 @@ eslint-plugin-mocha@^4.8.0: dependencies: ramda "^0.22.1" -eslint@^3.14.0: - version "3.15.0" - resolved "https://registry.yarnpkg.com/eslint/-/eslint-3.15.0.tgz#bdcc6a6c5ffe08160e7b93c066695362a91e30f2" +eslint@^3.16.0: + version "3.16.1" + resolved "https://registry.yarnpkg.com/eslint/-/eslint-3.16.1.tgz#9bc31fc7341692cf772e80607508f67d711c5609" dependencies: babel-code-frame "^6.16.0" chalk "^1.1.3" @@ -2287,7 +2356,7 @@ esprima@2.7.x, esprima@^2.6.0, esprima@^2.7.1: version "2.7.3" resolved "https://registry.yarnpkg.com/esprima/-/esprima-2.7.3.tgz#96e3b70d5779f6ad49cd032673d1c312767ba581" -esprima@~3.0.0: +esprima@^3.0.0, esprima@~3.0.0: version "3.0.0" resolved "https://registry.yarnpkg.com/esprima/-/esprima-3.0.0.tgz#53cf247acda77313e551c3aa2e73342d3fb4f7d9" @@ -2537,6 +2606,20 @@ flatten@^1.0.2: version "1.0.2" resolved "https://registry.yarnpkg.com/flatten/-/flatten-1.0.2.tgz#dae46a9d78fbe25292258cc1e780a41d95c03782" +flow-bin@^0.39.0: + version "0.39.0" + resolved "https://registry.yarnpkg.com/flow-bin/-/flow-bin-0.39.0.tgz#b1012a14460df1aa79d3a728e10f93c6944226d0" + +flow-jsdoc@^0.2.2: + version "0.2.2" + resolved "https://registry.yarnpkg.com/flow-jsdoc/-/flow-jsdoc-0.2.2.tgz#32fee5c8c1534eb4ce116585d860d4e0c1723192" + dependencies: + doctrine "^0.6.4" + esprima "^3.0.0" + glob "^5.0.14" + mkdirp "^0.5.1" + nopt "^3.0.3" + for-in@^0.1.5: version "0.1.6" resolved "https://registry.yarnpkg.com/for-in/-/for-in-0.1.6.tgz#c9f96e89bfad18a545af5ec3ed352a1d9e5b4dc8" @@ -2826,7 +2909,7 @@ glob@^4.3.1: minimatch "^2.0.1" once "^1.3.0" -glob@^5.0.15: +glob@^5.0.14, glob@^5.0.15: version "5.0.15" resolved "https://registry.yarnpkg.com/glob/-/glob-5.0.15.tgz#1bc936b9e02f4a603fcc222ecf7633d30b8b93b1" dependencies: @@ -2988,9 +3071,9 @@ grunt-legacy-log@~0.1.1: lodash "~2.4.1" underscore.string "~2.3.3" -gulp-changed@^1.3.2: - version "1.3.2" - resolved "https://registry.yarnpkg.com/gulp-changed/-/gulp-changed-1.3.2.tgz#9efc8d325f9805cc7668fdf4e7d60d4b1410f2cf" +gulp-changed@^2.0.0: + version "2.0.0" + resolved "https://registry.yarnpkg.com/gulp-changed/-/gulp-changed-2.0.0.tgz#7396d95aeab35c6bcbcb75169fd7f24a271a013b" dependencies: gulp-util "^3.0.0" through2 "^2.0.0" @@ -3473,7 +3556,7 @@ inherits@1: version "1.0.2" resolved "https://registry.yarnpkg.com/inherits/-/inherits-1.0.2.tgz#ca4309dadee6b54cc0b8d247e8d7c7a0975bdc9b" -inherits@2, inherits@2.0.3, inherits@^2.0.1, inherits@^2.0.3, inherits@~2.0.0, inherits@~2.0.1: +inherits@2, inherits@2.0.3, inherits@^2.0.1, inherits@~2.0.0, inherits@~2.0.1: version "2.0.3" resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de" @@ -4478,11 +4561,11 @@ marked@^0.3.6: version "0.3.6" resolved "https://registry.yarnpkg.com/marked/-/marked-0.3.6.tgz#b2c6c618fccece4ef86c4fc6cb8a7cbf5aeda8d7" -material-design-color@^2.3.2: +material-design-color@2.3.2: version "2.3.2" resolved "https://registry.yarnpkg.com/material-design-color/-/material-design-color-2.3.2.tgz#e8af958d852a8747bfb211e48ce1282bda918815" -material-shadows@^3.0.1: +material-shadows@3.0.1: version "3.0.1" resolved "https://registry.yarnpkg.com/material-shadows/-/material-shadows-3.0.1.tgz#586ad12b167360a8e4e897bf7530cb69acea5110" @@ -4675,7 +4758,7 @@ modify-filename@^1.0.0, modify-filename@^1.1.0: version "1.1.0" resolved "https://registry.yarnpkg.com/modify-filename/-/modify-filename-1.1.0.tgz#9a2dec83806fbb2d975f22beec859ca26b393aa1" -modularscale-sass@^2.1.1: +modularscale-sass@2.1.1: version "2.1.1" resolved "https://registry.yarnpkg.com/modularscale-sass/-/modularscale-sass-2.1.1.tgz#a42c3a392457ac83a6b8c29a183c95540e6b388b" @@ -4911,7 +4994,7 @@ node-uuid@~1.4.0: version "1.4.7" resolved "https://registry.yarnpkg.com/node-uuid/-/node-uuid-1.4.7.tgz#6da5a17668c4b3dd59623bda11cf7fa4c1f60a6f" -"nopt@2 || 3", nopt@3.x, nopt@~3.0.6: +"nopt@2 || 3", nopt@3.x, nopt@^3.0.3, nopt@~3.0.6: version "3.0.6" resolved "https://registry.yarnpkg.com/nopt/-/nopt-3.0.6.tgz#c6465dbf08abcd4db359317f79ac68a646b28ff9" dependencies: @@ -5530,9 +5613,9 @@ postcss-ordered-values@^2.1.0: postcss "^5.0.4" postcss-value-parser "^3.0.1" -postcss-pseudo-classes@^0.1.0: - version "0.1.0" - resolved "https://registry.yarnpkg.com/postcss-pseudo-classes/-/postcss-pseudo-classes-0.1.0.tgz#c7ef6a29e81c6aeda2b7056c9f12102d46255f87" +postcss-pseudo-classes@^0.2.0: + version "0.2.0" + resolved "https://registry.yarnpkg.com/postcss-pseudo-classes/-/postcss-pseudo-classes-0.2.0.tgz#c65b5802f8f339ceb7d23f2368bc01bce68964de" dependencies: postcss "^5.0.10" @@ -5631,6 +5714,15 @@ postcss@^5.0.0, postcss@^5.0.10, postcss@^5.0.11, postcss@^5.0.12, postcss@^5.0. source-map "^0.5.6" supports-color "^3.2.3" +postcss@^5.2.14, postcss@^5.2.15: + version "5.2.15" + resolved "https://registry.yarnpkg.com/postcss/-/postcss-5.2.15.tgz#a9e8685e50e06cc5b3fdea5297273246c26f5b30" + dependencies: + chalk "^1.1.3" + js-base64 "^2.1.9" + source-map "^0.5.6" + supports-color "^3.2.3" + prelude-ls@~1.1.2: version "1.1.2" resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.1.2.tgz#21932a549f5e52ffd9a827f570e04be62a97da54" @@ -5859,7 +5951,7 @@ readable-stream@^1.0.33, readable-stream@~1.1.9: isarray "0.0.1" string_decoder "~0.10.x" -readable-stream@^2.0.0, "readable-stream@^2.0.0 || ^1.1.13", readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.0.5, readable-stream@^2.1.0, readable-stream@^2.1.5, readable-stream@^2.2.2: +readable-stream@^2.0.0, "readable-stream@^2.0.0 || ^1.1.13", readable-stream@^2.0.1, readable-stream@^2.0.2, readable-stream@^2.0.5, readable-stream@^2.1.0, readable-stream@^2.1.5: version "2.2.2" resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.2.2.tgz#a9e6fec3c7dda85f8bb1b3ba7028604556fc825e" dependencies: @@ -6639,13 +6731,13 @@ stylelint-config-standard@^16.0.0: version "16.0.0" resolved "https://registry.yarnpkg.com/stylelint-config-standard/-/stylelint-config-standard-16.0.0.tgz#bb7387bff1d7dd7186a52b3ebf885b2405d691bf" -stylelint-order@^0.2.2: - version "0.2.2" - resolved "https://registry.yarnpkg.com/stylelint-order/-/stylelint-order-0.2.2.tgz#c1fd77cf3565bd223c233b9e7bb98728c0abe8bd" +stylelint-order@^0.3.0: + version "0.3.0" + resolved "https://registry.yarnpkg.com/stylelint-order/-/stylelint-order-0.3.0.tgz#9a0f593c077c04d5e5da22404dab84288c933843" dependencies: - lodash "^4.16.6" - postcss "^5.2.5" - stylelint "^7.5.0" + lodash "^4.17.4" + postcss "^5.2.14" + stylelint "^7.8.0" stylelint-scss@^1.4.1: version "1.4.1" @@ -6658,7 +6750,7 @@ stylelint-scss@^1.4.1: postcss-value-parser "^3.3.0" stylelint "^7.0.3" -stylelint@^7.0.3, stylelint@^7.5.0, stylelint@^7.7.0, stylelint@^7.8.0: +stylelint@^7.0.3, stylelint@^7.7.0, stylelint@^7.8.0: version "7.8.0" resolved "https://registry.yarnpkg.com/stylelint/-/stylelint-7.8.0.tgz#ac701044ed03c44f7a9f73d4d5dc1bd1eaae12d1" dependencies: @@ -6936,6 +7028,10 @@ trim-newlines@^1.0.0: version "1.0.0" resolved "https://registry.yarnpkg.com/trim-newlines/-/trim-newlines-1.0.0.tgz#5887966bb582a4503a41eb524f7d35011815a613" +trim-right@^1.0.1: + version "1.0.1" + resolved "https://registry.yarnpkg.com/trim-right/-/trim-right-1.0.1.tgz#cb2e1203067e0c8de1f614094b9fe45704ea6003" + tryit@^1.0.1: version "1.0.3" resolved "https://registry.yarnpkg.com/tryit/-/tryit-1.0.3.tgz#393be730a9446fd1ead6da59a014308f36c289cb" @@ -6973,7 +7069,7 @@ type-is@~1.6.14: media-typer "0.3.0" mime-types "~2.1.13" -typedarray@^0.0.6, typedarray@~0.0.5: +typedarray@~0.0.5: version "0.0.6" resolved "https://registry.yarnpkg.com/typedarray/-/typedarray-0.0.6.tgz#867ac74e3864187b1d3d47d996a78ec5c8830777"