\n );\n};\n\nexport default Hero;\n","\"use strict\";\n\nrequire(\"core-js/modules/es6.array.find\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\nvar tagtypes_1 = require(\"./tagtypes\");\n\nfunction filter(test, element, recurse, limit) {\n if (recurse === void 0) {\n recurse = true;\n }\n\n if (limit === void 0) {\n limit = Infinity;\n }\n\n if (!Array.isArray(element)) element = [element];\n return find(test, element, recurse, limit);\n}\n\nexports.filter = filter;\n\nfunction find(test, elems, recurse, limit) {\n var result = [];\n\n for (var i = 0; i < elems.length; i++) {\n var elem = elems[i];\n\n if (test(elem)) {\n result.push(elem);\n if (--limit <= 0) break;\n }\n\n if (recurse && tagtypes_1.hasChildren(elem) && elem.children.length > 0) {\n var children = find(test, elem.children, recurse, limit);\n result = result.concat(children);\n limit -= children.length;\n if (limit <= 0) break;\n }\n }\n\n return result;\n}\n\nexports.find = find;\n\nfunction findOneChild(test, elems) {\n for (var i = 0; i < elems.length; i++) {\n if (test(elems[i])) return elems[i];\n }\n\n return null;\n}\n\nexports.findOneChild = findOneChild;\n\nfunction findOne(test, elems, recurse) {\n if (recurse === void 0) {\n recurse = true;\n }\n\n var elem = null;\n\n for (var i = 0; i < elems.length && !elem; i++) {\n var checked = elems[i];\n\n if (!tagtypes_1.isTag(checked)) {\n continue;\n } else if (test(checked)) {\n elem = checked;\n } else if (recurse && checked.children.length > 0) {\n elem = findOne(test, checked.children);\n }\n }\n\n return elem;\n}\n\nexports.findOne = findOne;\n\nfunction existsOne(test, elems) {\n for (var i = 0; i < elems.length; i++) {\n var checked = elems[i];\n\n if (tagtypes_1.isTag(checked) && (test(checked) || checked.children.length > 0 && existsOne(test, checked.children))) {\n return true;\n }\n }\n\n return false;\n}\n\nexports.existsOne = existsOne;\n\nfunction findAll(test, rootElems) {\n var result = [];\n var stack = rootElems.slice();\n\n while (stack.length) {\n var elem = stack.shift();\n if (!elem || !tagtypes_1.isTag(elem)) continue;\n\n if (elem.children && elem.children.length > 0) {\n stack.unshift.apply(stack, elem.children);\n }\n\n if (test(elem)) result.push(elem);\n }\n\n return result;\n}\n\nexports.findAll = findAll;","var _checkForMethod = /*#__PURE__*/require('./internal/_checkForMethod');\n\nvar _curry2 = /*#__PURE__*/require('./internal/_curry2');\n/**\n * Iterate over an input `list`, calling a provided function `fn` for each\n * element in the list.\n *\n * `fn` receives one argument: *(value)*.\n *\n * Note: `R.forEach` does not skip deleted or unassigned indices (sparse\n * arrays), unlike the native `Array.prototype.forEach` method. For more\n * details on this behavior, see:\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/forEach#Description\n *\n * Also note that, unlike `Array.prototype.forEach`, Ramda's `forEach` returns\n * the original array. In some libraries this function is named `each`.\n *\n * Dispatches to the `forEach` method of the second argument, if present.\n *\n * @func\n * @memberOf R\n * @since v0.1.1\n * @category List\n * @sig (a -> *) -> [a] -> [a]\n * @param {Function} fn The function to invoke. Receives one argument, `value`.\n * @param {Array} list The list to iterate over.\n * @return {Array} The original list.\n * @see R.addIndex\n * @example\n *\n * const printXPlusFive = x => console.log(x + 5);\n * R.forEach(printXPlusFive, [1, 2, 3]); //=> [1, 2, 3]\n * // logs 6\n * // logs 7\n * // logs 8\n * @symb R.forEach(f, [a, b, c]) = [a, b, c]\n */\n\n\nvar forEach = /*#__PURE__*/_curry2( /*#__PURE__*/_checkForMethod('forEach', function forEach(fn, list) {\n var len = list.length;\n var idx = 0;\n\n while (idx < len) {\n fn(list[idx]);\n idx += 1;\n }\n\n return list;\n}));\n\nmodule.exports = forEach;","// 20.1.2.4 Number.isNaN(number)\nvar $export = require('./_export');\n\n$export($export.S, 'Number', {\n isNaN: function isNaN(number) {\n // eslint-disable-next-line no-self-compare\n return number != number;\n }\n});\n","module.exports = {\n init: function init() {\n return this.xf['@@transducer/init']();\n },\n result: function result(_result) {\n return this.xf['@@transducer/result'](_result);\n }\n};","\"use strict\";\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\nvar domelementtype_1 = require(\"domelementtype\");\n\nfunction isTag(node) {\n return domelementtype_1.isTag(node);\n}\n\nexports.isTag = isTag;\n\nfunction isCDATA(node) {\n return \"cdata\"\n /* CDATA */\n === node.type;\n}\n\nexports.isCDATA = isCDATA;\n\nfunction isText(node) {\n return node.type === \"text\"\n /* Text */\n ;\n}\n\nexports.isText = isText;\n\nfunction isComment(node) {\n return node.type === \"comment\"\n /* Comment */\n ;\n}\n\nexports.isComment = isComment;\n\nfunction hasChildren(node) {\n return Object.prototype.hasOwnProperty.call(node, \"children\");\n}\n\nexports.hasChildren = hasChildren;","require(\"core-js/modules/es6.regexp.to-string\");\n\nrequire(\"core-js/modules/es6.object.to-string\");\n\n/**\n * Tests whether or not an object is an array.\n *\n * @private\n * @param {*} val The object to test.\n * @return {Boolean} `true` if `val` is an array, `false` otherwise.\n * @example\n *\n * _isArray([]); //=> true\n * _isArray(null); //=> false\n * _isArray({}); //=> false\n */\nmodule.exports = Array.isArray || function _isArray(val) {\n return val != null && val.length >= 0 && Object.prototype.toString.call(val) === '[object Array]';\n};","var _curry3 = /*#__PURE__*/require('./internal/_curry3');\n\nvar _reduce = /*#__PURE__*/require('./internal/_reduce');\n/**\n * Returns a single item by iterating through the list, successively calling\n * the iterator function and passing it an accumulator value and the current\n * value from the array, and then passing the result to the next call.\n *\n * The iterator function receives two values: *(acc, value)*. It may use\n * [`R.reduced`](#reduced) to shortcut the iteration.\n *\n * The arguments' order of [`reduceRight`](#reduceRight)'s iterator function\n * is *(value, acc)*.\n *\n * Note: `R.reduce` does not skip deleted or unassigned indices (sparse\n * arrays), unlike the native `Array.prototype.reduce` method. For more details\n * on this behavior, see:\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/reduce#Description\n *\n * Dispatches to the `reduce` method of the third argument, if present. When\n * doing so, it is up to the user to handle the [`R.reduced`](#reduced)\n * shortcuting, as this is not implemented by `reduce`.\n *\n * @func\n * @memberOf R\n * @since v0.1.0\n * @category List\n * @sig ((a, b) -> a) -> a -> [b] -> a\n * @param {Function} fn The iterator function. Receives two values, the accumulator and the\n * current element from the array.\n * @param {*} acc The accumulator value.\n * @param {Array} list The list to iterate over.\n * @return {*} The final, accumulated value.\n * @see R.reduced, R.addIndex, R.reduceRight\n * @example\n *\n * R.reduce(R.subtract, 0, [1, 2, 3, 4]) // => ((((0 - 1) - 2) - 3) - 4) = -10\n * // - -10\n * // / \\ / \\\n * // - 4 -6 4\n * // / \\ / \\\n * // - 3 ==> -3 3\n * // / \\ / \\\n * // - 2 -1 2\n * // / \\ / \\\n * // 0 1 0 1\n *\n * @symb R.reduce(f, a, [b, c, d]) = f(f(f(a, b), c), d)\n */\n\n\nvar reduce = /*#__PURE__*/_curry3(_reduce);\n\nmodule.exports = reduce;","\"use strict\";\n\nvar __makeTemplateObject = this && this.__makeTemplateObject || function (cooked, raw) {\n if (Object.defineProperty) {\n Object.defineProperty(cooked, \"raw\", {\n value: raw\n });\n } else {\n cooked.raw = raw;\n }\n\n return cooked;\n};\n\nvar __extends = this && this.__extends || function () {\n var _extendStatics = function extendStatics(d, b) {\n _extendStatics = Object.setPrototypeOf || {\n __proto__: []\n } instanceof Array && function (d, b) {\n d.__proto__ = b;\n } || function (d, b) {\n for (var p in b) {\n if (b.hasOwnProperty(p)) d[p] = b[p];\n }\n };\n\n return _extendStatics(d, b);\n };\n\n return function (d, b) {\n _extendStatics(d, b);\n\n function __() {\n this.constructor = d;\n }\n\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n };\n}();\n\nvar __importStar = this && this.__importStar || function (mod) {\n if (mod && mod.__esModule) return mod;\n var result = {};\n if (mod != null) for (var k in mod) {\n if (Object.hasOwnProperty.call(mod, k)) result[k] = mod[k];\n }\n result[\"default\"] = mod;\n return result;\n};\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n/** @jsx jsx */\n\nvar React = __importStar(require(\"react\"));\n\nvar core_1 = require(\"@emotion/core\");\n\nvar helpers_1 = require(\"./helpers\");\n\nvar rotate = core_1.keyframes(templateObject_1 || (templateObject_1 = __makeTemplateObject([\"\\n 0% {transform: rotate(0deg)}\\n 50% {transform: rotate(180deg)}\\n 100% {transform: rotate(360deg)}\\n\"], [\"\\n 0% {transform: rotate(0deg)}\\n 50% {transform: rotate(180deg)}\\n 100% {transform: rotate(360deg)}\\n\"])));\n\nvar Loader =\n/** @class */\nfunction (_super) {\n __extends(Loader, _super);\n\n function Loader() {\n var _this = _super !== null && _super.apply(this, arguments) || this;\n\n _this.style = function (i) {\n var margin = _this.props.margin;\n var value = helpers_1.parseLengthAndUnit(margin).value;\n var left = (i % 2 ? -1 : 1) * (26 + value);\n return core_1.css(templateObject_2 || (templateObject_2 = __makeTemplateObject([\"\\n opacity: 0.8;\\n position: absolute;\\n top: 0;\\n left: \", \"px;\\n \"], [\"\\n opacity: 0.8;\\n position: absolute;\\n top: 0;\\n left: \", \"px;\\n \"])), left);\n };\n\n _this.ball = function () {\n var _a = _this.props,\n color = _a.color,\n size = _a.size;\n return core_1.css(templateObject_3 || (templateObject_3 = __makeTemplateObject([\"\\n background-color: \", \";\\n width: \", \";\\n height: \", \";\\n border-radius: 100%;\\n \"], [\"\\n background-color: \", \";\\n width: \", \";\\n height: \", \";\\n border-radius: 100%;\\n \"])), color, helpers_1.cssValue(size), helpers_1.cssValue(size));\n };\n\n _this.wrapper = function () {\n return core_1.css(templateObject_4 || (templateObject_4 = __makeTemplateObject([\"\\n \", \";\\n display: inline-block;\\n position: relative;\\n animation-fill-mode: both;\\n animation: \", \" 1s 0s infinite cubic-bezier(0.7, -0.13, 0.22, 0.86);\\n \"], [\"\\n \", \";\\n display: inline-block;\\n position: relative;\\n animation-fill-mode: both;\\n animation: \", \" 1s 0s infinite cubic-bezier(0.7, -0.13, 0.22, 0.86);\\n \"])), _this.ball(), rotate);\n };\n\n _this.long = function () {\n return core_1.css(templateObject_5 || (templateObject_5 = __makeTemplateObject([\"\\n \", \";\\n \", \";\\n \"], [\"\\n \", \";\\n \", \";\\n \"])), _this.ball(), _this.style(1));\n };\n\n _this.short = function () {\n return core_1.css(templateObject_6 || (templateObject_6 = __makeTemplateObject([\"\\n \", \";\\n \", \";\\n \"], [\"\\n \", \";\\n \", \";\\n \"])), _this.ball(), _this.style(2));\n };\n\n return _this;\n }\n\n Loader.prototype.render = function () {\n var _a = this.props,\n loading = _a.loading,\n css = _a.css;\n return loading ? core_1.jsx(\"div\", {\n css: [this.wrapper(), css]\n }, core_1.jsx(\"div\", {\n css: this.long()\n }), core_1.jsx(\"div\", {\n css: this.short()\n })) : null;\n };\n\n Loader.defaultProps = helpers_1.sizeMarginDefaults(15);\n return Loader;\n}(React.PureComponent);\n\nexports.default = Loader;\nvar templateObject_1, templateObject_2, templateObject_3, templateObject_4, templateObject_5, templateObject_6;","\"use strict\";\n\nrequire(\"core-js/modules/es6.function.name\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\nfunction getChildren(elem) {\n // @ts-ignore\n return elem.children || null;\n}\n\nexports.getChildren = getChildren;\n\nfunction getParent(elem) {\n return elem.parent || null;\n}\n\nexports.getParent = getParent;\n\nfunction getSiblings(elem) {\n var parent = getParent(elem);\n return parent ? getChildren(parent) : [elem];\n}\n\nexports.getSiblings = getSiblings;\n\nfunction getAttributeValue(elem, name) {\n return elem.attribs && elem.attribs[name];\n}\n\nexports.getAttributeValue = getAttributeValue;\n\nfunction hasAttrib(elem, name) {\n return !!getAttributeValue(elem, name);\n}\n\nexports.hasAttrib = hasAttrib;\n/***\n * Returns the name property of an element\n *\n * @argument elem The element to get the name for\n */\n\nfunction getName(elem) {\n return elem.name;\n}\n\nexports.getName = getName;","function _map(fn, functor) {\n var idx = 0;\n var len = functor.length;\n var result = Array(len);\n\n while (idx < len) {\n result[idx] = fn(functor[idx]);\n idx += 1;\n }\n\n return result;\n}\n\nmodule.exports = _map;","\"use strict\";\n\nrequire(\"core-js/modules/es6.regexp.replace\");\n\nrequire(\"core-js/modules/es6.regexp.to-string\");\n\nrequire(\"core-js/modules/es6.regexp.constructor\");\n\nrequire(\"core-js/modules/web.dom.iterable\");\n\nrequire(\"core-js/modules/es6.array.iterator\");\n\nrequire(\"core-js/modules/es6.object.to-string\");\n\nrequire(\"core-js/modules/es6.object.keys\");\n\nvar __importDefault = this && this.__importDefault || function (mod) {\n return mod && mod.__esModule ? mod : {\n \"default\": mod\n };\n};\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\nvar xml_json_1 = __importDefault(require(\"./maps/xml.json\"));\n\nvar inverseXML = getInverseObj(xml_json_1.default);\nvar xmlReplacer = getInverseReplacer(inverseXML);\nexports.encodeXML = getInverse(inverseXML, xmlReplacer);\n\nvar entities_json_1 = __importDefault(require(\"./maps/entities.json\"));\n\nvar inverseHTML = getInverseObj(entities_json_1.default);\nvar htmlReplacer = getInverseReplacer(inverseHTML);\nexports.encodeHTML = getInverse(inverseHTML, htmlReplacer);\n\nfunction getInverseObj(obj) {\n return Object.keys(obj).sort().reduce(function (inverse, name) {\n inverse[obj[name]] = \"&\" + name + \";\";\n return inverse;\n }, {});\n}\n\nfunction getInverseReplacer(inverse) {\n var single = [];\n var multiple = [];\n Object.keys(inverse).forEach(function (k) {\n return k.length === 1 ? // Add value to single array\n single.push(\"\\\\\" + k) : // Add value to multiple array\n multiple.push(k);\n }); //TODO add ranges\n\n multiple.unshift(\"[\" + single.join(\"\") + \"]\");\n return new RegExp(multiple.join(\"|\"), \"g\");\n}\n\nvar reNonASCII = /[^\\0-\\x7F]/g;\nvar reAstralSymbols = /[\\uD800-\\uDBFF][\\uDC00-\\uDFFF]/g;\n\nfunction singleCharReplacer(c) {\n return \"\" + c.charCodeAt(0).toString(16).toUpperCase() + \";\";\n} // eslint-disable-next-line @typescript-eslint/no-unused-vars, @typescript-eslint/no-explicit-any\n\n\nfunction astralReplacer(c, _) {\n // http://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae\n var high = c.charCodeAt(0);\n var low = c.charCodeAt(1);\n var codePoint = (high - 0xd800) * 0x400 + low - 0xdc00 + 0x10000;\n return \"\" + codePoint.toString(16).toUpperCase() + \";\";\n}\n\nfunction getInverse(inverse, re) {\n return function (data) {\n return data.replace(re, function (name) {\n return inverse[name];\n }).replace(reAstralSymbols, astralReplacer).replace(reNonASCII, singleCharReplacer);\n };\n}\n\nvar reXmlChars = getInverseReplacer(inverseXML);\n\nfunction escape(data) {\n return data.replace(reXmlChars, singleCharReplacer).replace(reAstralSymbols, astralReplacer).replace(reNonASCII, singleCharReplacer);\n}\n\nexports.escape = escape;","import React from \"react\";\nimport { Link } from \"gatsby\";\n\nimport { formatUTCStringToLocalDateForPost } from \"../../utils/utilities\";\n\nimport s from \"./RecentPost.module.scss\";\n\nexport default function RecentPost({ post }) {\n const { heading, created_at, link, publish_date } = post;\n let date = publish_date || created_at;\n date = formatUTCStringToLocalDateForPost(date);\n\n return (\n
\n \n {heading}\n \n {date}\n
\n );\n}\n","import React from \"react\";\n\n//components\nimport RecentPost from \"./RecentPost\";\n// import ContactForm from \"../forms/Contact\";\nimport HubSpotForm from \"../../components/non-panels/forms/HubSpotForm\";\nimport {\n BlogSubscribeFormReplacementMessage,\n WhitepaperLeadMagnetFormReplacementMessage\n} from \"../../components/non-panels/forms/replacementElements\";\nimport { addTrailingSlash } from '../../utils/utilities';\n// import ShortForm from \"../forms/SmallSubscription\";\n\n//styles\nimport s from \"./LinkBar.module.scss\";\n// import \"./LinkBar.styles.css\";\n// import layoutStyle from \"../layouts/layout.module.scss\";\n// import contactStyle from \"../forms/Contact.module.scss\";\n\nfunction makeHashLink(slug, uri) {\n return addTrailingSlash(`${uri}/${slug}`);\n}\n\nexport default function LinkBar({ recentPosts, URIMap, downloadableFile }) {\n // Add hash link to each post.\n recentPosts.forEach(e => {\n const slug = e.slug.endsWith(\"/\") ? e.slug : `${e.slug}/`;\n e[\"link\"] = makeHashLink(e.slug, URIMap[slug]);\n });\n\n return (\n
\n
\n
\n
Subscribe
\n
\n
\n \n
\n
\n {/*
Subscribe
*/}\n {/* */}\n
\n
\n
Recent Posts
\n
\n
\n {recentPosts.map(e => (\n \n ))}\n
\n
\n {/* */}\n
\n );\n}\n","import React, { useState, useLayoutEffect } from \"react\";\nimport { Helmet } from \"react-helmet\";\nimport RotateLoader from \"react-spinners/RotateLoader\";\n\nimport { debounce } from \"../../../utils/utilities\";\n\nimport HubSpotForm from \"./BaseHubspotForm\";\nimport contactStyle from \"./Contact.module.scss\";\n\n/**\n * HubSpot form by default sets its width inline when first rendering.\n * It doesn't resize, and is tricky to target with css.\n * This function updates it's width manually.\n */\nconst updateFrameWidth = () => {\n const hbIframe = document.querySelector(\"iframe.hs-form-iframe\");\n\n if (hbIframe != null) {\n hbIframe.width = \"100%\";\n hbIframe.style.width = \"100%\";\n }\n};\n\n// I am using the blog shortform as the default replacementElement.\nconst ThankYouMessage = () => (\n
\n
\n Done!Thank you so much for your subscription.\n
\n \n {/* This is probably the most problematic part of this.\n That the onSubmit requires jQuery is a little ridiculous\n But I have tried everthing I could think of, including a polyfilled\n jQuery element using a proxy for jQ specific methods, no dice. */}\n {/* */}\n \n {isSubmitted ? (\n replacementElement || \n ) : (\n setIsSubmitted(true)}\n loading={\n // Taken directly from react-bootstrap docs.\n
\n \n
\n }\n />\n )}\n
\n );\n};\n","var _curry1 = /*#__PURE__*/require('./_curry1');\n\nvar _curry2 = /*#__PURE__*/require('./_curry2');\n\nvar _isPlaceholder = /*#__PURE__*/require('./_isPlaceholder');\n/**\n * Optimized internal three-arity curry function.\n *\n * @private\n * @category Function\n * @param {Function} fn The function to curry.\n * @return {Function} The curried function.\n */\n\n\nfunction _curry3(fn) {\n return function f3(a, b, c) {\n switch (arguments.length) {\n case 0:\n return f3;\n\n case 1:\n return _isPlaceholder(a) ? f3 : _curry2(function (_b, _c) {\n return fn(a, _b, _c);\n });\n\n case 2:\n return _isPlaceholder(a) && _isPlaceholder(b) ? f3 : _isPlaceholder(a) ? _curry2(function (_a, _c) {\n return fn(_a, b, _c);\n }) : _isPlaceholder(b) ? _curry2(function (_b, _c) {\n return fn(a, _b, _c);\n }) : _curry1(function (_c) {\n return fn(a, b, _c);\n });\n\n default:\n return _isPlaceholder(a) && _isPlaceholder(b) && _isPlaceholder(c) ? f3 : _isPlaceholder(a) && _isPlaceholder(b) ? _curry2(function (_a, _b) {\n return fn(_a, _b, c);\n }) : _isPlaceholder(a) && _isPlaceholder(c) ? _curry2(function (_a, _c) {\n return fn(_a, b, _c);\n }) : _isPlaceholder(b) && _isPlaceholder(c) ? _curry2(function (_b, _c) {\n return fn(a, _b, _c);\n }) : _isPlaceholder(a) ? _curry1(function (_a) {\n return fn(_a, b, c);\n }) : _isPlaceholder(b) ? _curry1(function (_b) {\n return fn(a, _b, c);\n }) : _isPlaceholder(c) ? _curry1(function (_c) {\n return fn(a, b, _c);\n }) : fn(a, b, c);\n }\n };\n}\n\nmodule.exports = _curry3;","require(\"core-js/modules/es6.regexp.to-string\");\n\nrequire(\"core-js/modules/es6.object.to-string\");\n\nfunction _isString(x) {\n return Object.prototype.toString.call(x) === '[object String]';\n}\n\nmodule.exports = _isString;","require(\"core-js/modules/es6.object.assign\");\n\nrequire(\"core-js/modules/es6.function.name\");\n\nrequire(\"core-js/modules/es6.regexp.replace\");\n\n/*\n Module dependencies\n*/\nvar ElementType = require('domelementtype');\n\nvar entities = require('entities');\n/* mixed-case SVG and MathML tags & attributes\n recognized by the HTML parser, see\n https://html.spec.whatwg.org/multipage/parsing.html#parsing-main-inforeign\n*/\n\n\nvar foreignNames = require('./foreignNames.json');\n\nforeignNames.elementNames.__proto__ = null;\n/* use as a simple dictionary */\n\nforeignNames.attributeNames.__proto__ = null;\nvar unencodedElements = {\n __proto__: null,\n style: true,\n script: true,\n xmp: true,\n iframe: true,\n noembed: true,\n noframes: true,\n plaintext: true,\n noscript: true\n};\n/*\n Format attributes\n*/\n\nfunction formatAttrs(attributes, opts) {\n if (!attributes) return;\n var output = '';\n var value; // Loop through the attributes\n\n for (var key in attributes) {\n value = attributes[key];\n\n if (output) {\n output += ' ';\n }\n\n if (opts.xmlMode === 'foreign') {\n /* fix up mixed-case attribute names */\n key = foreignNames.attributeNames[key] || key;\n }\n\n output += key;\n\n if (value !== null && value !== '' || opts.xmlMode) {\n output += '=\"' + (opts.decodeEntities ? entities.encodeXML(value) : value.replace(/\\\"/g, '"')) + '\"';\n }\n }\n\n return output;\n}\n/*\n Self-enclosing tags (stolen from node-htmlparser)\n*/\n\n\nvar singleTag = {\n __proto__: null,\n area: true,\n base: true,\n basefont: true,\n br: true,\n col: true,\n command: true,\n embed: true,\n frame: true,\n hr: true,\n img: true,\n input: true,\n isindex: true,\n keygen: true,\n link: true,\n meta: true,\n param: true,\n source: true,\n track: true,\n wbr: true\n};\n\nvar render = module.exports = function (dom, opts) {\n if (!Array.isArray(dom) && !dom.cheerio) dom = [dom];\n opts = opts || {};\n var output = '';\n\n for (var i = 0; i < dom.length; i++) {\n var elem = dom[i];\n if (elem.type === 'root') output += render(elem.children, opts);else if (ElementType.isTag(elem)) output += renderTag(elem, opts);else if (elem.type === ElementType.Directive) output += renderDirective(elem);else if (elem.type === ElementType.Comment) output += renderComment(elem);else if (elem.type === ElementType.CDATA) output += renderCdata(elem);else output += renderText(elem, opts);\n }\n\n return output;\n};\n\nvar foreignModeIntegrationPoints = ['mi', 'mo', 'mn', 'ms', 'mtext', 'annotation-xml', 'foreignObject', 'desc', 'title'];\n\nfunction renderTag(elem, opts) {\n // Handle SVG / MathML in HTML\n if (opts.xmlMode === 'foreign') {\n /* fix up mixed-case element names */\n elem.name = foreignNames.elementNames[elem.name] || elem.name;\n /* exit foreign mode at integration points */\n\n if (elem.parent && foreignModeIntegrationPoints.indexOf(elem.parent.name) >= 0) opts = Object.assign({}, opts, {\n xmlMode: false\n });\n }\n\n if (!opts.xmlMode && ['svg', 'math'].indexOf(elem.name) >= 0) {\n opts = Object.assign({}, opts, {\n xmlMode: 'foreign'\n });\n }\n\n var tag = '<' + elem.name;\n var attribs = formatAttrs(elem.attribs, opts);\n\n if (attribs) {\n tag += ' ' + attribs;\n }\n\n if (opts.xmlMode && (!elem.children || elem.children.length === 0)) {\n tag += '/>';\n } else {\n tag += '>';\n\n if (elem.children) {\n tag += render(elem.children, opts);\n }\n\n if (!singleTag[elem.name] || opts.xmlMode) {\n tag += '' + elem.name + '>';\n }\n }\n\n return tag;\n}\n\nfunction renderDirective(elem) {\n return '<' + elem.data + '>';\n}\n\nfunction renderText(elem, opts) {\n var data = elem.data || ''; // if entities weren't decoded, no need to encode them back\n\n if (opts.decodeEntities && !(elem.parent && elem.parent.name in unencodedElements)) {\n data = entities.encodeXML(data);\n }\n\n return data;\n}\n\nfunction renderCdata(elem) {\n return '';\n}\n\nfunction renderComment(elem) {\n return '';\n}","var _arity = /*#__PURE__*/require('./_arity');\n\nvar _isPlaceholder = /*#__PURE__*/require('./_isPlaceholder');\n/**\n * Internal curryN function.\n *\n * @private\n * @category Function\n * @param {Number} length The arity of the curried function.\n * @param {Array} received An array of arguments received thus far.\n * @param {Function} fn The function to curry.\n * @return {Function} The curried function.\n */\n\n\nfunction _curryN(length, received, fn) {\n return function () {\n var combined = [];\n var argsIdx = 0;\n var left = length;\n var combinedIdx = 0;\n\n while (combinedIdx < received.length || argsIdx < arguments.length) {\n var result;\n\n if (combinedIdx < received.length && (!_isPlaceholder(received[combinedIdx]) || argsIdx >= arguments.length)) {\n result = received[combinedIdx];\n } else {\n result = arguments[argsIdx];\n argsIdx += 1;\n }\n\n combined[combinedIdx] = result;\n\n if (!_isPlaceholder(result)) {\n left -= 1;\n }\n\n combinedIdx += 1;\n }\n\n return left <= 0 ? fn.apply(this, combined) : _arity(left, _curryN(length, combined, fn));\n };\n}\n\nmodule.exports = _curryN;","require(\"core-js/modules/web.dom.iterable\");\n\nrequire(\"core-js/modules/es6.array.iterator\");\n\nrequire(\"core-js/modules/es6.object.to-string\");\n\nrequire(\"core-js/modules/es6.object.keys\");\n\nvar _curry1 = /*#__PURE__*/require('./internal/_curry1');\n\nvar _has = /*#__PURE__*/require('./internal/_has');\n\nvar _isArguments = /*#__PURE__*/require('./internal/_isArguments'); // cover IE < 9 keys issues\n\n\nvar hasEnumBug = ! /*#__PURE__*/{\n toString: null\n}.propertyIsEnumerable('toString');\nvar nonEnumerableProps = ['constructor', 'valueOf', 'isPrototypeOf', 'toString', 'propertyIsEnumerable', 'hasOwnProperty', 'toLocaleString']; // Safari bug\n\nvar hasArgsEnumBug = /*#__PURE__*/function () {\n 'use strict';\n\n return arguments.propertyIsEnumerable('length');\n}();\n\nvar contains = function contains(list, item) {\n var idx = 0;\n\n while (idx < list.length) {\n if (list[idx] === item) {\n return true;\n }\n\n idx += 1;\n }\n\n return false;\n};\n/**\n * Returns a list containing the names of all the enumerable own properties of\n * the supplied object.\n * Note that the order of the output array is not guaranteed to be consistent\n * across different JS platforms.\n *\n * @func\n * @memberOf R\n * @since v0.1.0\n * @category Object\n * @sig {k: v} -> [k]\n * @param {Object} obj The object to extract properties from\n * @return {Array} An array of the object's own properties.\n * @see R.keysIn, R.values\n * @example\n *\n * R.keys({a: 1, b: 2, c: 3}); //=> ['a', 'b', 'c']\n */\n\n\nvar keys = typeof Object.keys === 'function' && !hasArgsEnumBug ? /*#__PURE__*/_curry1(function keys(obj) {\n return Object(obj) !== obj ? [] : Object.keys(obj);\n}) : /*#__PURE__*/_curry1(function keys(obj) {\n if (Object(obj) !== obj) {\n return [];\n }\n\n var prop, nIdx;\n var ks = [];\n\n var checkArgsLength = hasArgsEnumBug && _isArguments(obj);\n\n for (prop in obj) {\n if (_has(prop, obj) && (!checkArgsLength || prop !== 'length')) {\n ks[ks.length] = prop;\n }\n }\n\n if (hasEnumBug) {\n nIdx = nonEnumerableProps.length - 1;\n\n while (nIdx >= 0) {\n prop = nonEnumerableProps[nIdx];\n\n if (_has(prop, obj) && !contains(ks, prop)) {\n ks[ks.length] = prop;\n }\n\n nIdx -= 1;\n }\n }\n\n return ks;\n});\nmodule.exports = keys;","var _curry2 = /*#__PURE__*/require('./internal/_curry2');\n\nvar _dispatchable = /*#__PURE__*/require('./internal/_dispatchable');\n\nvar _filter = /*#__PURE__*/require('./internal/_filter');\n\nvar _isObject = /*#__PURE__*/require('./internal/_isObject');\n\nvar _reduce = /*#__PURE__*/require('./internal/_reduce');\n\nvar _xfilter = /*#__PURE__*/require('./internal/_xfilter');\n\nvar keys = /*#__PURE__*/require('./keys');\n/**\n * Takes a predicate and a `Filterable`, and returns a new filterable of the\n * same type containing the members of the given filterable which satisfy the\n * given predicate. Filterable objects include plain objects or any object\n * that has a filter method such as `Array`.\n *\n * Dispatches to the `filter` method of the second argument, if present.\n *\n * Acts as a transducer if a transformer is given in list position.\n *\n * @func\n * @memberOf R\n * @since v0.1.0\n * @category List\n * @sig Filterable f => (a -> Boolean) -> f a -> f a\n * @param {Function} pred\n * @param {Array} filterable\n * @return {Array} Filterable\n * @see R.reject, R.transduce, R.addIndex\n * @example\n *\n * const isEven = n => n % 2 === 0;\n *\n * R.filter(isEven, [1, 2, 3, 4]); //=> [2, 4]\n *\n * R.filter(isEven, {a: 1, b: 2, c: 3, d: 4}); //=> {b: 2, d: 4}\n */\n\n\nvar filter = /*#__PURE__*/_curry2( /*#__PURE__*/_dispatchable(['filter'], _xfilter, function (pred, filterable) {\n return _isObject(filterable) ? _reduce(function (acc, key) {\n if (pred(filterable[key])) {\n acc[key] = filterable[key];\n }\n\n return acc;\n }, {}, keys(filterable)) : // else\n _filter(pred, filterable);\n}));\n\nmodule.exports = filter;","\"use strict\";\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n/**\n * Calls a specific handler function for all events that are encountered.\n *\n * @param func — The function to multiplex all events to.\n */\n\nvar MultiplexHandler =\n/** @class */\nfunction () {\n function MultiplexHandler(func) {\n this._func = func;\n }\n /* Format: eventname: number of arguments */\n\n\n MultiplexHandler.prototype.onattribute = function (name, value) {\n this._func(\"onattribute\", name, value);\n };\n\n MultiplexHandler.prototype.oncdatastart = function () {\n this._func(\"oncdatastart\");\n };\n\n MultiplexHandler.prototype.oncdataend = function () {\n this._func(\"oncdataend\");\n };\n\n MultiplexHandler.prototype.ontext = function (text) {\n this._func(\"ontext\", text);\n };\n\n MultiplexHandler.prototype.onprocessinginstruction = function (name, value) {\n this._func(\"onprocessinginstruction\", name, value);\n };\n\n MultiplexHandler.prototype.oncomment = function (comment) {\n this._func(\"oncomment\", comment);\n };\n\n MultiplexHandler.prototype.oncommentend = function () {\n this._func(\"oncommentend\");\n };\n\n MultiplexHandler.prototype.onclosetag = function (name) {\n this._func(\"onclosetag\", name);\n };\n\n MultiplexHandler.prototype.onopentag = function (name, attribs) {\n this._func(\"onopentag\", name, attribs);\n };\n\n MultiplexHandler.prototype.onopentagname = function (name) {\n this._func(\"onopentagname\", name);\n };\n\n MultiplexHandler.prototype.onerror = function (error) {\n this._func(\"onerror\", error);\n };\n\n MultiplexHandler.prototype.onend = function () {\n this._func(\"onend\");\n };\n\n MultiplexHandler.prototype.onparserinit = function (parser) {\n this._func(\"onparserinit\", parser);\n };\n\n MultiplexHandler.prototype.onreset = function () {\n this._func(\"onreset\");\n };\n\n return MultiplexHandler;\n}();\n\nexports.default = MultiplexHandler;","\"use strict\";\n\nvar __extends = this && this.__extends || function () {\n var _extendStatics = function extendStatics(d, b) {\n _extendStatics = Object.setPrototypeOf || {\n __proto__: []\n } instanceof Array && function (d, b) {\n d.__proto__ = b;\n } || function (d, b) {\n for (var p in b) {\n if (b.hasOwnProperty(p)) d[p] = b[p];\n }\n };\n\n return _extendStatics(d, b);\n };\n\n return function (d, b) {\n _extendStatics(d, b);\n\n function __() {\n this.constructor = d;\n }\n\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\n };\n}();\n\nvar __importDefault = this && this.__importDefault || function (mod) {\n return mod && mod.__esModule ? mod : {\n \"default\": mod\n };\n};\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\nvar MultiplexHandler_1 = __importDefault(require(\"./MultiplexHandler\"));\n\nvar CollectingHandler =\n/** @class */\nfunction (_super) {\n __extends(CollectingHandler, _super);\n\n function CollectingHandler(cbs) {\n if (cbs === void 0) {\n cbs = {};\n }\n\n var _this = _super.call(this, function (name) {\n var _a;\n\n var args = [];\n\n for (var _i = 1; _i < arguments.length; _i++) {\n args[_i - 1] = arguments[_i];\n }\n\n _this.events.push([name].concat(args)); // @ts-ignore\n\n\n if (_this._cbs[name]) (_a = _this._cbs)[name].apply(_a, args);\n }) || this;\n\n _this._cbs = cbs;\n _this.events = [];\n return _this;\n }\n\n CollectingHandler.prototype.onreset = function () {\n this.events = [];\n if (this._cbs.onreset) this._cbs.onreset();\n };\n\n CollectingHandler.prototype.restart = function () {\n var _a;\n\n if (this._cbs.onreset) this._cbs.onreset();\n\n for (var i = 0; i < this.events.length; i++) {\n var _b = this.events[i],\n name_1 = _b[0],\n args = _b.slice(1);\n\n if (!this._cbs[name_1]) {\n continue;\n } // @ts-ignore\n\n\n (_a = this._cbs)[name_1].apply(_a, args);\n }\n };\n\n return CollectingHandler;\n}(MultiplexHandler_1.default);\n\nexports.CollectingHandler = CollectingHandler;","var _isArray = /*#__PURE__*/require('./_isArray');\n\nvar _isTransformer = /*#__PURE__*/require('./_isTransformer');\n/**\n * Returns a function that dispatches with different strategies based on the\n * object in list position (last argument). If it is an array, executes [fn].\n * Otherwise, if it has a function with one of the given method names, it will\n * execute that function (functor case). Otherwise, if it is a transformer,\n * uses transducer [xf] to return a new transformer (transducer case).\n * Otherwise, it will default to executing [fn].\n *\n * @private\n * @param {Array} methodNames properties to check for a custom implementation\n * @param {Function} xf transducer to initialize if object is transformer\n * @param {Function} fn default ramda implementation\n * @return {Function} A function that dispatches on object in list position\n */\n\n\nfunction _dispatchable(methodNames, xf, fn) {\n return function () {\n if (arguments.length === 0) {\n return fn();\n }\n\n var args = Array.prototype.slice.call(arguments, 0);\n var obj = args.pop();\n\n if (!_isArray(obj)) {\n var idx = 0;\n\n while (idx < methodNames.length) {\n if (typeof obj[methodNames[idx]] === 'function') {\n return obj[methodNames[idx]].apply(obj, args);\n }\n\n idx += 1;\n }\n\n if (_isTransformer(obj)) {\n var transducer = xf.apply(null, args);\n return transducer(obj);\n }\n }\n\n return fn.apply(this, arguments);\n };\n}\n\nmodule.exports = _dispatchable;","import React from \"react\";\nimport { Link } from \"gatsby\";\n\nconst LinkButton = ({\n to,\n backgroundColorCondition,\n buttonStyles,\n innerText,\n textColor = \"white\",\n backgroundColor = \"#2a2070\"\n}) => {\n return (\n \n \n \n );\n};\n\nexport default LinkButton;\n","'use strict';\n\nvar parser = require('./lib/parser');\n\nvar processingInstructions = require('./lib/processing-instructions');\n\nvar isValidNodeDefinitions = require('./lib/is-valid-node-definitions');\n\nvar processNodeDefinitions = require('./lib/process-node-definitions');\n\nmodule.exports = {\n Parser: parser,\n ProcessingInstructions: processingInstructions,\n IsValidNodeDefinitions: isValidNodeDefinitions,\n ProcessNodeDefinitions: processNodeDefinitions\n};","\"use strict\";\n\nfunction __export(m) {\n for (var p in m) {\n if (!exports.hasOwnProperty(p)) exports[p] = m[p];\n }\n}\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n\n__export(require(\"./proptypes\"));\n\n__export(require(\"./colors\"));\n\n__export(require(\"./unitConverter\"));","\"use strict\";\n\nrequire(\"core-js/modules/es6.object.assign\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nvar commonValues = {\n loading: true,\n color: \"#000000\",\n css: \"\"\n};\n\nfunction sizeDefaults(sizeValue) {\n return Object.assign({}, commonValues, {\n size: sizeValue\n });\n}\n\nexports.sizeDefaults = sizeDefaults;\n\nfunction sizeMarginDefaults(sizeValue) {\n return Object.assign({}, sizeDefaults(sizeValue), {\n margin: 2\n });\n}\n\nexports.sizeMarginDefaults = sizeMarginDefaults;\n\nfunction heightWidthDefaults(height, width) {\n return Object.assign({}, commonValues, {\n height: height,\n width: width\n });\n}\n\nexports.heightWidthDefaults = heightWidthDefaults;\n\nfunction heightWidthRadiusDefaults(height, width, radius) {\n if (radius === void 0) {\n radius = 2;\n }\n\n return Object.assign({}, heightWidthDefaults(height, width), {\n radius: radius,\n margin: 2\n });\n}\n\nexports.heightWidthRadiusDefaults = heightWidthRadiusDefaults;","function _isTransformer(obj) {\n return obj != null && typeof obj['@@transducer/step'] === 'function';\n}\n\nmodule.exports = _isTransformer;","\"use strict\";\n\nrequire(\"core-js/modules/es6.regexp.match\");\n\nrequire(\"core-js/modules/es6.regexp.split\");\n\nrequire(\"core-js/modules/web.dom.iterable\");\n\nrequire(\"core-js/modules/es6.array.iterator\");\n\nrequire(\"core-js/modules/es6.object.to-string\");\n\nrequire(\"core-js/modules/es6.object.keys\");\n\nrequire(\"core-js/modules/es7.array.includes\");\n\nrequire(\"core-js/modules/es6.string.includes\");\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\nvar BasicColors;\n\n(function (BasicColors) {\n BasicColors[\"maroon\"] = \"#800000\";\n BasicColors[\"red\"] = \"#FF0000\";\n BasicColors[\"orange\"] = \"#FFA500\";\n BasicColors[\"yellow\"] = \"#FFFF00\";\n BasicColors[\"olive\"] = \"#808000\";\n BasicColors[\"green\"] = \"#008000\";\n BasicColors[\"purple\"] = \"#800080\";\n BasicColors[\"fuchsia\"] = \"#FF00FF\";\n BasicColors[\"lime\"] = \"#00FF00\";\n BasicColors[\"teal\"] = \"#008080\";\n BasicColors[\"aqua\"] = \"#00FFFF\";\n BasicColors[\"blue\"] = \"#0000FF\";\n BasicColors[\"navy\"] = \"#000080\";\n BasicColors[\"black\"] = \"#000000\";\n BasicColors[\"gray\"] = \"#808080\";\n BasicColors[\"silver\"] = \"#C0C0C0\";\n BasicColors[\"white\"] = \"#FFFFFF\";\n})(BasicColors || (BasicColors = {}));\n\nexports.calculateRgba = function (color, opacity) {\n if (Object.keys(BasicColors).includes(color)) {\n color = BasicColors[color];\n }\n\n if (color[0] === \"#\") {\n color = color.slice(1);\n }\n\n if (color.length === 3) {\n var res_1 = \"\";\n color.split(\"\").forEach(function (c) {\n res_1 += c;\n res_1 += c;\n });\n color = res_1;\n }\n\n var rgbValues = color.match(/.{2}/g).map(function (hex) {\n return parseInt(hex, 16);\n }).join(\", \");\n return \"rgba(\" + rgbValues + \", \" + opacity + \")\";\n};","'use strict';\n\nvar forEach = require('ramda/src/forEach');\n\nvar find = require('ramda/src/find');\n\nvar reject = require('ramda/src/reject');\n\nvar addIndex = require('ramda/src/addIndex');\n\nvar map = require('ramda/src/map');\n\nvar HtmlParser = require('htmlparser2').Parser;\n\nvar DomHandler = require('domhandler').DomHandler;\n\nvar ProcessingInstructions = require('./processing-instructions');\n\nvar IsValidNodeDefinitions = require('./is-valid-node-definitions');\n\nvar utils = require('./utils');\n\nfunction Html2ReactParser(options) {\n function parseHtmlToTree(html) {\n options = options || {};\n options.decodeEntities = true;\n var handler = new DomHandler();\n var parser = new HtmlParser(handler, options);\n parser.parseComplete(html);\n return handler.dom.filter(function (element) {\n return element.type !== 'directive';\n });\n }\n\n ;\n\n function traverseDom(node, isValidNode, processingInstructions, preprocessingInstructions, index) {\n if (isValidNode(node)) {\n forEach(function (preprocessingInstruction) {\n if (preprocessingInstruction.shouldPreprocessNode(node)) {\n preprocessingInstruction.preprocessNode(node, index);\n }\n }, preprocessingInstructions || []);\n var processingInstruction = find(function (processingInstruction) {\n return processingInstruction.shouldProcessNode(node);\n }, processingInstructions || []);\n\n if (processingInstruction != null) {\n var children = reject(function (x) {\n return x == null || x === false;\n }, addIndex(map)(function (child, i) {\n return traverseDom(child, isValidNode, processingInstructions, preprocessingInstructions, i);\n }, node.children || []));\n\n if (processingInstruction.replaceChildren) {\n return utils.createElement(node, index, node.data, [processingInstruction.processNode(node, children, index)]);\n } else {\n return processingInstruction.processNode(node, children, index);\n }\n } else {\n return false;\n }\n } else {\n return false;\n }\n }\n\n ;\n\n function parseWithInstructions(html, isValidNode, processingInstructions, preprocessingInstructions) {\n var domTree = parseHtmlToTree(html);\n var list = domTree.map(function (domTreeItem, index) {\n return traverseDom(domTreeItem, isValidNode, processingInstructions, preprocessingInstructions, index);\n });\n return list.length <= 1 ? list[0] : list;\n }\n\n ;\n\n function parse(html) {\n var processingInstructions = new ProcessingInstructions();\n return parseWithInstructions(html, IsValidNodeDefinitions.alwaysValid, processingInstructions.defaultProcessingInstructions);\n }\n\n ;\n return {\n parse: parse,\n parseWithInstructions: parseWithInstructions\n };\n}\n\n;\nmodule.exports = Html2ReactParser;","function _complement(f) {\n return function () {\n return !f.apply(this, arguments);\n };\n}\n\nmodule.exports = _complement;","require(\"core-js/modules/es7.symbol.async-iterator\");\n\nrequire(\"core-js/modules/es6.symbol\");\n\nvar _isArrayLike = /*#__PURE__*/require('./_isArrayLike');\n\nvar _xwrap = /*#__PURE__*/require('./_xwrap');\n\nvar bind = /*#__PURE__*/require('../bind');\n\nfunction _arrayReduce(xf, acc, list) {\n var idx = 0;\n var len = list.length;\n\n while (idx < len) {\n acc = xf['@@transducer/step'](acc, list[idx]);\n\n if (acc && acc['@@transducer/reduced']) {\n acc = acc['@@transducer/value'];\n break;\n }\n\n idx += 1;\n }\n\n return xf['@@transducer/result'](acc);\n}\n\nfunction _iterableReduce(xf, acc, iter) {\n var step = iter.next();\n\n while (!step.done) {\n acc = xf['@@transducer/step'](acc, step.value);\n\n if (acc && acc['@@transducer/reduced']) {\n acc = acc['@@transducer/value'];\n break;\n }\n\n step = iter.next();\n }\n\n return xf['@@transducer/result'](acc);\n}\n\nfunction _methodReduce(xf, acc, obj, methodName) {\n return xf['@@transducer/result'](obj[methodName](bind(xf['@@transducer/step'], xf), acc));\n}\n\nvar symIterator = typeof Symbol !== 'undefined' ? Symbol.iterator : '@@iterator';\n\nfunction _reduce(fn, acc, list) {\n if (typeof fn === 'function') {\n fn = _xwrap(fn);\n }\n\n if (_isArrayLike(list)) {\n return _arrayReduce(fn, acc, list);\n }\n\n if (typeof list['fantasy-land/reduce'] === 'function') {\n return _methodReduce(fn, acc, list, 'fantasy-land/reduce');\n }\n\n if (list[symIterator] != null) {\n return _iterableReduce(fn, acc, list[symIterator]());\n }\n\n if (typeof list.next === 'function') {\n return _iterableReduce(fn, acc, list);\n }\n\n if (typeof list.reduce === 'function') {\n return _methodReduce(fn, acc, list, 'reduce');\n }\n\n throw new TypeError('reduce: list must be array or iterable');\n}\n\nmodule.exports = _reduce;","\"use strict\";\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n/***\n * Remove an element from the dom\n *\n * @argument elem The element to be removed\n */\n\nfunction removeElement(elem) {\n if (elem.prev) elem.prev.next = elem.next;\n if (elem.next) elem.next.prev = elem.prev;\n\n if (elem.parent) {\n var childs = elem.parent.children;\n childs.splice(childs.lastIndexOf(elem), 1);\n }\n}\n\nexports.removeElement = removeElement;\n/***\n * Replace an element in the dom\n *\n * @argument elem The element to be replaced\n * @argument replacement The element to be added\n */\n\nfunction replaceElement(elem, replacement) {\n var prev = replacement.prev = elem.prev;\n\n if (prev) {\n prev.next = replacement;\n }\n\n var next = replacement.next = elem.next;\n\n if (next) {\n next.prev = replacement;\n }\n\n var parent = replacement.parent = elem.parent;\n\n if (parent) {\n var childs = parent.children;\n childs[childs.lastIndexOf(elem)] = replacement;\n }\n}\n\nexports.replaceElement = replaceElement;\n/***\n * Append a child to an element\n *\n * @argument elem The element to append to\n * @argument child The element to be added as a child\n */\n\nfunction appendChild(elem, child) {\n child.parent = elem;\n\n if (elem.children.push(child) !== 1) {\n var sibling = elem.children[elem.children.length - 2];\n sibling.next = child;\n child.prev = sibling;\n child.next = null;\n }\n}\n\nexports.appendChild = appendChild;\n/***\n * Append an element after another\n *\n * @argument elem The element to append to\n * @argument next The element be added\n */\n\nfunction append(elem, next) {\n var parent = elem.parent,\n currNext = elem.next;\n next.next = currNext;\n next.prev = elem;\n elem.next = next;\n next.parent = parent;\n\n if (currNext) {\n currNext.prev = next;\n\n if (parent) {\n var childs = parent.children;\n childs.splice(childs.lastIndexOf(currNext), 0, next);\n }\n } else if (parent) {\n parent.children.push(next);\n }\n}\n\nexports.append = append;\n/***\n * Prepend an element before another\n *\n * @argument elem The element to append to\n * @argument prev The element be added\n */\n\nfunction prepend(elem, prev) {\n var parent = elem.parent;\n\n if (parent) {\n var childs = parent.children;\n childs.splice(childs.lastIndexOf(elem), 0, prev);\n }\n\n if (elem.prev) {\n elem.prev.next = prev;\n }\n\n prev.parent = parent;\n prev.prev = elem.prev;\n prev.next = elem;\n elem.prev = prev;\n}\n\nexports.prepend = prepend;","var _isArray = /*#__PURE__*/require('./_isArray');\n/**\n * This checks whether a function has a [methodname] function. If it isn't an\n * array it will execute that function otherwise it will default to the ramda\n * implementation.\n *\n * @private\n * @param {Function} fn ramda implemtation\n * @param {String} methodname property to check for a custom implementation\n * @return {Object} Whatever the return value of the method is.\n */\n\n\nfunction _checkForMethod(methodname, fn) {\n return function () {\n var length = arguments.length;\n\n if (length === 0) {\n return fn();\n }\n\n var obj = arguments[length - 1];\n return _isArray(obj) || typeof obj[methodname] !== 'function' ? fn.apply(this, arguments) : obj[methodname].apply(obj, Array.prototype.slice.call(arguments, 0, length - 1));\n };\n}\n\nmodule.exports = _checkForMethod;","\"use strict\";\n\nObject.defineProperty(exports, \"__esModule\", {\n value: true\n});\n/**\n * Tests whether an element is a tag or not.\n *\n * @param elem Element to test\n */\n\nfunction isTag(elem) {\n return elem.type === \"tag\"\n /* Tag */\n || elem.type === \"script\"\n /* Script */\n || elem.type === \"style\"\n /* Style */\n ;\n}\n\nexports.isTag = isTag; // Exports for backwards compatibility\n\nexports.Text = \"text\"\n/* Text */\n; //Text\n\nexports.Directive = \"directive\"\n/* Directive */\n; // ... ?>\n\nexports.Comment = \"comment\"\n/* Comment */\n; //\n\nexports.Script = \"script\"\n/* Script */\n; //