does.\n\t contentKey = 'textContent' in document.documentElement ? 'textContent' : 'innerText';\n\t }\n\t return contentKey;\n\t}\n\t\n\tmodule.exports = getTextContentAccessor;\n\n/***/ },\n/* 247 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar ReactDOMComponentTree = __webpack_require__(10);\n\t\n\tfunction isCheckable(elem) {\n\t var type = elem.type;\n\t var nodeName = elem.nodeName;\n\t return nodeName && nodeName.toLowerCase() === 'input' && (type === 'checkbox' || type === 'radio');\n\t}\n\t\n\tfunction getTracker(inst) {\n\t return inst._wrapperState.valueTracker;\n\t}\n\t\n\tfunction attachTracker(inst, tracker) {\n\t inst._wrapperState.valueTracker = tracker;\n\t}\n\t\n\tfunction detachTracker(inst) {\n\t inst._wrapperState.valueTracker = null;\n\t}\n\t\n\tfunction getValueFromNode(node) {\n\t var value;\n\t if (node) {\n\t value = isCheckable(node) ? '' + node.checked : node.value;\n\t }\n\t return value;\n\t}\n\t\n\tvar inputValueTracking = {\n\t // exposed for testing\n\t _getTrackerFromNode: function (node) {\n\t return getTracker(ReactDOMComponentTree.getInstanceFromNode(node));\n\t },\n\t\n\t\n\t track: function (inst) {\n\t if (getTracker(inst)) {\n\t return;\n\t }\n\t\n\t var node = ReactDOMComponentTree.getNodeFromInstance(inst);\n\t var valueField = isCheckable(node) ? 'checked' : 'value';\n\t var descriptor = Object.getOwnPropertyDescriptor(node.constructor.prototype, valueField);\n\t\n\t var currentValue = '' + node[valueField];\n\t\n\t // if someone has already defined a value or Safari, then bail\n\t // and don't track value will cause over reporting of changes,\n\t // but it's better then a hard failure\n\t // (needed for certain tests that spyOn input values and Safari)\n\t if (node.hasOwnProperty(valueField) || typeof descriptor.get !== 'function' || typeof descriptor.set !== 'function') {\n\t return;\n\t }\n\t\n\t Object.defineProperty(node, valueField, {\n\t enumerable: descriptor.enumerable,\n\t configurable: true,\n\t get: function () {\n\t return descriptor.get.call(this);\n\t },\n\t set: function (value) {\n\t currentValue = '' + value;\n\t descriptor.set.call(this, value);\n\t }\n\t });\n\t\n\t attachTracker(inst, {\n\t getValue: function () {\n\t return currentValue;\n\t },\n\t setValue: function (value) {\n\t currentValue = '' + value;\n\t },\n\t stopTracking: function () {\n\t detachTracker(inst);\n\t delete node[valueField];\n\t }\n\t });\n\t },\n\t\n\t updateValueIfChanged: function (inst) {\n\t if (!inst) {\n\t return false;\n\t }\n\t var tracker = getTracker(inst);\n\t\n\t if (!tracker) {\n\t inputValueTracking.track(inst);\n\t return true;\n\t }\n\t\n\t var lastValue = tracker.getValue();\n\t var nextValue = getValueFromNode(ReactDOMComponentTree.getNodeFromInstance(inst));\n\t\n\t if (nextValue !== lastValue) {\n\t tracker.setValue(nextValue);\n\t return true;\n\t }\n\t\n\t return false;\n\t },\n\t stopTracking: function (inst) {\n\t var tracker = getTracker(inst);\n\t if (tracker) {\n\t tracker.stopTracking();\n\t }\n\t }\n\t};\n\t\n\tmodule.exports = inputValueTracking;\n\n/***/ },\n/* 248 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar _prodInvariant = __webpack_require__(7),\n\t _assign = __webpack_require__(9);\n\t\n\tvar ReactCompositeComponent = __webpack_require__(435);\n\tvar ReactEmptyComponent = __webpack_require__(236);\n\tvar ReactHostComponent = __webpack_require__(238);\n\t\n\tvar getNextDebugID = __webpack_require__(509);\n\tvar invariant = __webpack_require__(4);\n\tvar warning = __webpack_require__(6);\n\t\n\t// To avoid a cyclic dependency, we create the final class in this module\n\tvar ReactCompositeComponentWrapper = function (element) {\n\t this.construct(element);\n\t};\n\t\n\tfunction getDeclarationErrorAddendum(owner) {\n\t if (owner) {\n\t var name = owner.getName();\n\t if (name) {\n\t return ' Check the render method of `' + name + '`.';\n\t }\n\t }\n\t return '';\n\t}\n\t\n\t/**\n\t * Check if the type reference is a known internal type. I.e. not a user\n\t * provided composite type.\n\t *\n\t * @param {function} type\n\t * @return {boolean} Returns true if this is a valid internal type.\n\t */\n\tfunction isInternalComponentType(type) {\n\t return typeof type === 'function' && typeof type.prototype !== 'undefined' && typeof type.prototype.mountComponent === 'function' && typeof type.prototype.receiveComponent === 'function';\n\t}\n\t\n\t/**\n\t * Given a ReactNode, create an instance that will actually be mounted.\n\t *\n\t * @param {ReactNode} node\n\t * @param {boolean} shouldHaveDebugID\n\t * @return {object} A new instance of the element's constructor.\n\t * @protected\n\t */\n\tfunction instantiateReactComponent(node, shouldHaveDebugID) {\n\t var instance;\n\t\n\t if (node === null || node === false) {\n\t instance = ReactEmptyComponent.create(instantiateReactComponent);\n\t } else if (typeof node === 'object') {\n\t var element = node;\n\t var type = element.type;\n\t if (typeof type !== 'function' && typeof type !== 'string') {\n\t var info = '';\n\t if (false) {\n\t if (type === undefined || typeof type === 'object' && type !== null && Object.keys(type).length === 0) {\n\t info += ' You likely forgot to export your component from the file ' + \"it's defined in.\";\n\t }\n\t }\n\t info += getDeclarationErrorAddendum(element._owner);\n\t true ? false ? invariant(false, 'Element type is invalid: expected a string (for built-in components) or a class/function (for composite components) but got: %s.%s', type == null ? type : typeof type, info) : _prodInvariant('130', type == null ? type : typeof type, info) : void 0;\n\t }\n\t\n\t // Special case string values\n\t if (typeof element.type === 'string') {\n\t instance = ReactHostComponent.createInternalComponent(element);\n\t } else if (isInternalComponentType(element.type)) {\n\t // This is temporarily available for custom components that are not string\n\t // representations. I.e. ART. Once those are updated to use the string\n\t // representation, we can drop this code path.\n\t instance = new element.type(element);\n\t\n\t // We renamed this. Allow the old name for compat. :(\n\t if (!instance.getHostNode) {\n\t instance.getHostNode = instance.getNativeNode;\n\t }\n\t } else {\n\t instance = new ReactCompositeComponentWrapper(element);\n\t }\n\t } else if (typeof node === 'string' || typeof node === 'number') {\n\t instance = ReactHostComponent.createInstanceForText(node);\n\t } else {\n\t true ? false ? invariant(false, 'Encountered invalid React node of type %s', typeof node) : _prodInvariant('131', typeof node) : void 0;\n\t }\n\t\n\t if (false) {\n\t process.env.NODE_ENV !== 'production' ? warning(typeof instance.mountComponent === 'function' && typeof instance.receiveComponent === 'function' && typeof instance.getHostNode === 'function' && typeof instance.unmountComponent === 'function', 'Only React Components can be mounted.') : void 0;\n\t }\n\t\n\t // These two fields are used by the DOM and ART diffing algorithms\n\t // respectively. Instead of using expandos on components, we should be\n\t // storing the state needed by the diffing algorithms elsewhere.\n\t instance._mountIndex = 0;\n\t instance._mountImage = null;\n\t\n\t if (false) {\n\t instance._debugID = shouldHaveDebugID ? getNextDebugID() : 0;\n\t }\n\t\n\t // Internal instances should fully constructed at this point, so they should\n\t // not get any new fields added to them at this point.\n\t if (false) {\n\t if (Object.preventExtensions) {\n\t Object.preventExtensions(instance);\n\t }\n\t }\n\t\n\t return instance;\n\t}\n\t\n\t_assign(ReactCompositeComponentWrapper.prototype, ReactCompositeComponent, {\n\t _instantiateReactComponent: instantiateReactComponent\n\t});\n\t\n\tmodule.exports = instantiateReactComponent;\n\n/***/ },\n/* 249 */\n/***/ function(module, exports) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t * \n\t */\n\t\n\t'use strict';\n\t\n\t/**\n\t * @see http://www.whatwg.org/specs/web-apps/current-work/multipage/the-input-element.html#input-type-attr-summary\n\t */\n\t\n\tvar supportedInputTypes = {\n\t color: true,\n\t date: true,\n\t datetime: true,\n\t 'datetime-local': true,\n\t email: true,\n\t month: true,\n\t number: true,\n\t password: true,\n\t range: true,\n\t search: true,\n\t tel: true,\n\t text: true,\n\t time: true,\n\t url: true,\n\t week: true\n\t};\n\t\n\tfunction isTextInputElement(elem) {\n\t var nodeName = elem && elem.nodeName && elem.nodeName.toLowerCase();\n\t\n\t if (nodeName === 'input') {\n\t return !!supportedInputTypes[elem.type];\n\t }\n\t\n\t if (nodeName === 'textarea') {\n\t return true;\n\t }\n\t\n\t return false;\n\t}\n\t\n\tmodule.exports = isTextInputElement;\n\n/***/ },\n/* 250 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar ExecutionEnvironment = __webpack_require__(16);\n\tvar escapeTextContentForBrowser = __webpack_require__(46);\n\tvar setInnerHTML = __webpack_require__(47);\n\t\n\t/**\n\t * Set the textContent property of a node, ensuring that whitespace is preserved\n\t * even in IE8. innerText is a poor substitute for textContent and, among many\n\t * issues, inserts
instead of the literal newline chars. innerHTML behaves\n\t * as it should.\n\t *\n\t * @param {DOMElement} node\n\t * @param {string} text\n\t * @internal\n\t */\n\tvar setTextContent = function (node, text) {\n\t if (text) {\n\t var firstChild = node.firstChild;\n\t\n\t if (firstChild && firstChild === node.lastChild && firstChild.nodeType === 3) {\n\t firstChild.nodeValue = text;\n\t return;\n\t }\n\t }\n\t node.textContent = text;\n\t};\n\t\n\tif (ExecutionEnvironment.canUseDOM) {\n\t if (!('textContent' in document.documentElement)) {\n\t setTextContent = function (node, text) {\n\t if (node.nodeType === 3) {\n\t node.nodeValue = text;\n\t return;\n\t }\n\t setInnerHTML(node, escapeTextContentForBrowser(text));\n\t };\n\t }\n\t}\n\t\n\tmodule.exports = setTextContent;\n\n/***/ },\n/* 251 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar _prodInvariant = __webpack_require__(7);\n\t\n\tvar ReactCurrentOwner = __webpack_require__(22);\n\tvar REACT_ELEMENT_TYPE = __webpack_require__(450);\n\t\n\tvar getIteratorFn = __webpack_require__(481);\n\tvar invariant = __webpack_require__(4);\n\tvar KeyEscapeUtils = __webpack_require__(64);\n\tvar warning = __webpack_require__(6);\n\t\n\tvar SEPARATOR = '.';\n\tvar SUBSEPARATOR = ':';\n\t\n\t/**\n\t * This is inlined from ReactElement since this file is shared between\n\t * isomorphic and renderers. We could extract this to a\n\t *\n\t */\n\t\n\t/**\n\t * TODO: Test that a single child and an array with one item have the same key\n\t * pattern.\n\t */\n\t\n\tvar didWarnAboutMaps = false;\n\t\n\t/**\n\t * Generate a key string that identifies a component within a set.\n\t *\n\t * @param {*} component A component that could contain a manual key.\n\t * @param {number} index Index that is used if a manual key is not provided.\n\t * @return {string}\n\t */\n\tfunction getComponentKey(component, index) {\n\t // Do some typechecking here since we call this blindly. We want to ensure\n\t // that we don't block potential future ES APIs.\n\t if (component && typeof component === 'object' && component.key != null) {\n\t // Explicit key\n\t return KeyEscapeUtils.escape(component.key);\n\t }\n\t // Implicit key determined by the index in the set\n\t return index.toString(36);\n\t}\n\t\n\t/**\n\t * @param {?*} children Children tree container.\n\t * @param {!string} nameSoFar Name of the key path so far.\n\t * @param {!function} callback Callback to invoke with each child found.\n\t * @param {?*} traverseContext Used to pass information throughout the traversal\n\t * process.\n\t * @return {!number} The number of children in this subtree.\n\t */\n\tfunction traverseAllChildrenImpl(children, nameSoFar, callback, traverseContext) {\n\t var type = typeof children;\n\t\n\t if (type === 'undefined' || type === 'boolean') {\n\t // All of the above are perceived as null.\n\t children = null;\n\t }\n\t\n\t if (children === null || type === 'string' || type === 'number' ||\n\t // The following is inlined from ReactElement. This means we can optimize\n\t // some checks. React Fiber also inlines this logic for similar purposes.\n\t type === 'object' && children.$$typeof === REACT_ELEMENT_TYPE) {\n\t callback(traverseContext, children,\n\t // If it's the only child, treat the name as if it was wrapped in an array\n\t // so that it's consistent if the number of children grows.\n\t nameSoFar === '' ? SEPARATOR + getComponentKey(children, 0) : nameSoFar);\n\t return 1;\n\t }\n\t\n\t var child;\n\t var nextName;\n\t var subtreeCount = 0; // Count of children found in the current subtree.\n\t var nextNamePrefix = nameSoFar === '' ? SEPARATOR : nameSoFar + SUBSEPARATOR;\n\t\n\t if (Array.isArray(children)) {\n\t for (var i = 0; i < children.length; i++) {\n\t child = children[i];\n\t nextName = nextNamePrefix + getComponentKey(child, i);\n\t subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n\t }\n\t } else {\n\t var iteratorFn = getIteratorFn(children);\n\t if (iteratorFn) {\n\t var iterator = iteratorFn.call(children);\n\t var step;\n\t if (iteratorFn !== children.entries) {\n\t var ii = 0;\n\t while (!(step = iterator.next()).done) {\n\t child = step.value;\n\t nextName = nextNamePrefix + getComponentKey(child, ii++);\n\t subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n\t }\n\t } else {\n\t if (false) {\n\t var mapsAsChildrenAddendum = '';\n\t if (ReactCurrentOwner.current) {\n\t var mapsAsChildrenOwnerName = ReactCurrentOwner.current.getName();\n\t if (mapsAsChildrenOwnerName) {\n\t mapsAsChildrenAddendum = ' Check the render method of `' + mapsAsChildrenOwnerName + '`.';\n\t }\n\t }\n\t process.env.NODE_ENV !== 'production' ? warning(didWarnAboutMaps, 'Using Maps as children is not yet fully supported. It is an ' + 'experimental feature that might be removed. Convert it to a ' + 'sequence / iterable of keyed ReactElements instead.%s', mapsAsChildrenAddendum) : void 0;\n\t didWarnAboutMaps = true;\n\t }\n\t // Iterator will provide entry [k,v] tuples rather than values.\n\t while (!(step = iterator.next()).done) {\n\t var entry = step.value;\n\t if (entry) {\n\t child = entry[1];\n\t nextName = nextNamePrefix + KeyEscapeUtils.escape(entry[0]) + SUBSEPARATOR + getComponentKey(child, 0);\n\t subtreeCount += traverseAllChildrenImpl(child, nextName, callback, traverseContext);\n\t }\n\t }\n\t }\n\t } else if (type === 'object') {\n\t var addendum = '';\n\t if (false) {\n\t addendum = ' If you meant to render a collection of children, use an array ' + 'instead or wrap the object using createFragment(object) from the ' + 'React add-ons.';\n\t if (children._isReactElement) {\n\t addendum = \" It looks like you're using an element created by a different \" + 'version of React. Make sure to use only one copy of React.';\n\t }\n\t if (ReactCurrentOwner.current) {\n\t var name = ReactCurrentOwner.current.getName();\n\t if (name) {\n\t addendum += ' Check the render method of `' + name + '`.';\n\t }\n\t }\n\t }\n\t var childrenString = String(children);\n\t true ? false ? invariant(false, 'Objects are not valid as a React child (found: %s).%s', childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString, addendum) : _prodInvariant('31', childrenString === '[object Object]' ? 'object with keys {' + Object.keys(children).join(', ') + '}' : childrenString, addendum) : void 0;\n\t }\n\t }\n\t\n\t return subtreeCount;\n\t}\n\t\n\t/**\n\t * Traverses children that are typically specified as `props.children`, but\n\t * might also be specified through attributes:\n\t *\n\t * - `traverseAllChildren(this.props.children, ...)`\n\t * - `traverseAllChildren(this.props.leftPanelChildren, ...)`\n\t *\n\t * The `traverseContext` is an optional argument that is passed through the\n\t * entire traversal. It can be used to store accumulations or anything else that\n\t * the callback might find relevant.\n\t *\n\t * @param {?*} children Children tree object.\n\t * @param {!function} callback To invoke upon traversing each child.\n\t * @param {?*} traverseContext Context for traversal.\n\t * @return {!number} The number of children in this subtree.\n\t */\n\tfunction traverseAllChildren(children, callback, traverseContext) {\n\t if (children == null) {\n\t return 0;\n\t }\n\t\n\t return traverseAllChildrenImpl(children, '', callback, traverseContext);\n\t}\n\t\n\tmodule.exports = traverseAllChildren;\n\n/***/ },\n/* 252 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\t\n\tvar _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; };\n\t\n\texports.default = connectAdvanced;\n\t\n\tvar _hoistNonReactStatics = __webpack_require__(364);\n\t\n\tvar _hoistNonReactStatics2 = _interopRequireDefault(_hoistNonReactStatics);\n\t\n\tvar _invariant = __webpack_require__(375);\n\t\n\tvar _invariant2 = _interopRequireDefault(_invariant);\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _Subscription = __webpack_require__(494);\n\t\n\tvar _Subscription2 = _interopRequireDefault(_Subscription);\n\t\n\tvar _PropTypes = __webpack_require__(254);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tfunction _objectWithoutProperties(obj, keys) { var target = {}; for (var i in obj) { if (keys.indexOf(i) >= 0) continue; if (!Object.prototype.hasOwnProperty.call(obj, i)) continue; target[i] = obj[i]; } return target; }\n\t\n\tvar hotReloadingVersion = 0;\n\tvar dummyState = {};\n\tfunction noop() {}\n\tfunction makeSelectorStateful(sourceSelector, store) {\n\t // wrap the selector in an object that tracks its results between runs.\n\t var selector = {\n\t run: function runComponentSelector(props) {\n\t try {\n\t var nextProps = sourceSelector(store.getState(), props);\n\t if (nextProps !== selector.props || selector.error) {\n\t selector.shouldComponentUpdate = true;\n\t selector.props = nextProps;\n\t selector.error = null;\n\t }\n\t } catch (error) {\n\t selector.shouldComponentUpdate = true;\n\t selector.error = error;\n\t }\n\t }\n\t };\n\t\n\t return selector;\n\t}\n\t\n\tfunction connectAdvanced(\n\t/*\n\t selectorFactory is a func that is responsible for returning the selector function used to\n\t compute new props from state, props, and dispatch. For example:\n\t export default connectAdvanced((dispatch, options) => (state, props) => ({\n\t thing: state.things[props.thingId],\n\t saveThing: fields => dispatch(actionCreators.saveThing(props.thingId, fields)),\n\t }))(YourComponent)\n\t Access to dispatch is provided to the factory so selectorFactories can bind actionCreators\n\t outside of their selector as an optimization. Options passed to connectAdvanced are passed to\n\t the selectorFactory, along with displayName and WrappedComponent, as the second argument.\n\t Note that selectorFactory is responsible for all caching/memoization of inbound and outbound\n\t props. Do not use connectAdvanced directly without memoizing results between calls to your\n\t selector, otherwise the Connect component will re-render on every state or props change.\n\t*/\n\tselectorFactory) {\n\t var _contextTypes, _childContextTypes;\n\t\n\t var _ref = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {},\n\t _ref$getDisplayName = _ref.getDisplayName,\n\t getDisplayName = _ref$getDisplayName === undefined ? function (name) {\n\t return 'ConnectAdvanced(' + name + ')';\n\t } : _ref$getDisplayName,\n\t _ref$methodName = _ref.methodName,\n\t methodName = _ref$methodName === undefined ? 'connectAdvanced' : _ref$methodName,\n\t _ref$renderCountProp = _ref.renderCountProp,\n\t renderCountProp = _ref$renderCountProp === undefined ? undefined : _ref$renderCountProp,\n\t _ref$shouldHandleStat = _ref.shouldHandleStateChanges,\n\t shouldHandleStateChanges = _ref$shouldHandleStat === undefined ? true : _ref$shouldHandleStat,\n\t _ref$storeKey = _ref.storeKey,\n\t storeKey = _ref$storeKey === undefined ? 'store' : _ref$storeKey,\n\t _ref$withRef = _ref.withRef,\n\t withRef = _ref$withRef === undefined ? false : _ref$withRef,\n\t connectOptions = _objectWithoutProperties(_ref, ['getDisplayName', 'methodName', 'renderCountProp', 'shouldHandleStateChanges', 'storeKey', 'withRef']);\n\t\n\t var subscriptionKey = storeKey + 'Subscription';\n\t var version = hotReloadingVersion++;\n\t\n\t var contextTypes = (_contextTypes = {}, _contextTypes[storeKey] = _PropTypes.storeShape, _contextTypes[subscriptionKey] = _PropTypes.subscriptionShape, _contextTypes);\n\t var childContextTypes = (_childContextTypes = {}, _childContextTypes[subscriptionKey] = _PropTypes.subscriptionShape, _childContextTypes);\n\t\n\t return function wrapWithConnect(WrappedComponent) {\n\t (0, _invariant2.default)(typeof WrappedComponent == 'function', 'You must pass a component to the function returned by ' + (methodName + '. Instead received ' + JSON.stringify(WrappedComponent)));\n\t\n\t var wrappedComponentName = WrappedComponent.displayName || WrappedComponent.name || 'Component';\n\t\n\t var displayName = getDisplayName(wrappedComponentName);\n\t\n\t var selectorFactoryOptions = _extends({}, connectOptions, {\n\t getDisplayName: getDisplayName,\n\t methodName: methodName,\n\t renderCountProp: renderCountProp,\n\t shouldHandleStateChanges: shouldHandleStateChanges,\n\t storeKey: storeKey,\n\t withRef: withRef,\n\t displayName: displayName,\n\t wrappedComponentName: wrappedComponentName,\n\t WrappedComponent: WrappedComponent\n\t });\n\t\n\t var Connect = function (_Component) {\n\t _inherits(Connect, _Component);\n\t\n\t function Connect(props, context) {\n\t _classCallCheck(this, Connect);\n\t\n\t var _this = _possibleConstructorReturn(this, _Component.call(this, props, context));\n\t\n\t _this.version = version;\n\t _this.state = {};\n\t _this.renderCount = 0;\n\t _this.store = props[storeKey] || context[storeKey];\n\t _this.propsMode = Boolean(props[storeKey]);\n\t _this.setWrappedInstance = _this.setWrappedInstance.bind(_this);\n\t\n\t (0, _invariant2.default)(_this.store, 'Could not find \"' + storeKey + '\" in either the context or props of ' + ('\"' + displayName + '\". Either wrap the root component in a
, ') + ('or explicitly pass \"' + storeKey + '\" as a prop to \"' + displayName + '\".'));\n\t\n\t _this.initSelector();\n\t _this.initSubscription();\n\t return _this;\n\t }\n\t\n\t Connect.prototype.getChildContext = function getChildContext() {\n\t var _ref2;\n\t\n\t // If this component received store from props, its subscription should be transparent\n\t // to any descendants receiving store+subscription from context; it passes along\n\t // subscription passed to it. Otherwise, it shadows the parent subscription, which allows\n\t // Connect to control ordering of notifications to flow top-down.\n\t var subscription = this.propsMode ? null : this.subscription;\n\t return _ref2 = {}, _ref2[subscriptionKey] = subscription || this.context[subscriptionKey], _ref2;\n\t };\n\t\n\t Connect.prototype.componentDidMount = function componentDidMount() {\n\t if (!shouldHandleStateChanges) return;\n\t\n\t // componentWillMount fires during server side rendering, but componentDidMount and\n\t // componentWillUnmount do not. Because of this, trySubscribe happens during ...didMount.\n\t // Otherwise, unsubscription would never take place during SSR, causing a memory leak.\n\t // To handle the case where a child component may have triggered a state change by\n\t // dispatching an action in its componentWillMount, we have to re-run the select and maybe\n\t // re-render.\n\t this.subscription.trySubscribe();\n\t this.selector.run(this.props);\n\t if (this.selector.shouldComponentUpdate) this.forceUpdate();\n\t };\n\t\n\t Connect.prototype.componentWillReceiveProps = function componentWillReceiveProps(nextProps) {\n\t this.selector.run(nextProps);\n\t };\n\t\n\t Connect.prototype.shouldComponentUpdate = function shouldComponentUpdate() {\n\t return this.selector.shouldComponentUpdate;\n\t };\n\t\n\t Connect.prototype.componentWillUnmount = function componentWillUnmount() {\n\t if (this.subscription) this.subscription.tryUnsubscribe();\n\t this.subscription = null;\n\t this.notifyNestedSubs = noop;\n\t this.store = null;\n\t this.selector.run = noop;\n\t this.selector.shouldComponentUpdate = false;\n\t };\n\t\n\t Connect.prototype.getWrappedInstance = function getWrappedInstance() {\n\t (0, _invariant2.default)(withRef, 'To access the wrapped instance, you need to specify ' + ('{ withRef: true } in the options argument of the ' + methodName + '() call.'));\n\t return this.wrappedInstance;\n\t };\n\t\n\t Connect.prototype.setWrappedInstance = function setWrappedInstance(ref) {\n\t this.wrappedInstance = ref;\n\t };\n\t\n\t Connect.prototype.initSelector = function initSelector() {\n\t var sourceSelector = selectorFactory(this.store.dispatch, selectorFactoryOptions);\n\t this.selector = makeSelectorStateful(sourceSelector, this.store);\n\t this.selector.run(this.props);\n\t };\n\t\n\t Connect.prototype.initSubscription = function initSubscription() {\n\t if (!shouldHandleStateChanges) return;\n\t\n\t // parentSub's source should match where store came from: props vs. context. A component\n\t // connected to the store via props shouldn't use subscription from context, or vice versa.\n\t var parentSub = (this.propsMode ? this.props : this.context)[subscriptionKey];\n\t this.subscription = new _Subscription2.default(this.store, parentSub, this.onStateChange.bind(this));\n\t\n\t // `notifyNestedSubs` is duplicated to handle the case where the component is unmounted in\n\t // the middle of the notification loop, where `this.subscription` will then be null. An\n\t // extra null check every change can be avoided by copying the method onto `this` and then\n\t // replacing it with a no-op on unmount. This can probably be avoided if Subscription's\n\t // listeners logic is changed to not call listeners that have been unsubscribed in the\n\t // middle of the notification loop.\n\t this.notifyNestedSubs = this.subscription.notifyNestedSubs.bind(this.subscription);\n\t };\n\t\n\t Connect.prototype.onStateChange = function onStateChange() {\n\t this.selector.run(this.props);\n\t\n\t if (!this.selector.shouldComponentUpdate) {\n\t this.notifyNestedSubs();\n\t } else {\n\t this.componentDidUpdate = this.notifyNestedSubsOnComponentDidUpdate;\n\t this.setState(dummyState);\n\t }\n\t };\n\t\n\t Connect.prototype.notifyNestedSubsOnComponentDidUpdate = function notifyNestedSubsOnComponentDidUpdate() {\n\t // `componentDidUpdate` is conditionally implemented when `onStateChange` determines it\n\t // needs to notify nested subs. Once called, it unimplements itself until further state\n\t // changes occur. Doing it this way vs having a permanent `componentDidUpdate` that does\n\t // a boolean check every time avoids an extra method call most of the time, resulting\n\t // in some perf boost.\n\t this.componentDidUpdate = undefined;\n\t this.notifyNestedSubs();\n\t };\n\t\n\t Connect.prototype.isSubscribed = function isSubscribed() {\n\t return Boolean(this.subscription) && this.subscription.isSubscribed();\n\t };\n\t\n\t Connect.prototype.addExtraProps = function addExtraProps(props) {\n\t if (!withRef && !renderCountProp && !(this.propsMode && this.subscription)) return props;\n\t // make a shallow copy so that fields added don't leak to the original selector.\n\t // this is especially important for 'ref' since that's a reference back to the component\n\t // instance. a singleton memoized selector would then be holding a reference to the\n\t // instance, preventing the instance from being garbage collected, and that would be bad\n\t var withExtras = _extends({}, props);\n\t if (withRef) withExtras.ref = this.setWrappedInstance;\n\t if (renderCountProp) withExtras[renderCountProp] = this.renderCount++;\n\t if (this.propsMode && this.subscription) withExtras[subscriptionKey] = this.subscription;\n\t return withExtras;\n\t };\n\t\n\t Connect.prototype.render = function render() {\n\t var selector = this.selector;\n\t selector.shouldComponentUpdate = false;\n\t\n\t if (selector.error) {\n\t throw selector.error;\n\t } else {\n\t return (0, _react.createElement)(WrappedComponent, this.addExtraProps(selector.props));\n\t }\n\t };\n\t\n\t return Connect;\n\t }(_react.Component);\n\t\n\t Connect.WrappedComponent = WrappedComponent;\n\t Connect.displayName = displayName;\n\t Connect.childContextTypes = childContextTypes;\n\t Connect.contextTypes = contextTypes;\n\t Connect.propTypes = contextTypes;\n\t\n\t if (false) {\n\t Connect.prototype.componentWillUpdate = function componentWillUpdate() {\n\t var _this2 = this;\n\t\n\t // We are hot reloading!\n\t if (this.version !== version) {\n\t this.version = version;\n\t this.initSelector();\n\t\n\t // If any connected descendants don't hot reload (and resubscribe in the process), their\n\t // listeners will be lost when we unsubscribe. Unfortunately, by copying over all\n\t // listeners, this does mean that the old versions of connected descendants will still be\n\t // notified of state changes; however, their onStateChange function is a no-op so this\n\t // isn't a huge deal.\n\t var oldListeners = [];\n\t\n\t if (this.subscription) {\n\t oldListeners = this.subscription.listeners.get();\n\t this.subscription.tryUnsubscribe();\n\t }\n\t this.initSubscription();\n\t if (shouldHandleStateChanges) {\n\t this.subscription.trySubscribe();\n\t oldListeners.forEach(function (listener) {\n\t return _this2.subscription.listeners.subscribe(listener);\n\t });\n\t }\n\t }\n\t };\n\t }\n\t\n\t return (0, _hoistNonReactStatics2.default)(Connect, WrappedComponent);\n\t };\n\t}\n\n/***/ },\n/* 253 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\texports.wrapMapToPropsConstant = wrapMapToPropsConstant;\n\texports.getDependsOnOwnProps = getDependsOnOwnProps;\n\texports.wrapMapToPropsFunc = wrapMapToPropsFunc;\n\t\n\tvar _verifyPlainObject = __webpack_require__(255);\n\t\n\tvar _verifyPlainObject2 = _interopRequireDefault(_verifyPlainObject);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction wrapMapToPropsConstant(getConstant) {\n\t return function initConstantSelector(dispatch, options) {\n\t var constant = getConstant(dispatch, options);\n\t\n\t function constantSelector() {\n\t return constant;\n\t }\n\t constantSelector.dependsOnOwnProps = false;\n\t return constantSelector;\n\t };\n\t}\n\t\n\t// dependsOnOwnProps is used by createMapToPropsProxy to determine whether to pass props as args\n\t// to the mapToProps function being wrapped. It is also used by makePurePropsSelector to determine\n\t// whether mapToProps needs to be invoked when props have changed.\n\t// \n\t// A length of one signals that mapToProps does not depend on props from the parent component.\n\t// A length of zero is assumed to mean mapToProps is getting args via arguments or ...args and\n\t// therefore not reporting its length accurately..\n\tfunction getDependsOnOwnProps(mapToProps) {\n\t return mapToProps.dependsOnOwnProps !== null && mapToProps.dependsOnOwnProps !== undefined ? Boolean(mapToProps.dependsOnOwnProps) : mapToProps.length !== 1;\n\t}\n\t\n\t// Used by whenMapStateToPropsIsFunction and whenMapDispatchToPropsIsFunction,\n\t// this function wraps mapToProps in a proxy function which does several things:\n\t// \n\t// * Detects whether the mapToProps function being called depends on props, which\n\t// is used by selectorFactory to decide if it should reinvoke on props changes.\n\t// \n\t// * On first call, handles mapToProps if returns another function, and treats that\n\t// new function as the true mapToProps for subsequent calls.\n\t// \n\t// * On first call, verifies the first result is a plain object, in order to warn\n\t// the developer that their mapToProps function is not returning a valid result.\n\t// \n\tfunction wrapMapToPropsFunc(mapToProps, methodName) {\n\t return function initProxySelector(dispatch, _ref) {\n\t var displayName = _ref.displayName;\n\t\n\t var proxy = function mapToPropsProxy(stateOrDispatch, ownProps) {\n\t return proxy.dependsOnOwnProps ? proxy.mapToProps(stateOrDispatch, ownProps) : proxy.mapToProps(stateOrDispatch);\n\t };\n\t\n\t // allow detectFactoryAndVerify to get ownProps\n\t proxy.dependsOnOwnProps = true;\n\t\n\t proxy.mapToProps = function detectFactoryAndVerify(stateOrDispatch, ownProps) {\n\t proxy.mapToProps = mapToProps;\n\t proxy.dependsOnOwnProps = getDependsOnOwnProps(mapToProps);\n\t var props = proxy(stateOrDispatch, ownProps);\n\t\n\t if (typeof props === 'function') {\n\t proxy.mapToProps = props;\n\t proxy.dependsOnOwnProps = getDependsOnOwnProps(props);\n\t props = proxy(stateOrDispatch, ownProps);\n\t }\n\t\n\t if (false) (0, _verifyPlainObject2.default)(props, displayName, methodName);\n\t\n\t return props;\n\t };\n\t\n\t return proxy;\n\t };\n\t}\n\n/***/ },\n/* 254 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\texports.storeShape = exports.subscriptionShape = undefined;\n\t\n\tvar _propTypes = __webpack_require__(226);\n\t\n\tvar _propTypes2 = _interopRequireDefault(_propTypes);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar subscriptionShape = exports.subscriptionShape = _propTypes2.default.shape({\n\t trySubscribe: _propTypes2.default.func.isRequired,\n\t tryUnsubscribe: _propTypes2.default.func.isRequired,\n\t notifyNestedSubs: _propTypes2.default.func.isRequired,\n\t isSubscribed: _propTypes2.default.func.isRequired\n\t});\n\t\n\tvar storeShape = exports.storeShape = _propTypes2.default.shape({\n\t subscribe: _propTypes2.default.func.isRequired,\n\t dispatch: _propTypes2.default.func.isRequired,\n\t getState: _propTypes2.default.func.isRequired\n\t});\n\n/***/ },\n/* 255 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\texports.default = verifyPlainObject;\n\t\n\tvar _isPlainObject = __webpack_require__(53);\n\t\n\tvar _isPlainObject2 = _interopRequireDefault(_isPlainObject);\n\t\n\tvar _warning = __webpack_require__(76);\n\t\n\tvar _warning2 = _interopRequireDefault(_warning);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction verifyPlainObject(value, displayName, methodName) {\n\t if (!(0, _isPlainObject2.default)(value)) {\n\t (0, _warning2.default)(methodName + '() in ' + displayName + ' must return a plain object. Instead received ' + value + '.');\n\t }\n\t}\n\n/***/ },\n/* 256 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tvar asap = __webpack_require__(266);\n\t\n\tfunction noop() {}\n\t\n\t// States:\n\t//\n\t// 0 - pending\n\t// 1 - fulfilled with _value\n\t// 2 - rejected with _value\n\t// 3 - adopted the state of another promise, _value\n\t//\n\t// once the state is no longer pending (0) it is immutable\n\t\n\t// All `_` prefixed properties will be reduced to `_{random number}`\n\t// at build time to obfuscate them and discourage their use.\n\t// We don't use symbols or Object.defineProperty to fully hide them\n\t// because the performance isn't good enough.\n\t\n\t\n\t// to avoid using try/catch inside critical functions, we\n\t// extract them to here.\n\tvar LAST_ERROR = null;\n\tvar IS_ERROR = {};\n\tfunction getThen(obj) {\n\t try {\n\t return obj.then;\n\t } catch (ex) {\n\t LAST_ERROR = ex;\n\t return IS_ERROR;\n\t }\n\t}\n\t\n\tfunction tryCallOne(fn, a) {\n\t try {\n\t return fn(a);\n\t } catch (ex) {\n\t LAST_ERROR = ex;\n\t return IS_ERROR;\n\t }\n\t}\n\tfunction tryCallTwo(fn, a, b) {\n\t try {\n\t fn(a, b);\n\t } catch (ex) {\n\t LAST_ERROR = ex;\n\t return IS_ERROR;\n\t }\n\t}\n\t\n\tmodule.exports = Promise;\n\t\n\tfunction Promise(fn) {\n\t if (typeof this !== 'object') {\n\t throw new TypeError('Promises must be constructed via new');\n\t }\n\t if (typeof fn !== 'function') {\n\t throw new TypeError('not a function');\n\t }\n\t this._45 = 0;\n\t this._81 = 0;\n\t this._65 = null;\n\t this._54 = null;\n\t if (fn === noop) return;\n\t doResolve(fn, this);\n\t}\n\tPromise._10 = null;\n\tPromise._97 = null;\n\tPromise._61 = noop;\n\t\n\tPromise.prototype.then = function(onFulfilled, onRejected) {\n\t if (this.constructor !== Promise) {\n\t return safeThen(this, onFulfilled, onRejected);\n\t }\n\t var res = new Promise(noop);\n\t handle(this, new Handler(onFulfilled, onRejected, res));\n\t return res;\n\t};\n\t\n\tfunction safeThen(self, onFulfilled, onRejected) {\n\t return new self.constructor(function (resolve, reject) {\n\t var res = new Promise(noop);\n\t res.then(resolve, reject);\n\t handle(self, new Handler(onFulfilled, onRejected, res));\n\t });\n\t};\n\tfunction handle(self, deferred) {\n\t while (self._81 === 3) {\n\t self = self._65;\n\t }\n\t if (Promise._10) {\n\t Promise._10(self);\n\t }\n\t if (self._81 === 0) {\n\t if (self._45 === 0) {\n\t self._45 = 1;\n\t self._54 = deferred;\n\t return;\n\t }\n\t if (self._45 === 1) {\n\t self._45 = 2;\n\t self._54 = [self._54, deferred];\n\t return;\n\t }\n\t self._54.push(deferred);\n\t return;\n\t }\n\t handleResolved(self, deferred);\n\t}\n\t\n\tfunction handleResolved(self, deferred) {\n\t asap(function() {\n\t var cb = self._81 === 1 ? deferred.onFulfilled : deferred.onRejected;\n\t if (cb === null) {\n\t if (self._81 === 1) {\n\t resolve(deferred.promise, self._65);\n\t } else {\n\t reject(deferred.promise, self._65);\n\t }\n\t return;\n\t }\n\t var ret = tryCallOne(cb, self._65);\n\t if (ret === IS_ERROR) {\n\t reject(deferred.promise, LAST_ERROR);\n\t } else {\n\t resolve(deferred.promise, ret);\n\t }\n\t });\n\t}\n\tfunction resolve(self, newValue) {\n\t // Promise Resolution Procedure: https://github.com/promises-aplus/promises-spec#the-promise-resolution-procedure\n\t if (newValue === self) {\n\t return reject(\n\t self,\n\t new TypeError('A promise cannot be resolved with itself.')\n\t );\n\t }\n\t if (\n\t newValue &&\n\t (typeof newValue === 'object' || typeof newValue === 'function')\n\t ) {\n\t var then = getThen(newValue);\n\t if (then === IS_ERROR) {\n\t return reject(self, LAST_ERROR);\n\t }\n\t if (\n\t then === self.then &&\n\t newValue instanceof Promise\n\t ) {\n\t self._81 = 3;\n\t self._65 = newValue;\n\t finale(self);\n\t return;\n\t } else if (typeof then === 'function') {\n\t doResolve(then.bind(newValue), self);\n\t return;\n\t }\n\t }\n\t self._81 = 1;\n\t self._65 = newValue;\n\t finale(self);\n\t}\n\t\n\tfunction reject(self, newValue) {\n\t self._81 = 2;\n\t self._65 = newValue;\n\t if (Promise._97) {\n\t Promise._97(self, newValue);\n\t }\n\t finale(self);\n\t}\n\tfunction finale(self) {\n\t if (self._45 === 1) {\n\t handle(self, self._54);\n\t self._54 = null;\n\t }\n\t if (self._45 === 2) {\n\t for (var i = 0; i < self._54.length; i++) {\n\t handle(self, self._54[i]);\n\t }\n\t self._54 = null;\n\t }\n\t}\n\t\n\tfunction Handler(onFulfilled, onRejected, promise){\n\t this.onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : null;\n\t this.onRejected = typeof onRejected === 'function' ? onRejected : null;\n\t this.promise = promise;\n\t}\n\t\n\t/**\n\t * Take a potentially misbehaving resolver function and make sure\n\t * onFulfilled and onRejected are only called once.\n\t *\n\t * Makes no guarantees about asynchrony.\n\t */\n\tfunction doResolve(fn, promise) {\n\t var done = false;\n\t var res = tryCallTwo(fn, function (value) {\n\t if (done) return;\n\t done = true;\n\t resolve(promise, value);\n\t }, function (reason) {\n\t if (done) return;\n\t done = true;\n\t reject(promise, reason);\n\t })\n\t if (!done && res === IS_ERROR) {\n\t done = true;\n\t reject(promise, LAST_ERROR);\n\t }\n\t}\n\n\n/***/ },\n/* 257 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar _prodInvariant = __webpack_require__(36),\n\t _assign = __webpack_require__(9);\n\t\n\tvar ReactNoopUpdateQueue = __webpack_require__(260);\n\t\n\tvar canDefineProperty = __webpack_require__(261);\n\tvar emptyObject = __webpack_require__(41);\n\tvar invariant = __webpack_require__(4);\n\tvar lowPriorityWarning = __webpack_require__(510);\n\t\n\t/**\n\t * Base class helpers for the updating state of a component.\n\t */\n\tfunction ReactComponent(props, context, updater) {\n\t this.props = props;\n\t this.context = context;\n\t this.refs = emptyObject;\n\t // We initialize the default updater but the real one gets injected by the\n\t // renderer.\n\t this.updater = updater || ReactNoopUpdateQueue;\n\t}\n\t\n\tReactComponent.prototype.isReactComponent = {};\n\t\n\t/**\n\t * Sets a subset of the state. Always use this to mutate\n\t * state. You should treat `this.state` as immutable.\n\t *\n\t * There is no guarantee that `this.state` will be immediately updated, so\n\t * accessing `this.state` after calling this method may return the old value.\n\t *\n\t * There is no guarantee that calls to `setState` will run synchronously,\n\t * as they may eventually be batched together. You can provide an optional\n\t * callback that will be executed when the call to setState is actually\n\t * completed.\n\t *\n\t * When a function is provided to setState, it will be called at some point in\n\t * the future (not synchronously). It will be called with the up to date\n\t * component arguments (state, props, context). These values can be different\n\t * from this.* because your function may be called after receiveProps but before\n\t * shouldComponentUpdate, and this new state, props, and context will not yet be\n\t * assigned to this.\n\t *\n\t * @param {object|function} partialState Next partial state or function to\n\t * produce next partial state to be merged with current state.\n\t * @param {?function} callback Called after state is updated.\n\t * @final\n\t * @protected\n\t */\n\tReactComponent.prototype.setState = function (partialState, callback) {\n\t !(typeof partialState === 'object' || typeof partialState === 'function' || partialState == null) ? false ? invariant(false, 'setState(...): takes an object of state variables to update or a function which returns an object of state variables.') : _prodInvariant('85') : void 0;\n\t this.updater.enqueueSetState(this, partialState);\n\t if (callback) {\n\t this.updater.enqueueCallback(this, callback, 'setState');\n\t }\n\t};\n\t\n\t/**\n\t * Forces an update. This should only be invoked when it is known with\n\t * certainty that we are **not** in a DOM transaction.\n\t *\n\t * You may want to call this when you know that some deeper aspect of the\n\t * component's state has changed but `setState` was not called.\n\t *\n\t * This will not invoke `shouldComponentUpdate`, but it will invoke\n\t * `componentWillUpdate` and `componentDidUpdate`.\n\t *\n\t * @param {?function} callback Called after update is complete.\n\t * @final\n\t * @protected\n\t */\n\tReactComponent.prototype.forceUpdate = function (callback) {\n\t this.updater.enqueueForceUpdate(this);\n\t if (callback) {\n\t this.updater.enqueueCallback(this, callback, 'forceUpdate');\n\t }\n\t};\n\t\n\t/**\n\t * Deprecated APIs. These APIs used to exist on classic React classes but since\n\t * we would like to deprecate them, we're not going to move them over to this\n\t * modern base class. Instead, we define a getter that warns if it's accessed.\n\t */\n\tif (false) {\n\t var deprecatedAPIs = {\n\t isMounted: ['isMounted', 'Instead, make sure to clean up subscriptions and pending requests in ' + 'componentWillUnmount to prevent memory leaks.'],\n\t replaceState: ['replaceState', 'Refactor your code to use setState instead (see ' + 'https://github.com/facebook/react/issues/3236).']\n\t };\n\t var defineDeprecationWarning = function (methodName, info) {\n\t if (canDefineProperty) {\n\t Object.defineProperty(ReactComponent.prototype, methodName, {\n\t get: function () {\n\t lowPriorityWarning(false, '%s(...) is deprecated in plain JavaScript React classes. %s', info[0], info[1]);\n\t return undefined;\n\t }\n\t });\n\t }\n\t };\n\t for (var fnName in deprecatedAPIs) {\n\t if (deprecatedAPIs.hasOwnProperty(fnName)) {\n\t defineDeprecationWarning(fnName, deprecatedAPIs[fnName]);\n\t }\n\t }\n\t}\n\t\n\t/**\n\t * Base class helpers for the updating state of a component.\n\t */\n\tfunction ReactPureComponent(props, context, updater) {\n\t // Duplicated from ReactComponent.\n\t this.props = props;\n\t this.context = context;\n\t this.refs = emptyObject;\n\t // We initialize the default updater but the real one gets injected by the\n\t // renderer.\n\t this.updater = updater || ReactNoopUpdateQueue;\n\t}\n\t\n\tfunction ComponentDummy() {}\n\tComponentDummy.prototype = ReactComponent.prototype;\n\tReactPureComponent.prototype = new ComponentDummy();\n\tReactPureComponent.prototype.constructor = ReactPureComponent;\n\t// Avoid an extra prototype jump for these methods.\n\t_assign(ReactPureComponent.prototype, ReactComponent.prototype);\n\tReactPureComponent.prototype.isPureReactComponent = true;\n\t\n\tmodule.exports = {\n\t Component: ReactComponent,\n\t PureComponent: ReactPureComponent\n\t};\n\n/***/ },\n/* 258 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2016-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t * \n\t */\n\t\n\t'use strict';\n\t\n\tvar _prodInvariant = __webpack_require__(36);\n\t\n\tvar ReactCurrentOwner = __webpack_require__(22);\n\t\n\tvar invariant = __webpack_require__(4);\n\tvar warning = __webpack_require__(6);\n\t\n\tfunction isNative(fn) {\n\t // Based on isNative() from Lodash\n\t var funcToString = Function.prototype.toString;\n\t var hasOwnProperty = Object.prototype.hasOwnProperty;\n\t var reIsNative = RegExp('^' + funcToString\n\t // Take an example native function source for comparison\n\t .call(hasOwnProperty\n\t // Strip regex characters so we can use it for regex\n\t ).replace(/[\\\\^$.*+?()[\\]{}|]/g, '\\\\$&'\n\t // Remove hasOwnProperty from the template to make it generic\n\t ).replace(/hasOwnProperty|(function).*?(?=\\\\\\()| for .+?(?=\\\\\\])/g, '$1.*?') + '$');\n\t try {\n\t var source = funcToString.call(fn);\n\t return reIsNative.test(source);\n\t } catch (err) {\n\t return false;\n\t }\n\t}\n\t\n\tvar canUseCollections =\n\t// Array.from\n\ttypeof Array.from === 'function' &&\n\t// Map\n\ttypeof Map === 'function' && isNative(Map) &&\n\t// Map.prototype.keys\n\tMap.prototype != null && typeof Map.prototype.keys === 'function' && isNative(Map.prototype.keys) &&\n\t// Set\n\ttypeof Set === 'function' && isNative(Set) &&\n\t// Set.prototype.keys\n\tSet.prototype != null && typeof Set.prototype.keys === 'function' && isNative(Set.prototype.keys);\n\t\n\tvar setItem;\n\tvar getItem;\n\tvar removeItem;\n\tvar getItemIDs;\n\tvar addRoot;\n\tvar removeRoot;\n\tvar getRootIDs;\n\t\n\tif (canUseCollections) {\n\t var itemMap = new Map();\n\t var rootIDSet = new Set();\n\t\n\t setItem = function (id, item) {\n\t itemMap.set(id, item);\n\t };\n\t getItem = function (id) {\n\t return itemMap.get(id);\n\t };\n\t removeItem = function (id) {\n\t itemMap['delete'](id);\n\t };\n\t getItemIDs = function () {\n\t return Array.from(itemMap.keys());\n\t };\n\t\n\t addRoot = function (id) {\n\t rootIDSet.add(id);\n\t };\n\t removeRoot = function (id) {\n\t rootIDSet['delete'](id);\n\t };\n\t getRootIDs = function () {\n\t return Array.from(rootIDSet.keys());\n\t };\n\t} else {\n\t var itemByKey = {};\n\t var rootByKey = {};\n\t\n\t // Use non-numeric keys to prevent V8 performance issues:\n\t // https://github.com/facebook/react/pull/7232\n\t var getKeyFromID = function (id) {\n\t return '.' + id;\n\t };\n\t var getIDFromKey = function (key) {\n\t return parseInt(key.substr(1), 10);\n\t };\n\t\n\t setItem = function (id, item) {\n\t var key = getKeyFromID(id);\n\t itemByKey[key] = item;\n\t };\n\t getItem = function (id) {\n\t var key = getKeyFromID(id);\n\t return itemByKey[key];\n\t };\n\t removeItem = function (id) {\n\t var key = getKeyFromID(id);\n\t delete itemByKey[key];\n\t };\n\t getItemIDs = function () {\n\t return Object.keys(itemByKey).map(getIDFromKey);\n\t };\n\t\n\t addRoot = function (id) {\n\t var key = getKeyFromID(id);\n\t rootByKey[key] = true;\n\t };\n\t removeRoot = function (id) {\n\t var key = getKeyFromID(id);\n\t delete rootByKey[key];\n\t };\n\t getRootIDs = function () {\n\t return Object.keys(rootByKey).map(getIDFromKey);\n\t };\n\t}\n\t\n\tvar unmountedIDs = [];\n\t\n\tfunction purgeDeep(id) {\n\t var item = getItem(id);\n\t if (item) {\n\t var childIDs = item.childIDs;\n\t\n\t removeItem(id);\n\t childIDs.forEach(purgeDeep);\n\t }\n\t}\n\t\n\tfunction describeComponentFrame(name, source, ownerName) {\n\t return '\\n in ' + (name || 'Unknown') + (source ? ' (at ' + source.fileName.replace(/^.*[\\\\\\/]/, '') + ':' + source.lineNumber + ')' : ownerName ? ' (created by ' + ownerName + ')' : '');\n\t}\n\t\n\tfunction getDisplayName(element) {\n\t if (element == null) {\n\t return '#empty';\n\t } else if (typeof element === 'string' || typeof element === 'number') {\n\t return '#text';\n\t } else if (typeof element.type === 'string') {\n\t return element.type;\n\t } else {\n\t return element.type.displayName || element.type.name || 'Unknown';\n\t }\n\t}\n\t\n\tfunction describeID(id) {\n\t var name = ReactComponentTreeHook.getDisplayName(id);\n\t var element = ReactComponentTreeHook.getElement(id);\n\t var ownerID = ReactComponentTreeHook.getOwnerID(id);\n\t var ownerName;\n\t if (ownerID) {\n\t ownerName = ReactComponentTreeHook.getDisplayName(ownerID);\n\t }\n\t false ? warning(element, 'ReactComponentTreeHook: Missing React element for debugID %s when ' + 'building stack', id) : void 0;\n\t return describeComponentFrame(name, element && element._source, ownerName);\n\t}\n\t\n\tvar ReactComponentTreeHook = {\n\t onSetChildren: function (id, nextChildIDs) {\n\t var item = getItem(id);\n\t !item ? false ? invariant(false, 'Item must have been set') : _prodInvariant('144') : void 0;\n\t item.childIDs = nextChildIDs;\n\t\n\t for (var i = 0; i < nextChildIDs.length; i++) {\n\t var nextChildID = nextChildIDs[i];\n\t var nextChild = getItem(nextChildID);\n\t !nextChild ? false ? invariant(false, 'Expected hook events to fire for the child before its parent includes it in onSetChildren().') : _prodInvariant('140') : void 0;\n\t !(nextChild.childIDs != null || typeof nextChild.element !== 'object' || nextChild.element == null) ? false ? invariant(false, 'Expected onSetChildren() to fire for a container child before its parent includes it in onSetChildren().') : _prodInvariant('141') : void 0;\n\t !nextChild.isMounted ? false ? invariant(false, 'Expected onMountComponent() to fire for the child before its parent includes it in onSetChildren().') : _prodInvariant('71') : void 0;\n\t if (nextChild.parentID == null) {\n\t nextChild.parentID = id;\n\t // TODO: This shouldn't be necessary but mounting a new root during in\n\t // componentWillMount currently causes not-yet-mounted components to\n\t // be purged from our tree data so their parent id is missing.\n\t }\n\t !(nextChild.parentID === id) ? false ? invariant(false, 'Expected onBeforeMountComponent() parent and onSetChildren() to be consistent (%s has parents %s and %s).', nextChildID, nextChild.parentID, id) : _prodInvariant('142', nextChildID, nextChild.parentID, id) : void 0;\n\t }\n\t },\n\t onBeforeMountComponent: function (id, element, parentID) {\n\t var item = {\n\t element: element,\n\t parentID: parentID,\n\t text: null,\n\t childIDs: [],\n\t isMounted: false,\n\t updateCount: 0\n\t };\n\t setItem(id, item);\n\t },\n\t onBeforeUpdateComponent: function (id, element) {\n\t var item = getItem(id);\n\t if (!item || !item.isMounted) {\n\t // We may end up here as a result of setState() in componentWillUnmount().\n\t // In this case, ignore the element.\n\t return;\n\t }\n\t item.element = element;\n\t },\n\t onMountComponent: function (id) {\n\t var item = getItem(id);\n\t !item ? false ? invariant(false, 'Item must have been set') : _prodInvariant('144') : void 0;\n\t item.isMounted = true;\n\t var isRoot = item.parentID === 0;\n\t if (isRoot) {\n\t addRoot(id);\n\t }\n\t },\n\t onUpdateComponent: function (id) {\n\t var item = getItem(id);\n\t if (!item || !item.isMounted) {\n\t // We may end up here as a result of setState() in componentWillUnmount().\n\t // In this case, ignore the element.\n\t return;\n\t }\n\t item.updateCount++;\n\t },\n\t onUnmountComponent: function (id) {\n\t var item = getItem(id);\n\t if (item) {\n\t // We need to check if it exists.\n\t // `item` might not exist if it is inside an error boundary, and a sibling\n\t // error boundary child threw while mounting. Then this instance never\n\t // got a chance to mount, but it still gets an unmounting event during\n\t // the error boundary cleanup.\n\t item.isMounted = false;\n\t var isRoot = item.parentID === 0;\n\t if (isRoot) {\n\t removeRoot(id);\n\t }\n\t }\n\t unmountedIDs.push(id);\n\t },\n\t purgeUnmountedComponents: function () {\n\t if (ReactComponentTreeHook._preventPurging) {\n\t // Should only be used for testing.\n\t return;\n\t }\n\t\n\t for (var i = 0; i < unmountedIDs.length; i++) {\n\t var id = unmountedIDs[i];\n\t purgeDeep(id);\n\t }\n\t unmountedIDs.length = 0;\n\t },\n\t isMounted: function (id) {\n\t var item = getItem(id);\n\t return item ? item.isMounted : false;\n\t },\n\t getCurrentStackAddendum: function (topElement) {\n\t var info = '';\n\t if (topElement) {\n\t var name = getDisplayName(topElement);\n\t var owner = topElement._owner;\n\t info += describeComponentFrame(name, topElement._source, owner && owner.getName());\n\t }\n\t\n\t var currentOwner = ReactCurrentOwner.current;\n\t var id = currentOwner && currentOwner._debugID;\n\t\n\t info += ReactComponentTreeHook.getStackAddendumByID(id);\n\t return info;\n\t },\n\t getStackAddendumByID: function (id) {\n\t var info = '';\n\t while (id) {\n\t info += describeID(id);\n\t id = ReactComponentTreeHook.getParentID(id);\n\t }\n\t return info;\n\t },\n\t getChildIDs: function (id) {\n\t var item = getItem(id);\n\t return item ? item.childIDs : [];\n\t },\n\t getDisplayName: function (id) {\n\t var element = ReactComponentTreeHook.getElement(id);\n\t if (!element) {\n\t return null;\n\t }\n\t return getDisplayName(element);\n\t },\n\t getElement: function (id) {\n\t var item = getItem(id);\n\t return item ? item.element : null;\n\t },\n\t getOwnerID: function (id) {\n\t var element = ReactComponentTreeHook.getElement(id);\n\t if (!element || !element._owner) {\n\t return null;\n\t }\n\t return element._owner._debugID;\n\t },\n\t getParentID: function (id) {\n\t var item = getItem(id);\n\t return item ? item.parentID : null;\n\t },\n\t getSource: function (id) {\n\t var item = getItem(id);\n\t var element = item ? item.element : null;\n\t var source = element != null ? element._source : null;\n\t return source;\n\t },\n\t getText: function (id) {\n\t var element = ReactComponentTreeHook.getElement(id);\n\t if (typeof element === 'string') {\n\t return element;\n\t } else if (typeof element === 'number') {\n\t return '' + element;\n\t } else {\n\t return null;\n\t }\n\t },\n\t getUpdateCount: function (id) {\n\t var item = getItem(id);\n\t return item ? item.updateCount : 0;\n\t },\n\t\n\t\n\t getRootIDs: getRootIDs,\n\t getRegisteredIDs: getItemIDs,\n\t\n\t pushNonStandardWarningStack: function (isCreatingElement, currentSource) {\n\t if (typeof console.reactStack !== 'function') {\n\t return;\n\t }\n\t\n\t var stack = [];\n\t var currentOwner = ReactCurrentOwner.current;\n\t var id = currentOwner && currentOwner._debugID;\n\t\n\t try {\n\t if (isCreatingElement) {\n\t stack.push({\n\t name: id ? ReactComponentTreeHook.getDisplayName(id) : null,\n\t fileName: currentSource ? currentSource.fileName : null,\n\t lineNumber: currentSource ? currentSource.lineNumber : null\n\t });\n\t }\n\t\n\t while (id) {\n\t var element = ReactComponentTreeHook.getElement(id);\n\t var parentID = ReactComponentTreeHook.getParentID(id);\n\t var ownerID = ReactComponentTreeHook.getOwnerID(id);\n\t var ownerName = ownerID ? ReactComponentTreeHook.getDisplayName(ownerID) : null;\n\t var source = element && element._source;\n\t stack.push({\n\t name: ownerName,\n\t fileName: source ? source.fileName : null,\n\t lineNumber: source ? source.lineNumber : null\n\t });\n\t id = parentID;\n\t }\n\t } catch (err) {\n\t // Internal state is messed up.\n\t // Stop building the stack (it's just a nice to have).\n\t }\n\t\n\t console.reactStack(stack);\n\t },\n\t popNonStandardWarningStack: function () {\n\t if (typeof console.reactStackEnd !== 'function') {\n\t return;\n\t }\n\t console.reactStackEnd();\n\t }\n\t};\n\t\n\tmodule.exports = ReactComponentTreeHook;\n\n/***/ },\n/* 259 */\n/***/ function(module, exports) {\n\n\t/**\n\t * Copyright (c) 2014-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t * \n\t */\n\t\n\t'use strict';\n\t\n\t// The Symbol used to tag the ReactElement type. If there is no native Symbol\n\t// nor polyfill, then a plain number is used for performance.\n\t\n\tvar REACT_ELEMENT_TYPE = typeof Symbol === 'function' && Symbol['for'] && Symbol['for']('react.element') || 0xeac7;\n\t\n\tmodule.exports = REACT_ELEMENT_TYPE;\n\n/***/ },\n/* 260 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2015-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar warning = __webpack_require__(6);\n\t\n\tfunction warnNoop(publicInstance, callerName) {\n\t if (false) {\n\t var constructor = publicInstance.constructor;\n\t process.env.NODE_ENV !== 'production' ? warning(false, '%s(...): Can only update a mounted or mounting component. ' + 'This usually means you called %s() on an unmounted component. ' + 'This is a no-op. Please check the code for the %s component.', callerName, callerName, constructor && (constructor.displayName || constructor.name) || 'ReactClass') : void 0;\n\t }\n\t}\n\t\n\t/**\n\t * This is the abstract API for an update queue.\n\t */\n\tvar ReactNoopUpdateQueue = {\n\t /**\n\t * Checks whether or not this composite component is mounted.\n\t * @param {ReactClass} publicInstance The instance we want to test.\n\t * @return {boolean} True if mounted, false otherwise.\n\t * @protected\n\t * @final\n\t */\n\t isMounted: function (publicInstance) {\n\t return false;\n\t },\n\t\n\t /**\n\t * Enqueue a callback that will be executed after all the pending updates\n\t * have processed.\n\t *\n\t * @param {ReactClass} publicInstance The instance to use as `this` context.\n\t * @param {?function} callback Called after state is updated.\n\t * @internal\n\t */\n\t enqueueCallback: function (publicInstance, callback) {},\n\t\n\t /**\n\t * Forces an update. This should only be invoked when it is known with\n\t * certainty that we are **not** in a DOM transaction.\n\t *\n\t * You may want to call this when you know that some deeper aspect of the\n\t * component's state has changed but `setState` was not called.\n\t *\n\t * This will not invoke `shouldComponentUpdate`, but it will invoke\n\t * `componentWillUpdate` and `componentDidUpdate`.\n\t *\n\t * @param {ReactClass} publicInstance The instance that should rerender.\n\t * @internal\n\t */\n\t enqueueForceUpdate: function (publicInstance) {\n\t warnNoop(publicInstance, 'forceUpdate');\n\t },\n\t\n\t /**\n\t * Replaces all of the state. Always use this or `setState` to mutate state.\n\t * You should treat `this.state` as immutable.\n\t *\n\t * There is no guarantee that `this.state` will be immediately updated, so\n\t * accessing `this.state` after calling this method may return the old value.\n\t *\n\t * @param {ReactClass} publicInstance The instance that should rerender.\n\t * @param {object} completeState Next state.\n\t * @internal\n\t */\n\t enqueueReplaceState: function (publicInstance, completeState) {\n\t warnNoop(publicInstance, 'replaceState');\n\t },\n\t\n\t /**\n\t * Sets a subset of the state. This only exists because _pendingState is\n\t * internal. This provides a merging strategy that is not available to deep\n\t * properties which is confusing. TODO: Expose pendingState or don't use it\n\t * during the merge.\n\t *\n\t * @param {ReactClass} publicInstance The instance that should rerender.\n\t * @param {object} partialState Next partial state to be merged with state.\n\t * @internal\n\t */\n\t enqueueSetState: function (publicInstance, partialState) {\n\t warnNoop(publicInstance, 'setState');\n\t }\n\t};\n\t\n\tmodule.exports = ReactNoopUpdateQueue;\n\n/***/ },\n/* 261 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t * \n\t */\n\t\n\t'use strict';\n\t\n\tvar canDefineProperty = false;\n\tif (false) {\n\t try {\n\t // $FlowFixMe https://github.com/facebook/flow/issues/285\n\t Object.defineProperty({}, 'x', { get: function () {} });\n\t canDefineProperty = true;\n\t } catch (x) {\n\t // IE will fail on defineProperty\n\t }\n\t}\n\t\n\tmodule.exports = canDefineProperty;\n\n/***/ },\n/* 262 */\n/***/ function(module, exports) {\n\n\t\"use strict\";\n\t\n\texports.__esModule = true;\n\texports[\"default\"] = compose;\n\t/**\n\t * Composes single-argument functions from right to left. The rightmost\n\t * function can take multiple arguments as it provides the signature for\n\t * the resulting composite function.\n\t *\n\t * @param {...Function} funcs The functions to compose.\n\t * @returns {Function} A function obtained by composing the argument functions\n\t * from right to left. For example, compose(f, g, h) is identical to doing\n\t * (...args) => f(g(h(...args))).\n\t */\n\t\n\tfunction compose() {\n\t for (var _len = arguments.length, funcs = Array(_len), _key = 0; _key < _len; _key++) {\n\t funcs[_key] = arguments[_key];\n\t }\n\t\n\t if (funcs.length === 0) {\n\t return function (arg) {\n\t return arg;\n\t };\n\t }\n\t\n\t if (funcs.length === 1) {\n\t return funcs[0];\n\t }\n\t\n\t return funcs.reduce(function (a, b) {\n\t return function () {\n\t return a(b.apply(undefined, arguments));\n\t };\n\t });\n\t}\n\n/***/ },\n/* 263 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\texports.ActionTypes = undefined;\n\texports['default'] = createStore;\n\t\n\tvar _isPlainObject = __webpack_require__(53);\n\t\n\tvar _isPlainObject2 = _interopRequireDefault(_isPlainObject);\n\t\n\tvar _symbolObservable = __webpack_require__(518);\n\t\n\tvar _symbolObservable2 = _interopRequireDefault(_symbolObservable);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { 'default': obj }; }\n\t\n\t/**\n\t * These are private action types reserved by Redux.\n\t * For any unknown actions, you must return the current state.\n\t * If the current state is undefined, you must return the initial state.\n\t * Do not reference these action types directly in your code.\n\t */\n\tvar ActionTypes = exports.ActionTypes = {\n\t INIT: '@@redux/INIT'\n\t\n\t /**\n\t * Creates a Redux store that holds the state tree.\n\t * The only way to change the data in the store is to call `dispatch()` on it.\n\t *\n\t * There should only be a single store in your app. To specify how different\n\t * parts of the state tree respond to actions, you may combine several reducers\n\t * into a single reducer function by using `combineReducers`.\n\t *\n\t * @param {Function} reducer A function that returns the next state tree, given\n\t * the current state tree and the action to handle.\n\t *\n\t * @param {any} [preloadedState] The initial state. You may optionally specify it\n\t * to hydrate the state from the server in universal apps, or to restore a\n\t * previously serialized user session.\n\t * If you use `combineReducers` to produce the root reducer function, this must be\n\t * an object with the same shape as `combineReducers` keys.\n\t *\n\t * @param {Function} [enhancer] The store enhancer. You may optionally specify it\n\t * to enhance the store with third-party capabilities such as middleware,\n\t * time travel, persistence, etc. The only store enhancer that ships with Redux\n\t * is `applyMiddleware()`.\n\t *\n\t * @returns {Store} A Redux store that lets you read the state, dispatch actions\n\t * and subscribe to changes.\n\t */\n\t};function createStore(reducer, preloadedState, enhancer) {\n\t var _ref2;\n\t\n\t if (typeof preloadedState === 'function' && typeof enhancer === 'undefined') {\n\t enhancer = preloadedState;\n\t preloadedState = undefined;\n\t }\n\t\n\t if (typeof enhancer !== 'undefined') {\n\t if (typeof enhancer !== 'function') {\n\t throw new Error('Expected the enhancer to be a function.');\n\t }\n\t\n\t return enhancer(createStore)(reducer, preloadedState);\n\t }\n\t\n\t if (typeof reducer !== 'function') {\n\t throw new Error('Expected the reducer to be a function.');\n\t }\n\t\n\t var currentReducer = reducer;\n\t var currentState = preloadedState;\n\t var currentListeners = [];\n\t var nextListeners = currentListeners;\n\t var isDispatching = false;\n\t\n\t function ensureCanMutateNextListeners() {\n\t if (nextListeners === currentListeners) {\n\t nextListeners = currentListeners.slice();\n\t }\n\t }\n\t\n\t /**\n\t * Reads the state tree managed by the store.\n\t *\n\t * @returns {any} The current state tree of your application.\n\t */\n\t function getState() {\n\t return currentState;\n\t }\n\t\n\t /**\n\t * Adds a change listener. It will be called any time an action is dispatched,\n\t * and some part of the state tree may potentially have changed. You may then\n\t * call `getState()` to read the current state tree inside the callback.\n\t *\n\t * You may call `dispatch()` from a change listener, with the following\n\t * caveats:\n\t *\n\t * 1. The subscriptions are snapshotted just before every `dispatch()` call.\n\t * If you subscribe or unsubscribe while the listeners are being invoked, this\n\t * will not have any effect on the `dispatch()` that is currently in progress.\n\t * However, the next `dispatch()` call, whether nested or not, will use a more\n\t * recent snapshot of the subscription list.\n\t *\n\t * 2. The listener should not expect to see all state changes, as the state\n\t * might have been updated multiple times during a nested `dispatch()` before\n\t * the listener is called. It is, however, guaranteed that all subscribers\n\t * registered before the `dispatch()` started will be called with the latest\n\t * state by the time it exits.\n\t *\n\t * @param {Function} listener A callback to be invoked on every dispatch.\n\t * @returns {Function} A function to remove this change listener.\n\t */\n\t function subscribe(listener) {\n\t if (typeof listener !== 'function') {\n\t throw new Error('Expected listener to be a function.');\n\t }\n\t\n\t var isSubscribed = true;\n\t\n\t ensureCanMutateNextListeners();\n\t nextListeners.push(listener);\n\t\n\t return function unsubscribe() {\n\t if (!isSubscribed) {\n\t return;\n\t }\n\t\n\t isSubscribed = false;\n\t\n\t ensureCanMutateNextListeners();\n\t var index = nextListeners.indexOf(listener);\n\t nextListeners.splice(index, 1);\n\t };\n\t }\n\t\n\t /**\n\t * Dispatches an action. It is the only way to trigger a state change.\n\t *\n\t * The `reducer` function, used to create the store, will be called with the\n\t * current state tree and the given `action`. Its return value will\n\t * be considered the **next** state of the tree, and the change listeners\n\t * will be notified.\n\t *\n\t * The base implementation only supports plain object actions. If you want to\n\t * dispatch a Promise, an Observable, a thunk, or something else, you need to\n\t * wrap your store creating function into the corresponding middleware. For\n\t * example, see the documentation for the `redux-thunk` package. Even the\n\t * middleware will eventually dispatch plain object actions using this method.\n\t *\n\t * @param {Object} action A plain object representing “what changed”. It is\n\t * a good idea to keep actions serializable so you can record and replay user\n\t * sessions, or use the time travelling `redux-devtools`. An action must have\n\t * a `type` property which may not be `undefined`. It is a good idea to use\n\t * string constants for action types.\n\t *\n\t * @returns {Object} For convenience, the same action object you dispatched.\n\t *\n\t * Note that, if you use a custom middleware, it may wrap `dispatch()` to\n\t * return something else (for example, a Promise you can await).\n\t */\n\t function dispatch(action) {\n\t if (!(0, _isPlainObject2['default'])(action)) {\n\t throw new Error('Actions must be plain objects. ' + 'Use custom middleware for async actions.');\n\t }\n\t\n\t if (typeof action.type === 'undefined') {\n\t throw new Error('Actions may not have an undefined \"type\" property. ' + 'Have you misspelled a constant?');\n\t }\n\t\n\t if (isDispatching) {\n\t throw new Error('Reducers may not dispatch actions.');\n\t }\n\t\n\t try {\n\t isDispatching = true;\n\t currentState = currentReducer(currentState, action);\n\t } finally {\n\t isDispatching = false;\n\t }\n\t\n\t var listeners = currentListeners = nextListeners;\n\t for (var i = 0; i < listeners.length; i++) {\n\t var listener = listeners[i];\n\t listener();\n\t }\n\t\n\t return action;\n\t }\n\t\n\t /**\n\t * Replaces the reducer currently used by the store to calculate the state.\n\t *\n\t * You might need this if your app implements code splitting and you want to\n\t * load some of the reducers dynamically. You might also need this if you\n\t * implement a hot reloading mechanism for Redux.\n\t *\n\t * @param {Function} nextReducer The reducer for the store to use instead.\n\t * @returns {void}\n\t */\n\t function replaceReducer(nextReducer) {\n\t if (typeof nextReducer !== 'function') {\n\t throw new Error('Expected the nextReducer to be a function.');\n\t }\n\t\n\t currentReducer = nextReducer;\n\t dispatch({ type: ActionTypes.INIT });\n\t }\n\t\n\t /**\n\t * Interoperability point for observable/reactive libraries.\n\t * @returns {observable} A minimal observable of state changes.\n\t * For more information, see the observable proposal:\n\t * https://github.com/tc39/proposal-observable\n\t */\n\t function observable() {\n\t var _ref;\n\t\n\t var outerSubscribe = subscribe;\n\t return _ref = {\n\t /**\n\t * The minimal observable subscription method.\n\t * @param {Object} observer Any object that can be used as an observer.\n\t * The observer object should have a `next` method.\n\t * @returns {subscription} An object with an `unsubscribe` method that can\n\t * be used to unsubscribe the observable from the store, and prevent further\n\t * emission of values from the observable.\n\t */\n\t subscribe: function subscribe(observer) {\n\t if (typeof observer !== 'object') {\n\t throw new TypeError('Expected the observer to be an object.');\n\t }\n\t\n\t function observeState() {\n\t if (observer.next) {\n\t observer.next(getState());\n\t }\n\t }\n\t\n\t observeState();\n\t var unsubscribe = outerSubscribe(observeState);\n\t return { unsubscribe: unsubscribe };\n\t }\n\t }, _ref[_symbolObservable2['default']] = function () {\n\t return this;\n\t }, _ref;\n\t }\n\t\n\t // When a store is created, an \"INIT\" action is dispatched so that every\n\t // reducer returns their initial state. This effectively populates\n\t // the initial state tree.\n\t dispatch({ type: ActionTypes.INIT });\n\t\n\t return _ref2 = {\n\t dispatch: dispatch,\n\t subscribe: subscribe,\n\t getState: getState,\n\t replaceReducer: replaceReducer\n\t }, _ref2[_symbolObservable2['default']] = observable, _ref2;\n\t}\n\n/***/ },\n/* 264 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\texports.__esModule = true;\n\texports['default'] = warning;\n\t/**\n\t * Prints a warning in the console if it exists.\n\t *\n\t * @param {String} message The warning message.\n\t * @returns {void}\n\t */\n\tfunction warning(message) {\n\t /* eslint-disable no-console */\n\t if (typeof console !== 'undefined' && typeof console.error === 'function') {\n\t console.error(message);\n\t }\n\t /* eslint-enable no-console */\n\t try {\n\t // This error was thrown as a convenience so that if you enable\n\t // \"break on all exceptions\" in your console,\n\t // it would pause the execution at this line.\n\t throw new Error(message);\n\t /* eslint-disable no-empty */\n\t } catch (e) {}\n\t /* eslint-enable no-empty */\n\t}\n\n/***/ },\n/* 265 */\n/***/ function(module, exports) {\n\n\tmodule.exports = function(module) {\r\n\t\tif(!module.webpackPolyfill) {\r\n\t\t\tmodule.deprecate = function() {};\r\n\t\t\tmodule.paths = [];\r\n\t\t\t// module.parent = undefined by default\r\n\t\t\tmodule.children = [];\r\n\t\t\tmodule.webpackPolyfill = 1;\r\n\t\t}\r\n\t\treturn module;\r\n\t}\r\n\n\n/***/ },\n/* 266 */\n/***/ function(module, exports) {\n\n\t/* WEBPACK VAR INJECTION */(function(global) {\"use strict\";\n\t\n\t// Use the fastest means possible to execute a task in its own turn, with\n\t// priority over other events including IO, animation, reflow, and redraw\n\t// events in browsers.\n\t//\n\t// An exception thrown by a task will permanently interrupt the processing of\n\t// subsequent tasks. The higher level `asap` function ensures that if an\n\t// exception is thrown by a task, that the task queue will continue flushing as\n\t// soon as possible, but if you use `rawAsap` directly, you are responsible to\n\t// either ensure that no exceptions are thrown from your task, or to manually\n\t// call `rawAsap.requestFlush` if an exception is thrown.\n\tmodule.exports = rawAsap;\n\tfunction rawAsap(task) {\n\t if (!queue.length) {\n\t requestFlush();\n\t flushing = true;\n\t }\n\t // Equivalent to push, but avoids a function call.\n\t queue[queue.length] = task;\n\t}\n\t\n\tvar queue = [];\n\t// Once a flush has been requested, no further calls to `requestFlush` are\n\t// necessary until the next `flush` completes.\n\tvar flushing = false;\n\t// `requestFlush` is an implementation-specific method that attempts to kick\n\t// off a `flush` event as quickly as possible. `flush` will attempt to exhaust\n\t// the event queue before yielding to the browser's own event loop.\n\tvar requestFlush;\n\t// The position of the next task to execute in the task queue. This is\n\t// preserved between calls to `flush` so that it can be resumed if\n\t// a task throws an exception.\n\tvar index = 0;\n\t// If a task schedules additional tasks recursively, the task queue can grow\n\t// unbounded. To prevent memory exhaustion, the task queue will periodically\n\t// truncate already-completed tasks.\n\tvar capacity = 1024;\n\t\n\t// The flush function processes all tasks that have been scheduled with\n\t// `rawAsap` unless and until one of those tasks throws an exception.\n\t// If a task throws an exception, `flush` ensures that its state will remain\n\t// consistent and will resume where it left off when called again.\n\t// However, `flush` does not make any arrangements to be called again if an\n\t// exception is thrown.\n\tfunction flush() {\n\t while (index < queue.length) {\n\t var currentIndex = index;\n\t // Advance the index before calling the task. This ensures that we will\n\t // begin flushing on the next task the task throws an error.\n\t index = index + 1;\n\t queue[currentIndex].call();\n\t // Prevent leaking memory for long chains of recursive calls to `asap`.\n\t // If we call `asap` within tasks scheduled by `asap`, the queue will\n\t // grow, but to avoid an O(n) walk for every task we execute, we don't\n\t // shift tasks off the queue after they have been executed.\n\t // Instead, we periodically shift 1024 tasks off the queue.\n\t if (index > capacity) {\n\t // Manually shift all values starting at the index back to the\n\t // beginning of the queue.\n\t for (var scan = 0, newLength = queue.length - index; scan < newLength; scan++) {\n\t queue[scan] = queue[scan + index];\n\t }\n\t queue.length -= index;\n\t index = 0;\n\t }\n\t }\n\t queue.length = 0;\n\t index = 0;\n\t flushing = false;\n\t}\n\t\n\t// `requestFlush` is implemented using a strategy based on data collected from\n\t// every available SauceLabs Selenium web driver worker at time of writing.\n\t// https://docs.google.com/spreadsheets/d/1mG-5UYGup5qxGdEMWkhP6BWCz053NUb2E1QoUTU16uA/edit#gid=783724593\n\t\n\t// Safari 6 and 6.1 for desktop, iPad, and iPhone are the only browsers that\n\t// have WebKitMutationObserver but not un-prefixed MutationObserver.\n\t// Must use `global` or `self` instead of `window` to work in both frames and web\n\t// workers. `global` is a provision of Browserify, Mr, Mrs, or Mop.\n\t\n\t/* globals self */\n\tvar scope = typeof global !== \"undefined\" ? global : self;\n\tvar BrowserMutationObserver = scope.MutationObserver || scope.WebKitMutationObserver;\n\t\n\t// MutationObservers are desirable because they have high priority and work\n\t// reliably everywhere they are implemented.\n\t// They are implemented in all modern browsers.\n\t//\n\t// - Android 4-4.3\n\t// - Chrome 26-34\n\t// - Firefox 14-29\n\t// - Internet Explorer 11\n\t// - iPad Safari 6-7.1\n\t// - iPhone Safari 7-7.1\n\t// - Safari 6-7\n\tif (typeof BrowserMutationObserver === \"function\") {\n\t requestFlush = makeRequestCallFromMutationObserver(flush);\n\t\n\t// MessageChannels are desirable because they give direct access to the HTML\n\t// task queue, are implemented in Internet Explorer 10, Safari 5.0-1, and Opera\n\t// 11-12, and in web workers in many engines.\n\t// Although message channels yield to any queued rendering and IO tasks, they\n\t// would be better than imposing the 4ms delay of timers.\n\t// However, they do not work reliably in Internet Explorer or Safari.\n\t\n\t// Internet Explorer 10 is the only browser that has setImmediate but does\n\t// not have MutationObservers.\n\t// Although setImmediate yields to the browser's renderer, it would be\n\t// preferrable to falling back to setTimeout since it does not have\n\t// the minimum 4ms penalty.\n\t// Unfortunately there appears to be a bug in Internet Explorer 10 Mobile (and\n\t// Desktop to a lesser extent) that renders both setImmediate and\n\t// MessageChannel useless for the purposes of ASAP.\n\t// https://github.com/kriskowal/q/issues/396\n\t\n\t// Timers are implemented universally.\n\t// We fall back to timers in workers in most engines, and in foreground\n\t// contexts in the following browsers.\n\t// However, note that even this simple case requires nuances to operate in a\n\t// broad spectrum of browsers.\n\t//\n\t// - Firefox 3-13\n\t// - Internet Explorer 6-9\n\t// - iPad Safari 4.3\n\t// - Lynx 2.8.7\n\t} else {\n\t requestFlush = makeRequestCallFromTimer(flush);\n\t}\n\t\n\t// `requestFlush` requests that the high priority event queue be flushed as\n\t// soon as possible.\n\t// This is useful to prevent an error thrown in a task from stalling the event\n\t// queue if the exception handled by Node.js’s\n\t// `process.on(\"uncaughtException\")` or by a domain.\n\trawAsap.requestFlush = requestFlush;\n\t\n\t// To request a high priority event, we induce a mutation observer by toggling\n\t// the text of a text node between \"1\" and \"-1\".\n\tfunction makeRequestCallFromMutationObserver(callback) {\n\t var toggle = 1;\n\t var observer = new BrowserMutationObserver(callback);\n\t var node = document.createTextNode(\"\");\n\t observer.observe(node, {characterData: true});\n\t return function requestCall() {\n\t toggle = -toggle;\n\t node.data = toggle;\n\t };\n\t}\n\t\n\t// The message channel technique was discovered by Malte Ubl and was the\n\t// original foundation for this library.\n\t// http://www.nonblocking.io/2011/06/windownexttick.html\n\t\n\t// Safari 6.0.5 (at least) intermittently fails to create message ports on a\n\t// page's first load. Thankfully, this version of Safari supports\n\t// MutationObservers, so we don't need to fall back in that case.\n\t\n\t// function makeRequestCallFromMessageChannel(callback) {\n\t// var channel = new MessageChannel();\n\t// channel.port1.onmessage = callback;\n\t// return function requestCall() {\n\t// channel.port2.postMessage(0);\n\t// };\n\t// }\n\t\n\t// For reasons explained above, we are also unable to use `setImmediate`\n\t// under any circumstances.\n\t// Even if we were, there is another bug in Internet Explorer 10.\n\t// It is not sufficient to assign `setImmediate` to `requestFlush` because\n\t// `setImmediate` must be called *by name* and therefore must be wrapped in a\n\t// closure.\n\t// Never forget.\n\t\n\t// function makeRequestCallFromSetImmediate(callback) {\n\t// return function requestCall() {\n\t// setImmediate(callback);\n\t// };\n\t// }\n\t\n\t// Safari 6.0 has a problem where timers will get lost while the user is\n\t// scrolling. This problem does not impact ASAP because Safari 6.0 supports\n\t// mutation observers, so that implementation is used instead.\n\t// However, if we ever elect to use timers in Safari, the prevalent work-around\n\t// is to add a scroll event listener that calls for a flush.\n\t\n\t// `setTimeout` does not call the passed callback if the delay is less than\n\t// approximately 7 in web workers in Firefox 8 through 18, and sometimes not\n\t// even then.\n\t\n\tfunction makeRequestCallFromTimer(callback) {\n\t return function requestCall() {\n\t // We dispatch a timeout with a specified delay of 0 for engines that\n\t // can reliably accommodate that request. This will usually be snapped\n\t // to a 4 milisecond delay, but once we're flushing, there's no delay\n\t // between events.\n\t var timeoutHandle = setTimeout(handleTimer, 0);\n\t // However, since this timer gets frequently dropped in Firefox\n\t // workers, we enlist an interval handle that will try to fire\n\t // an event 20 times per second until it succeeds.\n\t var intervalHandle = setInterval(handleTimer, 50);\n\t\n\t function handleTimer() {\n\t // Whichever timer succeeds will cancel both timers and\n\t // execute the callback.\n\t clearTimeout(timeoutHandle);\n\t clearInterval(intervalHandle);\n\t callback();\n\t }\n\t };\n\t}\n\t\n\t// This is for `asap.js` only.\n\t// Its name will be periodically randomized to break any code that depends on\n\t// its existence.\n\trawAsap.makeRequestCallFromTimer = makeRequestCallFromTimer;\n\t\n\t// ASAP was originally a nextTick shim included in Q. This was factored out\n\t// into this ASAP package. It was later adapted to RSVP which made further\n\t// amendments. These decisions, particularly to marginalize MessageChannel and\n\t// to capture the MutationObserver implementation in a closure, were integrated\n\t// back into ASAP proper.\n\t// https://github.com/tildeio/rsvp.js/blob/cddf7232546a9cf858524b75cde6f9edf72620a7/lib/rsvp/asap.js\n\t\n\t/* WEBPACK VAR INJECTION */}.call(exports, (function() { return this; }())))\n\n/***/ },\n/* 267 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\t__webpack_require__(350);\n\t\n\t__webpack_require__(351);\n\t\n\tvar _mctc_newlogo_300x194_transparent = __webpack_require__(520);\n\t\n\tvar _mctc_newlogo_300x194_transparent2 = _interopRequireDefault(_mctc_newlogo_300x194_transparent);\n\t\n\tvar _Today = __webpack_require__(271);\n\t\n\tvar _Today2 = _interopRequireDefault(_Today);\n\t\n\tvar _LockedFees = __webpack_require__(269);\n\t\n\tvar _LockedFees2 = _interopRequireDefault(_LockedFees);\n\t\n\tvar _RegistrationFees = __webpack_require__(340);\n\t\n\tvar _RegistrationFees2 = _interopRequireDefault(_RegistrationFees);\n\t\n\tvar _TitleFees = __webpack_require__(342);\n\t\n\tvar _TitleFees2 = _interopRequireDefault(_TitleFees);\n\t\n\tvar _SalesTaxes = __webpack_require__(341);\n\t\n\tvar _SalesTaxes2 = _interopRequireDefault(_SalesTaxes);\n\t\n\tvar _OtherTransactionFees = __webpack_require__(339);\n\t\n\tvar _OtherTransactionFees2 = _interopRequireDefault(_OtherTransactionFees);\n\t\n\tvar _FeeCalculatorTotal = __webpack_require__(338);\n\t\n\tvar _FeeCalculatorTotal2 = _interopRequireDefault(_FeeCalculatorTotal);\n\t\n\tvar _ResetButton = __webpack_require__(270);\n\t\n\tvar _ResetButton2 = _interopRequireDefault(_ResetButton);\n\t\n\tvar _store = __webpack_require__(337);\n\t\n\tvar _store2 = _interopRequireDefault(_store);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar App = function (_Component) {\n\t _inherits(App, _Component);\n\t\n\t function App() {\n\t _classCallCheck(this, App);\n\t\n\t return _possibleConstructorReturn(this, (App.__proto__ || Object.getPrototypeOf(App)).apply(this, arguments));\n\t }\n\t\n\t _createClass(App, [{\n\t key: 'render',\n\t value: function render() {\n\t return _react2.default.createElement(\n\t _reactRedux.Provider,\n\t { store: _store2.default },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Wrapper container' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'FormContent' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Header' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Header-left' },\n\t _react2.default.createElement('img', { className: 'Header-logo', src: _mctc_newlogo_300x194_transparent2.default, alt: 'Logo' })\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Header-right' },\n\t _react2.default.createElement(\n\t 'h1',\n\t { className: 'Section-header Section-header--long' },\n\t 'Fee Calculator'\n\t ),\n\t _react2.default.createElement(_ResetButton2.default, { label: 'Reset Form', action: _constants.ACTIONS.RESET }),\n\t _react2.default.createElement(_LockedFees2.default, null)\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section' },\n\t _react2.default.createElement(\n\t 'h1',\n\t { className: 'Section-header' },\n\t 'Registration Fees'\n\t ),\n\t _react2.default.createElement(_ResetButton2.default, { label: 'Reset Registration', action: _constants.ACTIONS.RESET_REGISTRATION, className: 'ResetBtn ResetSectionBtn' }),\n\t _react2.default.createElement(_Today2.default, null),\n\t _react2.default.createElement(_RegistrationFees2.default, null)\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section' },\n\t _react2.default.createElement(\n\t 'h1',\n\t { className: 'Section-header' },\n\t 'Title Fees'\n\t ),\n\t _react2.default.createElement(_ResetButton2.default, { label: 'Reset Title', action: _constants.ACTIONS.RESET_TITLE_FEES, className: 'ResetBtn ResetSectionBtn' }),\n\t _react2.default.createElement(_TitleFees2.default, null)\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section Section--printHalfWidth' },\n\t _react2.default.createElement(\n\t 'h1',\n\t { className: 'Section-header' },\n\t 'Sales Taxes'\n\t ),\n\t _react2.default.createElement(_ResetButton2.default, { label: 'Reset Sales Tax', action: _constants.ACTIONS.RESET_SALES, className: 'ResetBtn ResetSectionBtn' }),\n\t _react2.default.createElement(_SalesTaxes2.default, null)\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section Section--printHalfWidth' },\n\t _react2.default.createElement(\n\t 'h1',\n\t { className: 'Section-header' },\n\t 'Other Transaction Fees'\n\t ),\n\t _react2.default.createElement(_ResetButton2.default, { label: 'Reset Other Fees', action: _constants.ACTIONS.RESET_OTHER_TRANSACTION_FEES, className: 'ResetBtn ResetSectionBtn' }),\n\t _react2.default.createElement(_OtherTransactionFees2.default, null)\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section TotalSection' },\n\t _react2.default.createElement(_FeeCalculatorTotal2.default, null)\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Section Footer' },\n\t _react2.default.createElement(\n\t 'p',\n\t null,\n\t 'Calculations based off of the Fee Calculator PDF developed by John Archer (in partnership with the Hillsborough County Tax Collector Office). Designed and Developed for the web by ',\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t 'David Brierton'\n\t ),\n\t ' in the Manatee County Tax Collector Office. ',\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t 'Last updated'\n\t ),\n\t ' July 21, 2017. All Fees and Totals contained herein are ',\n\t _react2.default.createElement(\n\t 'em',\n\t null,\n\t 'estimations only'\n\t ),\n\t ' and are subject to change.'\n\t )\n\t )\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return App;\n\t}(_react.Component);\n\t\n\texports.default = App;\n\n/***/ },\n/* 268 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _classnames = __webpack_require__(40);\n\t\n\tvar _classnames2 = _interopRequireDefault(_classnames);\n\t\n\tvar _reactDatepicker = __webpack_require__(422);\n\t\n\tvar _reactDatepicker2 = _interopRequireDefault(_reactDatepicker);\n\t\n\tvar _moment = __webpack_require__(1);\n\t\n\tvar _moment2 = _interopRequireDefault(_moment);\n\t\n\tvar _expirationMonthsCodes = __webpack_require__(308);\n\t\n\tvar _expirationMonthsCodes2 = _interopRequireDefault(_expirationMonthsCodes);\n\t\n\tvar _formatDate = __webpack_require__(49);\n\t\n\tvar _formatDate2 = _interopRequireDefault(_formatDate);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _monthsFromNow = __webpack_require__(84);\n\t\n\tvar _monthsFromNow2 = _interopRequireDefault(_monthsFromNow);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar ExpirationRow = function (_Component) {\n\t _inherits(ExpirationRow, _Component);\n\t\n\t function ExpirationRow() {\n\t _classCallCheck(this, ExpirationRow);\n\t\n\t var _this = _possibleConstructorReturn(this, (ExpirationRow.__proto__ || Object.getPrototypeOf(ExpirationRow)).call(this));\n\t\n\t _this.state = { monthMode: true };\n\t _this.changeDate = _this.changeDate.bind(_this);\n\t _this.forceMonth = _this.forceMonth.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(ExpirationRow, [{\n\t key: 'getNumberMonthRow',\n\t value: function getNumberMonthRow() {\n\t var _this2 = this;\n\t\n\t var _props = this.props,\n\t selectedMonthNumber = _props.selectedMonthNumber,\n\t today = _props.today,\n\t monthsFromNow = _props.monthsFromNow,\n\t monthsAreLocked = _props.monthsAreLocked;\n\t\n\t var fromNow = (0, _monthsFromNow2.default)(today, selectedMonthNumber).replace(/\\s+?months/, '');\n\t var months = fromNow.split('/').map(function (n) {\n\t return Number(n);\n\t });\n\t\n\t return [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15].map(function (num) {\n\t var key = 'monthKey' + num;\n\t var isActive = months.indexOf(num) > -1;\n\t var isHighlighted = isActive && Number(monthsFromNow) === num;\n\t\n\t var btnClass = (0, _classnames2.default)({\n\t Button: true,\n\t 'MonthNumbers-button': true,\n\t 'Button--selected': isHighlighted,\n\t 'MonthNumbers--active': isActive,\n\t 'MonthNumbers--activeLocked': !isActive && !isHighlighted && Number(monthsFromNow) === num,\n\t 'MonthNumbers--disabled': monthsAreLocked && !isHighlighted && !isActive,\n\t 'MonthNumbers--disabled--visible': !monthsAreLocked\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'button',\n\t {\n\t key: key,\n\t className: btnClass,\n\t onClick: function onClick() {\n\t _this2.forceMonth(num);\n\t }\n\t },\n\t num\n\t );\n\t });\n\t }\n\t }, {\n\t key: 'getModeButtons',\n\t value: function getModeButtons() {\n\t var _this3 = this;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'ExpiMode' },\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'ExpiMode-note' },\n\t 'Mode: '\n\t ),\n\t _react2.default.createElement(\n\t 'button',\n\t {\n\t className: 'ExpiMode-btn ' + (this.state.monthMode ? 'ExpiMode-btn--selected' : ''),\n\t onClick: function onClick() {\n\t return _this3.setState({ monthMode: true });\n\t }\n\t },\n\t 'DOB/Expiration'\n\t ),\n\t _react2.default.createElement(\n\t 'button',\n\t {\n\t className: 'ExpiMode-btn ' + (this.state.monthMode ? '' : 'ExpiMode-btn--selected'),\n\t onClick: function onClick() {\n\t return _this3.setState({ monthMode: false });\n\t }\n\t },\n\t 'For-Hire Co. Name'\n\t )\n\t );\n\t }\n\t }, {\n\t key: 'forceMonth',\n\t value: function forceMonth(num) {\n\t this.props.resetAllExceptMonth();\n\t this.props.setMonthsFromNow(num);\n\t }\n\t }, {\n\t key: 'changeDate',\n\t value: function changeDate(date) {\n\t this.props.resetAllExceptMonth();\n\t this.props.setTodaysDate((0, _moment2.default)(date));\n\t this.props.setExpirationMonth((0, _moment2.default)(date).month() + 1);\n\t }\n\t }, {\n\t key: 'renderButtons',\n\t value: function renderButtons() {\n\t var _this4 = this;\n\t\n\t return _expirationMonthsCodes2.default.map(function (item, i) {\n\t var month = item.month,\n\t code = item.code,\n\t tip = item.tip,\n\t monthNum = item.monthNum;\n\t\n\t var label = _this4.state.monthMode ? month : code;\n\t var id = 'ButtonMonth' + i;\n\t\n\t var btnClass = (0, _classnames2.default)({\n\t Button: true,\n\t MonthButton: true,\n\t 'Button--selected': _this4.props.selectedMonthNumber === monthNum\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'button',\n\t {\n\t key: id,\n\t className: btnClass,\n\t id: id,\n\t 'data-tooltip': tip,\n\t onClick: function onClick() {\n\t _this4.props.setExpirationMonth(monthNum);\n\t }\n\t },\n\t label\n\t );\n\t });\n\t }\n\t }, {\n\t key: 'getLockButton',\n\t value: function getLockButton() {\n\t var _props2 = this.props,\n\t monthsAreLocked = _props2.monthsAreLocked,\n\t toggleMonthsAreLocked = _props2.toggleMonthsAreLocked;\n\t\n\t var click = function click() {\n\t return toggleMonthsAreLocked();\n\t };\n\t if (monthsAreLocked) {\n\t return _react2.default.createElement(\n\t 'button',\n\t { onClick: click, className: 'LockBtn LockBtn--locked' },\n\t _react2.default.createElement('i', { className: 'fa fa-lock LockBtn-icon', 'aria-hidden': 'true' })\n\t );\n\t }\n\t return _react2.default.createElement(\n\t 'button',\n\t { onClick: click, className: 'LockBtn LockBtn--unlocked' },\n\t _react2.default.createElement('i', { className: 'fa fa-unlock-alt LockBtn-icon', 'aria-hidden': 'true' })\n\t );\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var monthNumbersClass = (0, _classnames2.default)({\n\t 'MonthNumbers': true,\n\t 'MonthNumbers--unlocked': !this.props.monthsAreLocked\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box ExpiMode-wrapper' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'FCR-Datepicker-row' },\n\t _react2.default.createElement(_reactDatepicker2.default, {\n\t customInput: _react2.default.createElement(\n\t 'button',\n\t null,\n\t (0, _formatDate2.default)(this.props.today)\n\t ),\n\t className: 'FCR-Datepicker',\n\t onChange: this.changeDate,\n\t dateFormat: 'MM/DD/YYYY',\n\t todayButton: 'Today',\n\t onChangeRaw: this.handleChangeRaw,\n\t showMonthDropdown: true\n\t }),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FCR-Datepicker-label' },\n\t 'Purchase Date: '\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'ExpiMode-top' },\n\t this.getModeButtons()\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'ExpiMode-bottom clearfix' },\n\t this.renderButtons(),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: monthNumbersClass },\n\t this.getLockButton(),\n\t _react2.default.createElement(\n\t 'span',\n\t null,\n\t 'Months: '\n\t ),\n\t this.getNumberMonthRow()\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return ExpirationRow;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedMonthNumber: state.registration.selectedMonthNumber,\n\t monthsFromNow: state.registration.monthsFromNow,\n\t today: state.registration.today,\n\t monthsAreLocked: state.registration.monthsAreLocked\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setExpirationMonth: _registration.setExpirationMonth, setMonthsFromNow: _registration.setMonthsFromNow, setTodaysDate: _registration.setTodaysDate, resetAllExceptMonth: _registration.resetAllExceptMonth, toggleMonthsAreLocked: _registration.toggleMonthsAreLocked })(ExpirationRow);\n\n/***/ },\n/* 269 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar LockedFees = function (_Component) {\n\t _inherits(LockedFees, _Component);\n\t\n\t function LockedFees() {\n\t _classCallCheck(this, LockedFees);\n\t\n\t return _possibleConstructorReturn(this, (LockedFees.__proto__ || Object.getPrototypeOf(LockedFees)).apply(this, arguments));\n\t }\n\t\n\t _createClass(LockedFees, [{\n\t key: 'getLockButton',\n\t value: function getLockButton() {\n\t var _props = this.props,\n\t isLocked = _props.isLocked,\n\t toggleLockedCountyFee = _props.toggleLockedCountyFee;\n\t\n\t var click = function click() {\n\t return toggleLockedCountyFee();\n\t };\n\t if (!isLocked) {\n\t return _react2.default.createElement(\n\t 'button',\n\t { onClick: click, className: 'LockBtn LockBtn--unlocked' },\n\t _react2.default.createElement('i', { className: 'fa fa-unlock-alt LockBtn-icon', 'aria-hidden': 'true' }),\n\t ' ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'LockBtn-text' },\n\t 'unlocked'\n\t )\n\t );\n\t }\n\t return _react2.default.createElement(\n\t 'button',\n\t { onClick: click, className: 'LockBtn LockBtn--locked' },\n\t _react2.default.createElement('i', { className: 'fa fa-lock LockBtn-icon', 'aria-hidden': 'true' }),\n\t ' ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'LockBtn-text' },\n\t 'locked'\n\t )\n\t );\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _this2 = this;\n\t\n\t var _props2 = this.props,\n\t shouldChargeBranchFee = _props2.shouldChargeBranchFee,\n\t shouldChargeVesselCountyFees = _props2.shouldChargeVesselCountyFees,\n\t isLocked = _props2.isLocked;\n\t\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'LockFee-box' },\n\t _react2.default.createElement('input', {\n\t type: 'checkbox',\n\t disabled: isLocked,\n\t checked: shouldChargeBranchFee,\n\t 'data-tooltip': 'Resets page then checks/unchecks branch fees',\n\t id: 'chargebranchfee',\n\t onChange: function onChange() {\n\t return _this2.props.toggleShouldChargeBranchFee();\n\t }\n\t }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'LockFee-label', htmlFor: 'chargebranchfee' },\n\t 'County Branch Fee'\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'LockFee-box' },\n\t _react2.default.createElement('input', {\n\t type: 'checkbox',\n\t disabled: 'true',\n\t checked: shouldChargeVesselCountyFees,\n\t 'data-tooltip': 'Resets page then checks/unchecks Vessel County Fees',\n\t id: 'VesselCountyFees',\n\t onChange: function onChange() {\n\t return _this2.props.toggleShouldChargeVesselCountyFee();\n\t }\n\t }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'LockFee-label', htmlFor: 'VesselCountyFees' },\n\t 'County Vessel Fees'\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'LockFee-box' },\n\t this.getLockButton()\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return LockedFees;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t shouldChargeBranchFee: state.registration.shouldChargeBranchFee,\n\t shouldChargeVesselCountyFees: state.registration.shouldChargeVesselCountyFees,\n\t isLocked: state.registration.isLocked\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, {\n\t toggleShouldChargeBranchFee: _registration.toggleShouldChargeBranchFee,\n\t toggleShouldChargeVesselCountyFee: _registration.toggleShouldChargeVesselCountyFee,\n\t toggleLockedCountyFee: _registration.toggleLockedCountyFee\n\t})(LockedFees);\n\n/***/ },\n/* 270 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar ResetButton = function ResetButton(props) {\n\t return _react2.default.createElement(\n\t 'button',\n\t {\n\t className: props.className || 'ResetBtn',\n\t onClick: function onClick() {\n\t props.dispatch({\n\t type: props.action\n\t });\n\t }\n\t },\n\t props.label || 'RESET'\n\t );\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)()(ResetButton);\n\n/***/ },\n/* 271 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _formatDate = __webpack_require__(49);\n\t\n\tvar _formatDate2 = _interopRequireDefault(_formatDate);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar Today = function (_Component) {\n\t _inherits(Today, _Component);\n\t\n\t function Today() {\n\t _classCallCheck(this, Today);\n\t\n\t return _possibleConstructorReturn(this, (Today.__proto__ || Object.getPrototypeOf(Today)).apply(this, arguments));\n\t }\n\t\n\t _createClass(Today, [{\n\t key: 'render',\n\t value: function render() {\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FormattedDate no-print' },\n\t (0, _formatDate2.default)(this.props.todaysDate)\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FormattedDate print-only' },\n\t (0, _formatDate2.default)(new Date())\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return Today;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t todaysDate: state.registration.today\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setTodaysDate: _registration.setTodaysDate })(Today);\n\n/***/ },\n/* 272 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar CommercialVesselFee = function (_Component) {\n\t _inherits(CommercialVesselFee, _Component);\n\t\n\t function CommercialVesselFee(props) {\n\t _classCallCheck(this, CommercialVesselFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (CommercialVesselFee.__proto__ || Object.getPrototypeOf(CommercialVesselFee)).call(this, props));\n\t\n\t _this.handleClick = _this.handleClick.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(CommercialVesselFee, [{\n\t key: 'handleClick',\n\t value: function handleClick() {\n\t this.props.toggleVesselCommercialExempt();\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t vesselCommercialExempt = _props.vesselCommercialExempt,\n\t vesselCommercialFee = _props.vesselCommercialFee;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-vesselCommercialFee', style: { display: this.props.vesselShowExemptFee ? 'block' : 'none' } },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'vesselCommercialTotal', tooltip: 'Commercial Vessel Fees (Total State & County)', value: vesselCommercialFee, readOnly: true }),\n\t _react2.default.createElement('input', { className: 'no-print', type: 'checkbox', id: 'vesselCommercialExempt', 'data-tooltip': 'Set Commercial Vessel to Exempt (removes fees)', checked: vesselCommercialExempt, onChange: this.handleClick }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'no-print', htmlFor: 'vesselCommercialExempt' },\n\t 'Vessel is Exempt'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Commercial Vessel Fee'\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'vesselNote no-print' },\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t 'Note:'\n\t ),\n\t ' Vessels owned by non-residents used exclusively for commercial shrimping from Mississippi, North Carolina or Texas can be exempt.'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return CommercialVesselFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t vesselCommercialExempt: state.registration.vesselCommercialExempt,\n\t vesselCommercialFee: state.registration.vesselCommercialFee,\n\t vesselShowExemptFee: state.registration.vesselShowExemptFee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { toggleVesselCommercialExempt: _registration.toggleVesselCommercialExempt })(CommercialVesselFee);\n\n/***/ },\n/* 273 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _classNumbers = __webpack_require__(306);\n\t\n\tvar _classNumbers2 = _interopRequireDefault(_classNumbers);\n\t\n\tvar _calculateCredit = __webpack_require__(304);\n\t\n\tvar _calculateCredit2 = _interopRequireDefault(_calculateCredit);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env browser, node */\n\t\n\t\n\tvar CreditTotal = function (_Component) {\n\t _inherits(CreditTotal, _Component);\n\t\n\t function CreditTotal(props) {\n\t _classCallCheck(this, CreditTotal);\n\t\n\t var _this = _possibleConstructorReturn(this, (CreditTotal.__proto__ || Object.getPrototypeOf(CreditTotal)).call(this, props));\n\t\n\t _this.onClassChange = _this.onClassChange.bind(_this);\n\t _this.onWeightChange = _this.onWeightChange.bind(_this);\n\t _this.onMonthChange = _this.onMonthChange.bind(_this);\n\t _this.localToggleApplyCredit = _this.localToggleApplyCredit.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(CreditTotal, [{\n\t key: 'onClassChange',\n\t value: function onClassChange(event) {\n\t this.props.setCreditClass(event.target.value);\n\t }\n\t }, {\n\t key: 'onWeightChange',\n\t value: function onWeightChange(event) {\n\t this.props.setCreditWeight(event.target.value);\n\t }\n\t }, {\n\t key: 'onMonthChange',\n\t value: function onMonthChange(event) {\n\t var months = Number(event.target.value);\n\t this.props.setCreditMonths(months);\n\t }\n\t }, {\n\t key: 'localToggleApplyCredit',\n\t value: function localToggleApplyCredit() {\n\t var _props = this.props,\n\t pipe = _props.pipe,\n\t BFfee = _props.BFfee,\n\t applyCredit = _props.applyCredit,\n\t creditClass = _props.creditClass,\n\t creditMonths = _props.creditMonths,\n\t creditWeight = _props.creditWeight;\n\t\n\t var r16 = 0;\n\t if (pipe) {\n\t r16 = Number(pipe.r16);\n\t }\n\t\n\t // if applycredit is already checked, just uncheck it\n\t if (applyCredit) {\n\t this.props.resetCredit();\n\t return;\n\t }\n\t\n\t // now let's do some validation before passing the\n\t // data along to the reducer.\n\t if (!creditClass || Number(creditClass) === 0) {\n\t alert('You must select a credit class to calculate credit.');\n\t return;\n\t }\n\t if (!creditWeight) {\n\t alert('You must enter a weight or length to calculate credit.');\n\t return;\n\t }\n\t if (!creditMonths) {\n\t alert('You must chose a credit month 1-27 to calculate credit.');\n\t return;\n\t }\n\t\n\t // now let's see if credit is even allowed.\n\t var creditAllowed = false;\n\t var creditTotal = (0, _calculateCredit2.default)({\n\t tCreditMonths: creditMonths,\n\t tCreditWeight: creditWeight,\n\t creditClass: creditClass\n\t });\n\t\n\t if (creditTotal !== Number.MIN_SAFE_INTEGER) {\n\t creditAllowed = true;\n\t }\n\t\n\t if (creditAllowed) {\n\t if (r16 === 5) {\n\t this.props.setTransferFeeValue(2.50 + BFfee);\n\t } else {\n\t this.props.setTransferFeeValue(4.10 + BFfee);\n\t }\n\t this.props.toggleApplyCredit(true, (0, _precise2.default)(creditTotal));\n\t } else {\n\t this.props.toggleApplyCredit(false, (0, _precise2.default)(0));\n\t }\n\t }\n\t }, {\n\t key: 'getCreditMonths',\n\t value: function getCreditMonths() {\n\t var months = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27];\n\t return months.map(function (item) {\n\t return ['' + item, item];\n\t });\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _this2 = this;\n\t\n\t var _props2 = this.props,\n\t applyCredit = _props2.applyCredit,\n\t creditTotal = _props2.creditTotal,\n\t creditClass = _props2.creditClass,\n\t creditMonths = _props2.creditMonths,\n\t creditWeight = _props2.creditWeight;\n\t\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-creditRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'Rsubcredit', tooltip: 'Total credit calculated', value: applyCredit ? creditTotal : '0.00', readOnly: true }),\n\t _react2.default.createElement('input', { className: 'no-print', type: 'checkbox', checked: applyCredit, id: 'applyCredit', onChange: function onChange() {\n\t return _this2.localToggleApplyCredit();\n\t } }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'no-print', htmlFor: 'applyCredit' },\n\t 'Apply Credit'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Applied Credit'\n\t ),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['Class', '0'],\n\t id: 'CreditClassCombo',\n\t tooltip: 'Choose the credit class',\n\t options: _classNumbers2.default,\n\t onChange: function onChange(e) {\n\t return _this2.onClassChange(e);\n\t },\n\t selectedValue: creditClass,\n\t className: 'Dropdown Credit-dropdown no-print'\n\t }),\n\t _react2.default.createElement('input', { className: 'Credit-input no-print', id: 'tCreditWeight', 'data-tooltip': '', type: 'number', value: creditWeight || '', onChange: function onChange(e) {\n\t return _this2.onWeightChange(e);\n\t }, placeholder: 'lbs / ft' }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['Month', ''],\n\t id: 'tCreditMonths',\n\t tooltip: 'Choose the credit months 1-27',\n\t options: this.getCreditMonths(),\n\t onChange: function onChange(e) {\n\t return _this2.onMonthChange(e);\n\t },\n\t selectedValue: creditMonths || '',\n\t className: 'Dropdown Credit-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'button',\n\t { className: 'no-print Row-resetBtn', onClick: this.props.resetCredit },\n\t _react2.default.createElement('i', { className: 'fa fa-refresh', 'aria-hidden': 'true' })\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return CreditTotal;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t creditClass: state.registration.creditClass,\n\t creditWeight: state.registration.creditWeight,\n\t creditMonths: state.registration.creditMonths,\n\t applyCredit: state.registration.applyCredit,\n\t creditTotal: state.registration.creditTotal,\n\t pipe: state.registration.pipe,\n\t BFfee: state.registration.BFfee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { toggleApplyCredit: _registration.toggleApplyCredit, setCreditClass: _registration.setCreditClass, setCreditMonths: _registration.setCreditMonths, setCreditWeight: _registration.setCreditWeight, setTransferFeeValue: _registration.setTransferFeeValue, resetCredit: _registration.resetCredit })(CreditTotal);\n\n/***/ },\n/* 274 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env browser, node */\n\t\n\t\n\tvar InitialRegistrationFee = function (_Component) {\n\t _inherits(InitialRegistrationFee, _Component);\n\t\n\t function InitialRegistrationFee(props) {\n\t _classCallCheck(this, InitialRegistrationFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (InitialRegistrationFee.__proto__ || Object.getPrototypeOf(InitialRegistrationFee)).call(this, props));\n\t\n\t _this.onChange = _this.onChange.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(InitialRegistrationFee, [{\n\t key: 'onChange',\n\t value: function onChange() {\n\t var _props = this.props,\n\t applyInitialRegistrationFee = _props.applyInitialRegistrationFee,\n\t selectedVehicleValue = _props.selectedVehicleValue,\n\t initialRegistrationFee = _props.initialRegistrationFee;\n\t\n\t var r19 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r19'));\n\t\n\t var fee = Number(initialRegistrationFee);\n\t var allowChecked = applyInitialRegistrationFee;\n\t\n\t if (applyInitialRegistrationFee) {\n\t // just 'uncheck' the values\n\t fee = 0;\n\t allowChecked = false;\n\t }\n\t\n\t if (!applyInitialRegistrationFee) {\n\t if (r19 === 2) {\n\t alert('Initial $225 Registration Fee not charged on this Vehicle type');\n\t allowChecked = false;\n\t fee = 0;\n\t } else {\n\t fee = 225;\n\t allowChecked = true;\n\t }\n\t }\n\t\n\t this.props.setInitialRegistationFee((0, _precise2.default)(fee), allowChecked);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props2 = this.props,\n\t applyInitialRegistrationFee = _props2.applyInitialRegistrationFee,\n\t initialRegistrationFee = _props2.initialRegistrationFee;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-secondYearFee' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'Rsub3', tooltip: 'Registration Renewal Penalty Fees', value: initialRegistrationFee, readOnly: true }),\n\t _react2.default.createElement('input', { className: 'no-print', id: 'Initial', checked: applyInitialRegistrationFee || false, onChange: this.onChange, 'data-tooltip': 'Check to include the Initial Registration Fee, if charging transfer fee plus initial $225, complete transfer box first.', type: 'checkbox' }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'no-print', htmlFor: 'Initial' },\n\t '$225 Initial Registration Fee'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Initial Registration Fee'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return InitialRegistrationFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t initialRegistrationFee: state.registration.initialRegistrationFee,\n\t applyInitialRegistrationFee: state.registration.applyInitialRegistrationFee,\n\t transferFee: state.registration.transferFee,\n\t selectedVehicleValue: state.registration.selectedVehicleValue\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setInitialRegistationFee: _registration.setInitialRegistationFee })(InitialRegistrationFee);\n\n/***/ },\n/* 275 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _classnames = __webpack_require__(40);\n\t\n\tvar _classnames2 = _interopRequireDefault(_classnames);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _mailFees = __webpack_require__(312);\n\t\n\tvar _mailFees2 = _interopRequireDefault(_mailFees);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar MailFee = function (_Component) {\n\t _inherits(MailFee, _Component);\n\t\n\t function MailFee(props) {\n\t _classCallCheck(this, MailFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (MailFee.__proto__ || Object.getPrototypeOf(MailFee)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t _this.onCustomFeeChange = _this.onCustomFeeChange.bind(_this);\n\t _this.onCustomFeeDescriptionChange = _this.onCustomFeeDescriptionChange.bind(_this);\n\t _this.state = {\n\t customFee: '0.00',\n\t customDescription: ''\n\t };\n\t return _this;\n\t }\n\t\n\t _createClass(MailFee, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var selectedValue = event.target.value;\n\t var parts = selectedValue.split('|');\n\t var name = parts[0];\n\t var fee = parts[1];\n\t this.props.setMailFee(name, (0, _precise2.default)(fee), selectedValue);\n\t }\n\t }, {\n\t key: 'onCustomFeeChange',\n\t value: function onCustomFeeChange(event) {\n\t this.props.setMailFeeCustomFee(event.target.value);\n\t }\n\t }, {\n\t key: 'onCustomFeeDescriptionChange',\n\t value: function onCustomFeeDescriptionChange(event) {\n\t this.props.setMailFeeCustomDescription(event.target.value);\n\t }\n\t }, {\n\t key: 'printCustomDescription',\n\t value: function printCustomDescription() {\n\t var mailFeeCustomDescription = this.props.mailFeeCustomDescription;\n\t\n\t if (mailFeeCustomDescription === '') {\n\t return _react2.default.createElement(\n\t 'span',\n\t { className: 'Row-subtext' },\n\t '(No Description provided)'\n\t );\n\t }\n\t return mailFeeCustomDescription;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t mailFee = _props.mailFee,\n\t mailFeeSelectedValue = _props.mailFeeSelectedValue,\n\t mailFeeShowCustomAmount = _props.mailFeeShowCustomAmount,\n\t mailFeeCustomDescription = _props.mailFeeCustomDescription,\n\t mailFeeCustomFee = _props.mailFeeCustomFee,\n\t mailFeeName = _props.mailFeeName;\n\t\n\t var hideRowIfZeroInPrint = (0, _classnames2.default)({\n\t Row: true,\n\t 'no-print': Number(mailFee) === 0\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: hideRowIfZeroInPrint },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'MFTotal',\n\t 'data-id': 'mailFeeTotal',\n\t tooltip: 'Mail Fee Total',\n\t value: mailFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'mailFee',\n\t tooltip: 'Choose a listed mail fee or add your own (for example: $10 special mail); the 10 will show and add in the fees. Note you must only use numeric characters for the fee amount.',\n\t options: _mailFees2.default,\n\t onChange: this.onValueSelect,\n\t selectedValue: mailFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Mail Fee: ',\n\t mailFeeName\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Row MailFee-custom', style: { display: mailFeeShowCustomAmount ? 'block' : 'none' } },\n\t _react2.default.createElement('input', {\n\t id: 'MFTotalCustom',\n\t 'data-id': 'parkPlacardFee',\n\t 'data-tooltip': 'Mail Fee Total',\n\t type: 'number',\n\t value: mailFeeCustomFee,\n\t onChange: this.onCustomFeeChange,\n\t className: 'Row-total Row-editableTotal'\n\t }),\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'MFTotalCustomFeeDescription',\n\t 'data-id': 'mailFeeCustomFeeDescription',\n\t tooltip: 'Custom Mail Fee Description',\n\t placeholder: 'Description (Optional)',\n\t onChange: this.onCustomFeeDescriptionChange,\n\t value: mailFeeCustomDescription,\n\t className: 'Row-input Row-longInput no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'Row-inputLabel no-print', htmlFor: 'mailFeeCustomFeeDescription' },\n\t 'Custom Mail Fee'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Custom Mail Fee:\\xA0'\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'print-only' },\n\t this.printCustomDescription()\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return MailFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t mailFee: state.registration.mailFee,\n\t mailFeeName: state.registration.mailFeeName,\n\t mailFeeSelectedValue: state.registration.mailFeeSelectedValue,\n\t mailFeeShowCustomAmount: state.registration.mailFeeShowCustomAmount,\n\t mailFeeCustomFee: state.registration.mailFeeCustomFee,\n\t mailFeeCustomDescription: state.registration.mailFeeCustomDescription\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setMailFee: _registration.setMailFee, setMailFeeCustomFee: _registration.setMailFeeCustomFee, setMailFeeCustomDescription: _registration.setMailFeeCustomDescription })(MailFee);\n\n/***/ },\n/* 276 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _parkPlacards = __webpack_require__(317);\n\t\n\tvar _parkPlacards2 = _interopRequireDefault(_parkPlacards);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar ParkPlacards = function (_Component) {\n\t _inherits(ParkPlacards, _Component);\n\t\n\t function ParkPlacards(props) {\n\t _classCallCheck(this, ParkPlacards);\n\t\n\t var _this = _possibleConstructorReturn(this, (ParkPlacards.__proto__ || Object.getPrototypeOf(ParkPlacards)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(ParkPlacards, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var selectedValue = event.target.value;\n\t var parts = selectedValue.split('|');\n\t var name = parts[0];\n\t var fee = parts[1];\n\t this.props.setParkPlacardFee(name, (0, _precise2.default)(fee), selectedValue);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t parkPlacardFee = _props.parkPlacardFee,\n\t parkPlacardSelectedValue = _props.parkPlacardSelectedValue,\n\t parkPlacardName = _props.parkPlacardName;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-transferFeeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Rsub8',\n\t 'data-id': 'parkPlacardFee',\n\t tooltip: 'Park Placard Total',\n\t value: parkPlacardFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['No Park Placard', 'No Park Placard|0'],\n\t id: 'parkPlacards',\n\t tooltip: 'Select a Park Placard',\n\t options: _parkPlacards2.default,\n\t onChange: this.onValueSelect,\n\t selectedValue: parkPlacardSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t parkPlacardName\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return ParkPlacards;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t parkPlacardFee: state.registration.parkPlacardFee,\n\t parkPlacardName: state.registration.parkPlacardName,\n\t parkPlacardSelectedValue: state.registration.parkPlacardSelectedValue,\n\t parkPlacardSelectedValueLabel: state.registration.parkPlacardSelectedValueLabel\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setParkPlacardFee: _registration.setParkPlacardFee })(ParkPlacards);\n\n/***/ },\n/* 277 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _renewalPenaltyTotal = __webpack_require__(90);\n\t\n\tvar _renewalPenaltyTotal2 = _interopRequireDefault(_renewalPenaltyTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar PenaltyFee = function (_Component) {\n\t _inherits(PenaltyFee, _Component);\n\t\n\t function PenaltyFee(props) {\n\t _classCallCheck(this, PenaltyFee);\n\t\n\t return _possibleConstructorReturn(this, (PenaltyFee.__proto__ || Object.getPrototypeOf(PenaltyFee)).call(this, props));\n\t }\n\t\n\t _createClass(PenaltyFee, [{\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t penaltyFee = _props.penaltyFee,\n\t applyPenaltyFee = _props.applyPenaltyFee;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-plateFeeRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', 'data-id': 'penaltyTotal', id: 'Rsub2', tooltip: 'Plate Issue Fees Total including all County, if applicable', value: applyPenaltyFee ? penaltyFee : '0.00', readOnly: true }),\n\t _react2.default.createElement('input', { className: 'no-print', id: 'Penaltybox', 'data-tooltip': 'Check to apply penalty fees for this vehicle.', type: 'checkbox', checked: applyPenaltyFee && Number(penaltyFee) > 0, onChange: this.props.toggleApplyPenaltyFee }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'no-print', htmlFor: 'Penaltybox' },\n\t 'Apply renewal penalty amount'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Renewal Penalty'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return PenaltyFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t penaltyFee: (0, _renewalPenaltyTotal2.default)(state),\n\t applyPenaltyFee: state.registration.applyPenaltyFee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { toggleApplyPenaltyFee: _registration.toggleApplyPenaltyFee })(PenaltyFee);\n\n/***/ },\n/* 278 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _secondYearFeeTotal = __webpack_require__(39);\n\t\n\tvar _secondYearFeeTotal2 = _interopRequireDefault(_secondYearFeeTotal);\n\t\n\tvar _SVCFees = __webpack_require__(77);\n\t\n\tvar _SVCFees2 = _interopRequireDefault(_SVCFees);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env node, browser */\n\t\n\t\n\tvar PERSONAL_RENEW = 'personal-renew';\n\tvar PERSONAL_ORIGINAL = 'personal-original';\n\tvar RADIO_ORIGINAL = 'radio-original';\n\tvar RADIO_RENEW = 'radio-renew';\n\tvar RADIO = 'radio';\n\tvar PERSONAL = 'personal';\n\t\n\tvar PersonalizedPlateFee = function (_Component) {\n\t _inherits(PersonalizedPlateFee, _Component);\n\t\n\t function PersonalizedPlateFee(props) {\n\t _classCallCheck(this, PersonalizedPlateFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (PersonalizedPlateFee.__proto__ || Object.getPrototypeOf(PersonalizedPlateFee)).call(this, props));\n\t\n\t _this.onChange = _this.onChange.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(PersonalizedPlateFee, [{\n\t key: 'initialFee',\n\t value: function initialFee(plate) {\n\t var monthsFromNow = Number(this.props.monthsFromNow);\n\t var secondYearFee = Number(this.props.secondYearFee);\n\t var applySecondYearFee = this.props.applySecondYearFee;\n\t // NOTE: John used to set the default to 3.5 in the PDF\n\t // but doing so in the web app throws off the calculations by 3.5\n\t // so lets set `radioReg` to zero for now, until we confirm we don't ever\n\t // need this mysterious and problematic default of 3.5\n\t // let radioReg = plate === RADIO ? 3.5 : 0;\n\t\n\t var radioReg = 0;\n\t\n\t // Set these always: Personal = 15, Radio = 1.5\n\t var initial = plate === PERSONAL ? 15.00 : 1.5;\n\t\n\t var pc = 0;\n\t /* Adjusted to fix months 14-15 Personal Plate Calculation fees)\n\t /* if (monthsFromNow > 0 && monthsFromNow <= 13) {\n\t pc = 1;\n\t }\n\t if (monthsFromNow > 13 && monthsFromNow <= 15) {\n\t pc += 2;\n\t } */\n\t if (monthsFromNow > 0 && monthsFromNow <= 15) {\n\t pc = 1;\n\t }\n\t if (applySecondYearFee && secondYearFee !== 0) {\n\t pc += 1;\n\t radioReg = 0;\n\t }\n\t return pc * initial + radioReg;\n\t }\n\t }, {\n\t key: 'renew',\n\t value: function renew() {\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var monthsFromNow = Number(this.props.monthsFromNow);\n\t var classCode = 0;\n\t var total = 0;\n\t if (selectedVehicleValue) {\n\t classCode = Number((0, _getPipeValue2.default)(selectedVehicleValue, _constants.PIPE.CLASS_CODE));\n\t }\n\t\n\t if (monthsFromNow !== 0) {\n\t if (classCode === 65 || classCode === 69 || classCode === 80) {\n\t total += -8;\n\t }\n\t }\n\t return total;\n\t }\n\t }, {\n\t key: 'original',\n\t value: function original(plate) {\n\t var BFfee = this.props.BFfee;\n\t var OLPfee = _SVCFees2.default.OLPfee,\n\t RZfee = _SVCFees2.default.RZfee,\n\t FVfee = _SVCFees2.default.FVfee,\n\t ACfee = _SVCFees2.default.ACfee,\n\t EMfee = _SVCFees2.default.EMfee,\n\t AVfee = _SVCFees2.default.AVfee,\n\t DDfee = _SVCFees2.default.DDfee,\n\t SVCfee = _SVCFees2.default.SVCfee;\n\t\n\t var reservationFee = plate === RADIO ? 0 : 0;\n\t return reservationFee + OLPfee + RZfee + FVfee + ACfee + EMfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t }, {\n\t key: 'resetField',\n\t value: function resetField() {\n\t var _this2 = this;\n\t\n\t this.setState({ selectedValue: 'none' }, function () {\n\t _this2.setFee(0, '', 'Personalized Plate Fee');\n\t });\n\t }\n\t }, {\n\t key: 'setFee',\n\t value: function setFee(fee, selectedValue, selectedValueLabel) {\n\t this.props.setPersonalizedPlate((0, _precise2.default)(fee), selectedValue, selectedValueLabel);\n\t }\n\t }, {\n\t key: 'onChange',\n\t value: function onChange(event) {\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var label = this.peronalizedPlateOptions()[event.target.selectedIndex][0];\n\t var r20 = selectedVehicleValue ? Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r20')) : 0;\n\t\n\t var value = event.target.value;\n\t if (value === 'none') {\n\t this.setFee((0, _precise2.default)(0), 'none', 'Personalized Plate Fee');\n\t return;\n\t }\n\t\n\t var isRadioOption = value === RADIO_RENEW || value === RADIO_ORIGINAL;\n\t var isPersonOption = value === PERSONAL_RENEW || value === PERSONAL_ORIGINAL;\n\t var isForbiddenRadio = r20 === 1 || r20 === 2;\n\t var isForbiddenPersonal = r20 === 2;\n\t\n\t // Initially check to see if special plates are available\n\t if (isPersonOption && isForbiddenPersonal) {\n\t alert('This Vehicle type is not eligible for Personalized Plates');\n\t this.resetField();\n\t }\n\t\n\t if (isRadioOption && isForbiddenRadio) {\n\t alert('This Vehicle type is not eligible for Amateur Radio plates');\n\t this.resetField();\n\t }\n\t\n\t if (value === PERSONAL_RENEW && !isForbiddenPersonal) {\n\t this.setFee(this.initialFee(PERSONAL) + this.renew(), value, label);\n\t } else if (value === PERSONAL_ORIGINAL && !isForbiddenPersonal) {\n\t this.setFee(this.initialFee(PERSONAL) + this.original(PERSONAL), value, label);\n\t } else if (value === RADIO_RENEW && !isForbiddenRadio) {\n\t this.setFee(this.initialFee(RADIO) + this.renew(), value, label);\n\t } else if (value === RADIO_ORIGINAL && !isForbiddenRadio) {\n\t this.setFee(this.initialFee(RADIO) + this.original(RADIO), value, label);\n\t }\n\t }\n\t }, {\n\t key: 'peronalizedPlateOptions',\n\t value: function peronalizedPlateOptions() {\n\t return [['No Personal Plate', 'none'], ['Personalized Plate (Renewal Only)', PERSONAL_RENEW], ['Personalized Plate (Original Reservation or reorder different specialty sheeting)', PERSONAL_ORIGINAL], ['Amatuer Radio Plate (Renewal Only)', RADIO_RENEW], ['Amatuer Radio Plate (Original Reservation)', RADIO_ORIGINAL]];\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t personalizedPlateFee = _props.personalizedPlateFee,\n\t personalizedPlateFeeSelectedValue = _props.personalizedPlateFeeSelectedValue,\n\t personalizedPlateFeeSelectedValueLabel = _props.personalizedPlateFeeSelectedValueLabel;\n\t\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-peronalizedPlateRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'Rsub6', tooltip: 'Personalized Plate Fees', value: personalizedPlateFee, readOnly: true }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'PeronalizedPlateDropdown',\n\t tooltip: 'Choose the type of Personalized Plate',\n\t options: this.peronalizedPlateOptions(),\n\t onChange: this.onChange,\n\t selectedValue: personalizedPlateFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t personalizedPlateFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return PersonalizedPlateFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t monthsFromNow: state.registration.monthsFromNow,\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t SVCFEE_TOTAL: state.registration.SVCFEE_TOTAL,\n\t secondYearFee: (0, _secondYearFeeTotal2.default)(state),\n\t applySecondYearFee: state.registration.applySecondYearFee,\n\t personalizedPlateFee: state.registration.personalizedPlateFee,\n\t personalizedPlateFeeSelectedValue: state.registration.personalizedPlateFeeSelectedValue,\n\t personalizedPlateFeeSelectedValueLabel: state.registration.personalizedPlateFeeSelectedValueLabel,\n\t BFfee: state.registration.BFfee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setPersonalizedPlate: _registration.setPersonalizedPlate })(PersonalizedPlateFee);\n\n/***/ },\n/* 279 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar RegistrationConsole = function RegistrationConsole(props) {\n\t return _react2.default.createElement(\n\t 'div',\n\t { tabIndex: '-1', className: 'Console' },\n\t _react2.default.createElement(\n\t 'span',\n\t { tabIndex: '-1', className: 'Console-vehicleType' },\n\t props.selectedVehicleType ? props.selectedVehicleType.split('/').pop() : ''\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { tabIndex: '-1', className: 'Console-text', id: 'whichchosen' },\n\t props.text\n\t )\n\t );\n\t};\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t text: state.registration.registrationConsole,\n\t selectedVehicleType: state.registration.selectedVehicleType\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(RegistrationConsole);\n\n/***/ },\n/* 280 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registrationTotal = __webpack_require__(89);\n\t\n\tvar _registrationTotal2 = _interopRequireDefault(_registrationTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar RegistrationTotal = function (_Component) {\n\t _inherits(RegistrationTotal, _Component);\n\t\n\t function RegistrationTotal() {\n\t _classCallCheck(this, RegistrationTotal);\n\t\n\t return _possibleConstructorReturn(this, (RegistrationTotal.__proto__ || Object.getPrototypeOf(RegistrationTotal)).apply(this, arguments));\n\t }\n\t\n\t _createClass(RegistrationTotal, [{\n\t key: 'render',\n\t value: function render() {\n\t var total = this.props.total;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Row-finalTotalRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total Row-finalTotal', id: 'RTotal', tooltip: 'Registration Total', value: total, readOnly: true }),\n\t _react2.default.createElement(\n\t 'label',\n\t { tabIndex: '-1', className: 'Row-finalTotalLabel', htmlFor: 'RTotal' },\n\t 'REGISTRATION TOTAL'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return RegistrationTotal;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t total: (0, _registrationTotal2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(RegistrationTotal);\n\n/***/ },\n/* 281 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _secondYearFeeTotal = __webpack_require__(39);\n\t\n\tvar _secondYearFeeTotal2 = _interopRequireDefault(_secondYearFeeTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SecondYearFee = function (_Component) {\n\t _inherits(SecondYearFee, _Component);\n\t\n\t function SecondYearFee(props) {\n\t _classCallCheck(this, SecondYearFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (SecondYearFee.__proto__ || Object.getPrototypeOf(SecondYearFee)).call(this, props));\n\t\n\t _this.handleClick = _this.handleClick.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(SecondYearFee, [{\n\t key: 'handleClick',\n\t value: function handleClick() {\n\t this.props.toggleApplySecondYearFee();\n\t }\n\t }, {\n\t key: 'getFee',\n\t value: function getFee() {\n\t var _props = this.props,\n\t applySecondYearFee = _props.applySecondYearFee,\n\t secondYearFee = _props.secondYearFee;\n\t\n\t if (!applySecondYearFee) {\n\t return '0.00';\n\t }\n\t if (Array.isArray(secondYearFee)) {\n\t return secondYearFee[0];\n\t }\n\t return secondYearFee;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props2 = this.props,\n\t applySecondYearFee = _props2.applySecondYearFee,\n\t secondYearFee = _props2.secondYearFee;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-secondYearFee' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', 'data-id': 'secondYearFeeTotal', id: 'Rsub1c', tooltip: 'Commercial Vessel Fees (Total State & County)', value: this.getFee(), readOnly: true }),\n\t _react2.default.createElement('input', { className: 'no-print', type: 'checkbox', 'data-id': 'applySecondYearFee', id: '_2ndyear', 'data-tooltip': 'Add 2nd year renewal fee', checked: applySecondYearFee && Number(secondYearFee) > 0, onChange: this.handleClick }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'no-print', htmlFor: '_2ndyear' },\n\t 'Add Second Year?'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Second Year Fee'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SecondYearFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t secondYearFee: (0, _secondYearFeeTotal2.default)(state),\n\t applySecondYearFee: state.registration.applySecondYearFee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { toggleApplySecondYearFee: _registration.toggleApplySecondYearFee })(SecondYearFee);\n\n/***/ },\n/* 282 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _specialtyPlates = __webpack_require__(318);\n\t\n\tvar _specialtyPlates2 = _interopRequireDefault(_specialtyPlates);\n\t\n\tvar _isSpecialPlateAllowed = __webpack_require__(333);\n\t\n\tvar _isSpecialPlateAllowed2 = _interopRequireDefault(_isSpecialPlateAllowed);\n\t\n\tvar _getPlateImageFromPlateName = __webpack_require__(326);\n\t\n\tvar _getPlateImageFromPlateName2 = _interopRequireDefault(_getPlateImageFromPlateName);\n\t\n\tvar _secondYearFeeTotal = __webpack_require__(39);\n\t\n\tvar _secondYearFeeTotal2 = _interopRequireDefault(_secondYearFeeTotal);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env node, browser */\n\t\n\t\n\tvar SpecialtyPlate = function (_Component) {\n\t _inherits(SpecialtyPlate, _Component);\n\t\n\t function SpecialtyPlate(props) {\n\t _classCallCheck(this, SpecialtyPlate);\n\t\n\t var _this = _possibleConstructorReturn(this, (SpecialtyPlate.__proto__ || Object.getPrototypeOf(SpecialtyPlate)).call(this, props));\n\t\n\t _this.onChange = _this.onChange.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(SpecialtyPlate, [{\n\t key: 'onChange',\n\t value: function onChange(event) {\n\t var value = event.target.value;\n\t var total = 0;\n\t\n\t // Is a special plate even allowed?\n\t if (!(0, _isSpecialPlateAllowed2.default)(this.props.selectedVehicleValue)) {\n\t alert('Special plates are not allowed on this vehicle type. Please update your Vehicle selection.');\n\t return;\n\t }\n\t\n\t if (value !== 'None') {\n\t var arySPECResults = value.split('|');\n\t // separate out field and property strings at quotation marks\n\t var SP0 = arySPECResults[0]; // Type Label\n\t var SP1 = Number(arySPECResults[1]); // Fees\n\t var SP2 = Number(arySPECResults[2]); // Additional Requirements\n\t\n\t if (SP2 === 2) {\n\t alert('This is actually a fee required, military service related (not specialty) plate that has additional requirements which MUST be supported by specific documentation; see Form 83034!');\n\t }\n\t\n\t // Breakdown the cName list into parts between commas\n\t // to get the tag code of the chosen plate.\n\t\n\t var arySpes = SP0.split(',');\n\t var name = arySpes[0]; // cNAME\n\t\n\t var fee = Number(arySpes.pop().replace('$', ''));\n\t\n\t if (SP1 === 17) {\n\t total += this.specialty(fee, 20.00);\n\t } else if (SP1 === 19) {\n\t total += this.specialty(fee, 22.00);\n\t } else if (SP1 === 22) {\n\t total += this.specialty(fee, 25.00);\n\t } else if (SP1 === 24) {\n\t total += this.specialty(fee, 27.00);\n\t } else if (SP1 === 25) {\n\t total += this.specialty(fee, 28.00);\n\t } else if (SP1 === 27) {\n\t total += this.specialty(fee, 30.00);\n\t } else {\n\t total = SP1;\n\t }\n\t\n\t this.props.setSpecialtyPlate({\n\t total: (0, _precise2.default)(total),\n\t specialtyPlateSelectedValue: value,\n\t specialtyPlateName: name,\n\t specialtyPlateImageName: (0, _getPlateImageFromPlateName2.default)(name)\n\t });\n\t } else {\n\t this.props.setSpecialtyPlate({\n\t total: (0, _precise2.default)(0),\n\t specialtyPlateSelectedValue: null,\n\t specialtyPlateName: null,\n\t specialtyPlateImageName: null\n\t });\n\t }\n\t }\n\t }, {\n\t key: 'getImage',\n\t value: function getImage() {\n\t var specialtyPlateImageName = this.props.specialtyPlateImageName;\n\t\n\t if (specialtyPlateImageName) {\n\t return _react2.default.createElement('img', { className: 'SpecialPlate-img', src: 'images/plates/' + specialtyPlateImageName, alt: specialtyPlateImageName });\n\t }\n\t return null;\n\t }\n\t }, {\n\t key: 'specialty',\n\t value: function specialty(initialFee, addedFee) {\n\t var applySecondYearFee = this.props.applySecondYearFee;\n\t\n\t var mts = Number(this.props.monthsFromNow);\n\t var secondYearFee = Number(this.props.secondYearFee);\n\t\n\t var total = initialFee;\n\t // var s7bv = thisGetField(\"Rsub7backup\").val();\n\t // var s1c = thisGetField(\"Rsub1c\");\n\t if (mts > 0 && mts <= 13) {\n\t total = addedFee;\n\t }\n\t if (mts > 13 && mts <= 15) {\n\t total = addedFee * 2;\n\t }\n\t\n\t if (applySecondYearFee && secondYearFee !== 0) {\n\t total += addedFee;\n\t }\n\t\n\t return total;\n\t }\n\t }, {\n\t key: 'plateCodesOnly',\n\t value: function plateCodesOnly(plateLabel) {\n\t var str = '';\n\t if (plateLabel) {\n\t var parts = plateLabel.split(',');\n\t var codes = parts.splice(1, parts.length - 2).join(', ');\n\t str = '(' + codes + ')';\n\t }\n\t return str;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t specialtyPlateTotal = _props.specialtyPlateTotal,\n\t specialtyPlateSelectedValue = _props.specialtyPlateSelectedValue,\n\t specialtyPlateName = _props.specialtyPlateName;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-specialtyPlateRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'Rsub7', tooltip: 'Specialty Plate Fees', value: specialtyPlateTotal, readOnly: true }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['No Specialty Plate', 'None'],\n\t id: 'SpecialtyPage',\n\t tooltip: 'Choose the type of Personalized Plate',\n\t options: _specialtyPlates2.default,\n\t onChange: this.onChange,\n\t selectedValue: specialtyPlateSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'SpecialPlate', style: { display: !specialtyPlateName || specialtyPlateName === '' ? 'none' : 'block' } },\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'SpecialPlate-super' },\n\t specialtyPlateName !== '' ? 'SPECIAL PLATE PREVIEW' : ''\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'SpecialPlate-title' },\n\t specialtyPlateName\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'SpecialPlate-imgFrame' },\n\t this.getImage()\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Specialty Plate ',\n\t specialtyPlateName,\n\t ' ',\n\t this.plateCodesOnly(specialtyPlateSelectedValue)\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SpecialtyPlate;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t specialtyPlateTotal: state.registration.specialtyPlateTotal,\n\t specialtyPlateSelectedValue: state.registration.specialtyPlateSelectedValue,\n\t specialtyPlateName: state.registration.specialtyPlateName,\n\t specialtyPlateImageName: state.registration.specialtyPlateImageName,\n\t monthsFromNow: state.registration.monthsFromNow,\n\t applySecondYearFee: state.registration.applySecondYearFee,\n\t secondYearFee: (0, _secondYearFeeTotal2.default)(state),\n\t selectedVehicleValue: state.registration.selectedVehicleValue\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setSpecialtyPlate: _registration.setSpecialtyPlate })(SpecialtyPlate);\n\n/***/ },\n/* 283 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _subtotalFeesAndCredit = __webpack_require__(92);\n\t\n\tvar _subtotalFeesAndCredit2 = _interopRequireDefault(_subtotalFeesAndCredit);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SubtotalFeesCredit = function (_Component) {\n\t _inherits(SubtotalFeesCredit, _Component);\n\t\n\t function SubtotalFeesCredit() {\n\t _classCallCheck(this, SubtotalFeesCredit);\n\t\n\t return _possibleConstructorReturn(this, (SubtotalFeesCredit.__proto__ || Object.getPrototypeOf(SubtotalFeesCredit)).apply(this, arguments));\n\t }\n\t\n\t _createClass(SubtotalFeesCredit, [{\n\t key: 'render',\n\t value: function render() {\n\t var subtotal = this.props.subtotal;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Row-paddedBottom' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-subtotal', id: 'Rsubsub', tooltip: 'Subtotal of reg fee minus credit', value: subtotal, readOnly: true }),\n\t _react2.default.createElement(\n\t 'label',\n\t { tabIndex: '-1', className: 'Row-totalHeadingLabel', htmlFor: 'Rsubsub', 'data-tooltip': 'Subtotal of Registration fees minus credit' },\n\t 'SUBTOTAL ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'Row-subtext no-print' },\n\t '(Fees + allowed credit)'\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SubtotalFeesCredit;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t subtotal: (0, _subtotalFeesAndCredit2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(SubtotalFeesCredit);\n\n/***/ },\n/* 284 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _classnames = __webpack_require__(40);\n\t\n\tvar _classnames2 = _interopRequireDefault(_classnames);\n\t\n\tvar _formatDate = __webpack_require__(49);\n\t\n\tvar _formatDate2 = _interopRequireDefault(_formatDate);\n\t\n\tvar _totalBaseAndSVCFee = __webpack_require__(345);\n\t\n\tvar _totalBaseAndSVCFee2 = _interopRequireDefault(_totalBaseAndSVCFee);\n\t\n\tvar _totalBaseAndSVCFeeString = __webpack_require__(346);\n\t\n\tvar _totalBaseAndSVCFeeString2 = _interopRequireDefault(_totalBaseAndSVCFeeString);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TotalBaseAndSVCFee = function (_Component) {\n\t _inherits(TotalBaseAndSVCFee, _Component);\n\t\n\t function TotalBaseAndSVCFee(props) {\n\t _classCallCheck(this, TotalBaseAndSVCFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (TotalBaseAndSVCFee.__proto__ || Object.getPrototypeOf(TotalBaseAndSVCFee)).call(this, props));\n\t\n\t _this.shouldShowPuchaseDate = _this.shouldShowPuchaseDate.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TotalBaseAndSVCFee, [{\n\t key: 'shouldShowPuchaseDate',\n\t value: function shouldShowPuchaseDate() {\n\t var now = (0, _formatDate2.default)(new Date());\n\t var purchased = (0, _formatDate2.default)(this.props.today);\n\t return now === purchased;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t totalBaseAndSVCFee = _props.totalBaseAndSVCFee,\n\t totalBaseAndSVCFeeString = _props.totalBaseAndSVCFeeString,\n\t monthsFromNow = _props.monthsFromNow,\n\t selectedMonthNumber = _props.selectedMonthNumber;\n\t\n\t\n\t var noprint = (0, _classnames2.default)({\n\t 'Row': true,\n\t 'print-only': !this.shouldShowPuchaseDate(),\n\t 'no-print': this.shouldShowPuchaseDate()\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t null,\n\t _react2.default.createElement(\n\t 'div',\n\t { className: noprint },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total print-only', value: (0, _formatDate2.default)(this.props.today), readOnly: true }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Purchase Date'\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Row' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', 'data-id': 'totalBaseAndSVCFee', id: 'Rsub1a', tooltip: 'Registration fees (Total State & County)', value: totalBaseAndSVCFee, readOnly: true }),\n\t _react2.default.createElement('span', { id: 'totalBaseAndSVCFeeString', dangerouslySetInnerHTML: { __html: totalBaseAndSVCFeeString } }),\n\t _react2.default.createElement('input', { id: 'monthset', value: monthsFromNow, readOnly: true, className: 'u-hidden' })\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TotalBaseAndSVCFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t totalBaseAndSVCFee: (0, _totalBaseAndSVCFee2.default)(state),\n\t monthsFromNow: state.registration.monthsFromNow,\n\t totalBaseAndSVCFeeString: (0, _totalBaseAndSVCFeeString2.default)(state),\n\t selectedMonthNumber: state.registration.selectedMonthNumber,\n\t today: state.registration.today\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(TotalBaseAndSVCFee);\n\n/***/ },\n/* 285 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _mobilehome = __webpack_require__(37);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TotalMobileHomeFee = function (_Component) {\n\t _inherits(TotalMobileHomeFee, _Component);\n\t\n\t function TotalMobileHomeFee(props) {\n\t _classCallCheck(this, TotalMobileHomeFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (TotalMobileHomeFee.__proto__ || Object.getPrototypeOf(TotalMobileHomeFee)).call(this, props));\n\t\n\t _this.onLengthSelect = _this.onLengthSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TotalMobileHomeFee, [{\n\t key: 'onLengthSelect',\n\t value: function onLengthSelect(event) {\n\t if (this.props.showMobileHomeRow) {\n\t this.props.setMobileHomeLength(event.target.value);\n\t }\n\t }\n\t }, {\n\t key: 'getLengthText',\n\t value: function getLengthText() {\n\t var lengths = ['Single-wide (x1)', 'Double-wide (x2)', 'Triple-wide (x3)'];\n\t return lengths[this.props.mobileHomeLength - 1];\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t mobileHomeLength = _props.mobileHomeLength,\n\t showMobileHomeRow = _props.showMobileHomeRow;\n\t\n\t var options = [['Single-wide Mobile Home', 1], ['Double-Wide Mobile Home (double fees)', 2], ['Triple-wide Mobile Home (triple fees)', 3]];\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-mobileHomeRow', style: { display: showMobileHomeRow ? 'block' : 'none' } },\n\t _react2.default.createElement('input', {\n\t className: 'Row-total Row-totalText',\n\t value: this.getLengthText(),\n\t readOnly: true,\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'mobileHomeLength',\n\t options: options,\n\t tooltip: 'Select the length of the Mobile Home',\n\t onChange: this.onLengthSelect,\n\t selectedValue: mobileHomeLength,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t ' Mobile Home Length'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TotalMobileHomeFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t mobileHomeLength: state.mobilehome.mobileHomeLength,\n\t showMobileHomeRow: state.registration.showMobileHomeRow\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setMobileHomeLength: _mobilehome.setMobileHomeLength })(TotalMobileHomeFee);\n\n/***/ },\n/* 286 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _plateFeeTotal = __webpack_require__(88);\n\t\n\tvar _plateFeeTotal2 = _interopRequireDefault(_plateFeeTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TotalPlateFee = function (_Component) {\n\t _inherits(TotalPlateFee, _Component);\n\t\n\t function TotalPlateFee(props) {\n\t _classCallCheck(this, TotalPlateFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (TotalPlateFee.__proto__ || Object.getPrototypeOf(TotalPlateFee)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TotalPlateFee, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var selectedValue = value;\n\t if (typeof value === 'string' && isNaN(value) && value.search('|') > -1) {\n\t value = Number(value.split('|')[1]);\n\t }\n\t var label = this.renderOptions()[event.target.selectedIndex][0];\n\t this.props.setPlateFeeValue((0, _precise2.default)(value), selectedValue, label);\n\t }\n\t }, {\n\t key: 'renderOptions',\n\t value: function renderOptions() {\n\t var _props = this.props,\n\t selectedVehicleType = _props.selectedVehicleType,\n\t BFfee = _props.BFfee;\n\t\n\t\n\t var defaultOptions = [['No Plate Issue Fee', 'No Plate Issue Fee|0'], ['License Plate Issue Fee', 'License Plate Issue Fee|28'], ['Replacement Only (MV License Plate)', 'Replacement Only (MV License Plate)|36.9'], ['Replacement Only (MV Decal)', 'Replacement Only (MV Decal)|34.1'], ['Replacement Vessel Decal', 'Replacement Vessel Decal|4.25'], ['Replacement HS Decal', 'Replacement HS Decal|34.1'], ['Temporary License Plate', 'Temporary License Plate|5'], ['Front End License Plate (Add Plate Mail Fee)', 'Front End License Plate (Add Plate Mail Fee)|5']];\n\t\n\t var vesselOptions = [['No Plate fee required', 0], ['Replacement Vessel Decal', 3.75 + BFfee]];\n\t\n\t var motorVehicleOptions = [['No Plate Issue Fee', 0.00], ['License Plate Issue Fee', 28.00],\n\t // 5.00 front end plate ADD plate mail fee\n\t ['Front End License Plate (Add Plate Mail Fee)', 5.00]];\n\t\n\t var mobileHomeOptions = [['No Plate fee required', 0.00], ['Replacement HS Decal', 19.60 + BFfee]];\n\t\n\t if (selectedVehicleType === _constants.VEHICLES.MOTOR_VEHICLE || selectedVehicleType === _constants.VEHICLES.HEAVY_TRUCKS || selectedVehicleType === _constants.VEHICLES.LEASE_HIRE_TRAILER || selectedVehicleType === _constants.VEHICLES.BUSES_TRAILER) {\n\t return motorVehicleOptions;\n\t }\n\t\n\t if (selectedVehicleType === _constants.VEHICLES.VESSELS) {\n\t return vesselOptions;\n\t }\n\t\n\t if (selectedVehicleType === _constants.VEHICLES.MOBILE_HOMES) {\n\t return mobileHomeOptions;\n\t }\n\t\n\t return defaultOptions;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props2 = this.props,\n\t plateFee = _props2.plateFee,\n\t plateFeeSelectedValue = _props2.plateFeeSelectedValue,\n\t plateFeeSelectedValueLabel = _props2.plateFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-plateFeeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t className: 'Row-total',\n\t id: 'totalPlateFee',\n\t 'data-id': 'Rsub4',\n\t tooltip: '$100 Initial Registration Fee',\n\t value: plateFee,\n\t readOnly: true,\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'PlateFee',\n\t tooltip: 'Issue tag fees',\n\t options: this.renderOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: plateFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t plateFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TotalPlateFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleType: state.registration.selectedVehicleType,\n\t plateFee: (0, _plateFeeTotal2.default)(state),\n\t plateFeeSelectedValue: state.registration.plateFeeSelectedValue,\n\t plateFeeSelectedValueLabel: state.registration.plateFeeSelectedValueLabel,\n\t BFfee: state.registration.BFfee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setPlateFeeValue: _registration.setPlateFeeValue })(TotalPlateFee);\n\n/***/ },\n/* 287 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _transferFeeTotal = __webpack_require__(95);\n\t\n\tvar _transferFeeTotal2 = _interopRequireDefault(_transferFeeTotal);\n\t\n\tvar _trim = __webpack_require__(50);\n\t\n\tvar _trim2 = _interopRequireDefault(_trim);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TotalTransferFee = function (_Component) {\n\t _inherits(TotalTransferFee, _Component);\n\t\n\t function TotalTransferFee(props) {\n\t _classCallCheck(this, TotalTransferFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (TotalTransferFee.__proto__ || Object.getPrototypeOf(TotalTransferFee)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TotalTransferFee, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var label = this.getOptions()[event.target.selectedIndex][0];\n\t this.props.setTransferFeeValue((0, _precise2.default)(value), value, label);\n\t }\n\t }, {\n\t key: 'getOptions',\n\t value: function getOptions() {\n\t var _props = this.props,\n\t selectedVehicleType = _props.selectedVehicleType,\n\t BFfee = _props.BFfee,\n\t applyCredit = _props.applyCredit,\n\t pipe = _props.pipe;\n\t\n\t\n\t var defaultOptions = [['Renewal/No Transfer Fee', 0.00], ['Transfer Fee', 4.60], ['Transfer Fee outside Classes', 9.10]];\n\t\n\t var motorVehicleOptions = [['Renewal/No Transfer Fee', 0.00], ['Transfer Fee', 4.10 + BFfee], ['Transfer Fee outside Classes', 8.60 + BFfee]];\n\t\n\t var vesselOptions = [['Renewal/No Transfer Fee', 0.00], ['VS Transfer Fee', 1.00]];\n\t\n\t var creditOptionsR16is5 = [['Vessel Transfer Fee', 2.50 + BFfee]];\n\t\n\t var creditOptions = [['Transfer Fee', 4.10 + BFfee], ['Transfer Fee outside Classes', 8.60 + BFfee]];\n\t\n\t if (applyCredit && Number(pipe.r16) === 5) {\n\t return creditOptionsR16is5;\n\t } else if (applyCredit && Number(pipe.r16) !== 5) {\n\t return creditOptions;\n\t } else if (!applyCredit && selectedVehicleType === _constants.VEHICLES.VESSELS) {\n\t return vesselOptions;\n\t } else if (!applyCredit && (selectedVehicleType === _constants.VEHICLES.MOTOR_VEHICLE || selectedVehicleType === _constants.VEHICLES.LEASE_HIRE_TRAILER || selectedVehicleType === _constants.VEHICLES.BUSES_TRAILER || selectedVehicleType === _constants.VEHICLES.HEAVY_TRUCKS)) {\n\t return motorVehicleOptions;\n\t }\n\t\n\t return defaultOptions;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props2 = this.props,\n\t transferFee = _props2.transferFee,\n\t transferFeeSelectedValue = _props2.transferFeeSelectedValue,\n\t transferFeeSelectedValueLabel = _props2.transferFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-transferFeeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'totalTransferFee',\n\t 'data-id': 'Rsub5',\n\t tooltip: '$100 Initial Registration Fee',\n\t value: transferFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'Transfer',\n\t tooltip: 'Transfer Fees required',\n\t options: this.getOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: transferFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t transferFeeSelectedValueLabel || 'Transfer Fee'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TotalTransferFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleType: state.registration.selectedVehicleType,\n\t transferFee: (0, _transferFeeTotal2.default)(state),\n\t transferFeeSelectedValue: state.registration.transferFeeSelectedValue,\n\t transferFeeSelectedValueLabel: state.registration.transferFeeSelectedValueLabel,\n\t BFfee: state.registration.BFfee,\n\t pipe: state.registration.pipe,\n\t applyCredit: state.registration.applyCredit\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setTransferFeeValue: _registration.setTransferFeeValue })(TotalTransferFee);\n\n/***/ },\n/* 288 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _motorVehicles = __webpack_require__(315);\n\t\n\tvar _motorVehicles2 = _interopRequireDefault(_motorVehicles);\n\t\n\tvar _mobileHomes = __webpack_require__(314);\n\t\n\tvar _mobileHomes2 = _interopRequireDefault(_mobileHomes);\n\t\n\tvar _vessels = __webpack_require__(321);\n\t\n\tvar _vessels2 = _interopRequireDefault(_vessels);\n\t\n\tvar _heavyTrucks = __webpack_require__(310);\n\t\n\tvar _heavyTrucks2 = _interopRequireDefault(_heavyTrucks);\n\t\n\tvar _lease = __webpack_require__(311);\n\t\n\tvar _lease2 = _interopRequireDefault(_lease);\n\t\n\tvar _buses = __webpack_require__(305);\n\t\n\tvar _buses2 = _interopRequireDefault(_buses);\n\t\n\tvar _mobilehome = __webpack_require__(37);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar VehicleSelectRow = function (_Component) {\n\t _inherits(VehicleSelectRow, _Component);\n\t\n\t function VehicleSelectRow(props) {\n\t _classCallCheck(this, VehicleSelectRow);\n\t\n\t var _this = _possibleConstructorReturn(this, (VehicleSelectRow.__proto__ || Object.getPrototypeOf(VehicleSelectRow)).call(this, props));\n\t\n\t _this.setVehicleValue = _this.setVehicleValue.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(VehicleSelectRow, [{\n\t key: 'setVehicleValue',\n\t value: function setVehicleValue(type, selection) {\n\t this.props.resetMobileHome();\n\t this.props.resetAllExceptMonth();\n\t var description = (0, _getPipeValue2.default)(selection, _constants.PIPE.DESCRIPTION);\n\t this.props.setRegistrationConsole(description);\n\t\n\t if (type === _constants.VEHICLES.MOTOR_VEHICLE) {\n\t this.props.setToMotorVehicleSelection(selection);\n\t }\n\t\n\t if (type === _constants.VEHICLES.MOBILE_HOMES) {\n\t this.props.setToMobileHomeSelection(selection);\n\t }\n\t\n\t if (type === _constants.VEHICLES.HEAVY_TRUCKS) {\n\t this.props.setToHeavyTruckSelection(selection);\n\t }\n\t\n\t if (type === _constants.VEHICLES.VESSELS) {\n\t this.props.setToVesselSelection(selection);\n\t }\n\t\n\t if (type === _constants.VEHICLES.LEASE_HIRE_TRAILER) {\n\t this.props.setToLeaseSelection(selection);\n\t }\n\t\n\t if (type === _constants.VEHICLES.BUSES_TRAILER) {\n\t this.props.setToBusSelection(selection);\n\t }\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _this2 = this;\n\t\n\t var _props = this.props,\n\t vehicleValue = _props.vehicleValue,\n\t vehicleType = _props.vehicleType;\n\t\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { id: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'MenuHolder' },\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.MOTOR_VEHICLE ? ' VehicleDropdown--active' : ''),\n\t initial: ['Motor Vehicles', '0'],\n\t id: 'DynolistVehicle',\n\t tooltip: 'Autos, Trucks, and Others',\n\t options: _motorVehicles2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.MOTOR_VEHICLE, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.MOBILE_HOMES ? ' VehicleDropdown--active' : ''),\n\t initial: ['Mobile Homes', '0'],\n\t id: 'DynolistHS',\n\t tooltip: 'Mobile Homes',\n\t options: _mobileHomes2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.MOBILE_HOMES, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.VESSELS ? ' VehicleDropdown--active' : ''),\n\t initial: ['Vessels', '0'],\n\t id: 'DynolistVS',\n\t tooltip: 'Vessels',\n\t options: _vessels2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.VESSELS, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.HEAVY_TRUCKS ? ' VehicleDropdown--active' : ''),\n\t initial: ['Heavy Trucks', '0'],\n\t id: 'DynolistHT',\n\t tooltip: 'Heavy Trucks',\n\t options: _heavyTrucks2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.HEAVY_TRUCKS, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.LEASE_HIRE_TRAILER ? ' VehicleDropdown--active' : ''),\n\t initial: ['Lease/Hire Auto/Trailer', '0'],\n\t id: 'DynolistLease',\n\t tooltip: '09 Lease / For Hire Vehicles',\n\t options: _lease2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.LEASE_HIRE_TRAILER, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t className: 'Dropdown VehicleDropdown' + (vehicleType === _constants.VEHICLES.BUSES_TRAILER ? ' VehicleDropdown--active' : ''),\n\t initial: ['Trailer > 500 (53) & Buses', '0'],\n\t id: 'DynolistBus',\n\t tooltip: 'Trailer > 500 (53) & Buses',\n\t options: _buses2.default,\n\t onChange: function onChange(event) {\n\t return _this2.setVehicleValue(_constants.VEHICLES.BUSES_TRAILER, event.target.value);\n\t },\n\t selectedValue: vehicleValue\n\t })\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return VehicleSelectRow;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t vehicleValue: state.registration.selectedVehicleValue,\n\t vehicleType: state.registration.selectedVehicleType,\n\t monthsFromNow: state.registration.monthsFromNow,\n\t svcFees: state.registration.svcFees\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, {\n\t setSelectedVehicle: _registration.setSelectedVehicle,\n\t setRegistrationConsole: _registration.setRegistrationConsole,\n\t setToMotorVehicleSelection: _registration.setToMotorVehicleSelection,\n\t setToMobileHomeSelection: _registration.setToMobileHomeSelection,\n\t setToVesselSelection: _registration.setToVesselSelection,\n\t setToHeavyTruckSelection: _registration.setToHeavyTruckSelection,\n\t setToLeaseSelection: _registration.setToLeaseSelection,\n\t setToBusSelection: _registration.setToBusSelection,\n\t resetMobileHome: _mobilehome.resetMobileHome,\n\t resetAllExceptMonth: _registration.resetAllExceptMonth\n\t})(VehicleSelectRow);\n\n/***/ },\n/* 289 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _justNumbers = __webpack_require__(380);\n\t\n\tvar _justNumbers2 = _interopRequireDefault(_justNumbers);\n\t\n\tvar _classnames = __webpack_require__(40);\n\t\n\tvar _classnames2 = _interopRequireDefault(_classnames);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _trim = __webpack_require__(50);\n\t\n\tvar _trim2 = _interopRequireDefault(_trim);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env browser, node */\n\t\n\t\n\tvar VehicleWeightFee = function (_Component) {\n\t _inherits(VehicleWeightFee, _Component);\n\t\n\t function VehicleWeightFee(props) {\n\t _classCallCheck(this, VehicleWeightFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (VehicleWeightFee.__proto__ || Object.getPrototypeOf(VehicleWeightFee)).call(this, props));\n\t\n\t _this.handleInput = _this.handleInput.bind(_this);\n\t _this.state = {\n\t error: false,\n\t errorMessage: ''\n\t };\n\t return _this;\n\t }\n\t\n\t _createClass(VehicleWeightFee, [{\n\t key: 'handleInput',\n\t value: function handleInput(event) {\n\t var _this2 = this;\n\t\n\t var vehicleWeightOrLengthLimit = this.props.vehicleWeightOrLengthLimit;\n\t\n\t var value = (0, _trim2.default)(event.target.value);\n\t var numbers = Number((0, _justNumbers2.default)(value));\n\t\n\t var error = false;\n\t var errorMessage = '';\n\t\n\t if (vehicleWeightOrLengthLimit && numbers < vehicleWeightOrLengthLimit.min) {\n\t error = true;\n\t errorMessage = 'Vehicle Class Weight cannot be less than ' + vehicleWeightOrLengthLimit.min;\n\t } else if (vehicleWeightOrLengthLimit && numbers > vehicleWeightOrLengthLimit.max) {\n\t error = true;\n\t errorMessage = 'Vehicle Class Weight cannot exceed ' + vehicleWeightOrLengthLimit.max;\n\t }\n\t this.setState({ error: error, errorMessage: errorMessage }, function () {\n\t _this2.props.setVehicleWeight(numbers);\n\t });\n\t }\n\t }, {\n\t key: 'getWeightLimitText',\n\t value: function getWeightLimitText() {\n\t var _props = this.props,\n\t vehicleWeightOrLengthLimit = _props.vehicleWeightOrLengthLimit,\n\t vehicleWeight = _props.vehicleWeight;\n\t\n\t var fieldClass = (0, _classnames2.default)({\n\t 'Row-subtext': true,\n\t 'no-print': true,\n\t 'Row-subtext--error': this.state.error || !vehicleWeight || Number(vehicleWeight) === 0,\n\t 'u-hidden': !this.state.error && vehicleWeight && Number(vehicleWeight) !== 0\n\t });\n\t if (vehicleWeightOrLengthLimit) {\n\t return _react2.default.createElement(\n\t 'span',\n\t { className: fieldClass },\n\t 'Enter weight between ',\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t vehicleWeightOrLengthLimit.min,\n\t ' - ',\n\t vehicleWeightOrLengthLimit.max\n\t )\n\t );\n\t }\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props2 = this.props,\n\t showVehicleWeightFee = _props2.showVehicleWeightFee,\n\t vehicleWeight = _props2.vehicleWeight,\n\t vehicleWeightFee = _props2.vehicleWeightFee,\n\t vehicleWeightOrLengthLimit = _props2.vehicleWeightOrLengthLimit;\n\t\n\t var fieldClass = (0, _classnames2.default)({\n\t 'u-textFieldError': this.state.error\n\t });\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Registration-vehicleWeightFee', style: { display: showVehicleWeightFee ? 'block' : 'none' } },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total', id: 'vehicleWeightFeeTotal', tooltip: 'Total Fees applied to the vehicle\\'s weight', value: vehicleWeightFee || '0.00', readOnly: true }),\n\t _react2.default.createElement('input', { className: 'Row-input no-print', type: 'number', id: 'vehicleWeight', 'data-id': 'WeightList', value: vehicleWeight, onChange: this.handleInput }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'Row-inputLabel no-print', htmlFor: 'vehicleWeight' },\n\t 'Weight'\n\t ),\n\t this.getWeightLimitText(),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-only' },\n\t 'Weight: ',\n\t vehicleWeight\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return VehicleWeightFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t showVehicleWeightFee: state.registration.showVehicleWeightFee,\n\t vehicleWeight: state.registration.vehicleWeight,\n\t vehicleWeightFee: state.registration.vehicleWeightFee,\n\t vehicleWeightOrLengthLimit: state.registration.vehicleWeightOrLengthLimit\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setVehicleWeight: _registration.setVehicleWeight })(VehicleWeightFee);\n\n/***/ },\n/* 290 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _salestaxes = __webpack_require__(38);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _counties = __webpack_require__(307);\n\t\n\tvar _counties2 = _interopRequireDefault(_counties);\n\t\n\tvar _countyTaxTotal = __webpack_require__(86);\n\t\n\tvar _countyTaxTotal2 = _interopRequireDefault(_countyTaxTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar CountyDiscretionaryTax = function (_Component) {\n\t _inherits(CountyDiscretionaryTax, _Component);\n\t\n\t function CountyDiscretionaryTax(props) {\n\t _classCallCheck(this, CountyDiscretionaryTax);\n\t\n\t var _this = _possibleConstructorReturn(this, (CountyDiscretionaryTax.__proto__ || Object.getPrototypeOf(CountyDiscretionaryTax)).call(this, props));\n\t\n\t _this.onCountySelect = _this.onCountySelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(CountyDiscretionaryTax, [{\n\t key: 'onCountySelect',\n\t value: function onCountySelect(event) {\n\t var value = event.target.value;\n\t var parts = value.split('|');\n\t this.props.setTaxCounty(parts[0], parts[1], value);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t countyDiscretionaryTax = _props.countyDiscretionaryTax,\n\t taxCountySelectedValue = _props.taxCountySelectedValue,\n\t taxCountyFee = _props.taxCountyFee,\n\t taxCountyName = _props.taxCountyName;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t value: countyDiscretionaryTax || '0.00',\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'County',\n\t 'data-id': 'taxCounty',\n\t 'data-tooltip': 'Choose your Florida county of residence. The residence address of the purchaser identified on the title or registration is used to determine the correct county discretionary tax required.',\n\t options: _counties2.default,\n\t selectedValue: taxCountySelectedValue,\n\t onChange: this.onCountySelect,\n\t className: 'Dropdown Row-dropdown State-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'no-print' },\n\t 'Discretionary Tax County Fee'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t taxCountyName,\n\t ' County Tax'\n\t ),\n\t '\\xA0',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'Row-subtext' },\n\t taxCountyFee ? ' Sales Price * ' + taxCountyFee : ''\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return CountyDiscretionaryTax;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t taxCountyFee: state.salestaxes.taxCountyFee,\n\t taxCountyName: state.salestaxes.taxCountyName,\n\t taxCountySelectedValue: state.salestaxes.taxCountySelectedValue,\n\t countyDiscretionaryTax: (0, _countyTaxTotal2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setTaxCounty: _salestaxes.setTaxCounty, setSalesTaxConsole: _salestaxes.setSalesTaxConsole })(CountyDiscretionaryTax);\n\n/***/ },\n/* 291 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _salestaxes = __webpack_require__(38);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar Credit = function (_Component) {\n\t _inherits(Credit, _Component);\n\t\n\t function Credit(props) {\n\t _classCallCheck(this, Credit);\n\t\n\t var _this = _possibleConstructorReturn(this, (Credit.__proto__ || Object.getPrototypeOf(Credit)).call(this, props));\n\t\n\t _this.onEnterText = _this.onEnterText.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(Credit, [{\n\t key: 'onEnterText',\n\t value: function onEnterText(event) {\n\t var value = event.target.value;\n\t this.props.setCreditAmount(value);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var creditAmount = this.props.creditAmount;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement('input', {\n\t id: 'Anycredit',\n\t 'data-id': 'salesTaxCreditAmount',\n\t 'data-tooltip': 'Any credit allowed on Vehicle Taxable Purchase Price, less trade-in',\n\t type: 'number',\n\t value: creditAmount || '0.00',\n\t onChange: this.onEnterText,\n\t className: 'Row-total Row-editableTotal'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'no-print' },\n\t 'Enter Sales Tax Already Paid'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Sales Tax Already Paid'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return Credit;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t creditAmount: state.salestaxes.creditAmount\n\t };\n\t};\n\t\n\tCredit.propTypes = {\n\t creditAmount: _react.PropTypes.number.isRequired,\n\t setCreditAmount: _react.PropTypes.func.isRequired\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setCreditAmount: _salestaxes.setCreditAmount, setSalesTaxConsole: _salestaxes.setSalesTaxConsole })(Credit);\n\n/***/ },\n/* 292 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar FloridaSalesTax = function (_Component) {\n\t _inherits(FloridaSalesTax, _Component);\n\t\n\t function FloridaSalesTax() {\n\t _classCallCheck(this, FloridaSalesTax);\n\t\n\t return _possibleConstructorReturn(this, (FloridaSalesTax.__proto__ || Object.getPrototypeOf(FloridaSalesTax)).apply(this, arguments));\n\t }\n\t\n\t _createClass(FloridaSalesTax, [{\n\t key: 'render',\n\t value: function render() {\n\t var floridaSalesTax = this.props.floridaSalesTax;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Sales',\n\t value: floridaSalesTax || '0.00',\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t 'Florida Sales Tax'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return FloridaSalesTax;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t floridaSalesTax: state.salestaxes.floridaSalesTax\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(FloridaSalesTax);\n\n/***/ },\n/* 293 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _salestaxes = __webpack_require__(38);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SalesPrice = function (_Component) {\n\t _inherits(SalesPrice, _Component);\n\t\n\t function SalesPrice(props) {\n\t _classCallCheck(this, SalesPrice);\n\t\n\t var _this = _possibleConstructorReturn(this, (SalesPrice.__proto__ || Object.getPrototypeOf(SalesPrice)).call(this, props));\n\t\n\t _this.onEnterText = _this.onEnterText.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(SalesPrice, [{\n\t key: 'onEnterText',\n\t value: function onEnterText(event) {\n\t var value = event.target.value;\n\t this.props.setSalesPrice(value, this.props.titleType);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var salesPrice = this.props.salesPrice;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement('input', {\n\t id: 'Price',\n\t 'data-id': 'totalSalesPrice',\n\t 'data-tooltip': 'Enter vehicle purchase price less any trade-in value allowed. Note that discounts may be deducted from taxable price, however rebate amounts are taxable and must be included. Some transactions may be exempt from sales and use tax.\\\\n Sales tax is not due when titling a leased vehicle if a sales tax registration number is provided.\\\\n To calculate the correct discretionary tax the Price for a double or triple-wide mobile home should be the total for all units added together.',\n\t type: 'number',\n\t value: salesPrice,\n\t onChange: this.onEnterText,\n\t className: 'Row-total Row-editableTotal'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'no-print' },\n\t 'Enter Total Sales Price'\n\t ),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t 'Total Sales Price'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SalesPrice;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t salesPrice: state.salestaxes.salesPrice,\n\t titleType: state.titlefees.selectedTitleValue\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setSalesPrice: _salestaxes.setSalesPrice })(SalesPrice);\n\n/***/ },\n/* 294 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _salesTaxTotal = __webpack_require__(91);\n\t\n\tvar _salesTaxTotal2 = _interopRequireDefault(_salesTaxTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SalesTaxTotal = function (_Component) {\n\t _inherits(SalesTaxTotal, _Component);\n\t\n\t function SalesTaxTotal() {\n\t _classCallCheck(this, SalesTaxTotal);\n\t\n\t return _possibleConstructorReturn(this, (SalesTaxTotal.__proto__ || Object.getPrototypeOf(SalesTaxTotal)).apply(this, arguments));\n\t }\n\t\n\t _createClass(SalesTaxTotal, [{\n\t key: 'render',\n\t value: function render() {\n\t var total = this.props.total;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Row-finalTotalRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total Row-finalTotal', id: 'SNewTotal', tooltip: 'Registration Total', value: total || '0.00', readOnly: true }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'Row-finalTotalLabel', htmlFor: 'SNewTotal' },\n\t 'SALES TAX TOTAL'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SalesTaxTotal;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t total: (0, _salesTaxTotal2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(SalesTaxTotal);\n\n/***/ },\n/* 295 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _subtotalSalesTax = __webpack_require__(93);\n\t\n\tvar _subtotalSalesTax2 = _interopRequireDefault(_subtotalSalesTax);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SubtotalSalesTax = function (_Component) {\n\t _inherits(SubtotalSalesTax, _Component);\n\t\n\t function SubtotalSalesTax() {\n\t _classCallCheck(this, SubtotalSalesTax);\n\t\n\t return _possibleConstructorReturn(this, (SubtotalSalesTax.__proto__ || Object.getPrototypeOf(SubtotalSalesTax)).apply(this, arguments));\n\t }\n\t\n\t _createClass(SubtotalSalesTax, [{\n\t key: 'render',\n\t value: function render() {\n\t var subtotalSalesTax = this.props.subtotalSalesTax;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Row-paddedBottom' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-subtotal', id: 'STotal', tooltip: 'Subtotal of Sales Taxes', value: subtotalSalesTax || '0.00', readOnly: true }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'Row-totalHeadingLabel', htmlFor: 'Rsubsub', 'data-tooltip': 'Subtotal of Registration fees minus credit' },\n\t 'TOTAL TAXES'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SubtotalSalesTax;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t subtotalSalesTax: (0, _subtotalSalesTax2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(SubtotalSalesTax);\n\n/***/ },\n/* 296 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _getFastTitleDropdownOptions = __webpack_require__(80);\n\t\n\tvar _getFastTitleDropdownOptions2 = _interopRequireDefault(_getFastTitleDropdownOptions);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar FastTitle = function (_Component) {\n\t _inherits(FastTitle, _Component);\n\t\n\t function FastTitle(props) {\n\t _classCallCheck(this, FastTitle);\n\t\n\t var _this = _possibleConstructorReturn(this, (FastTitle.__proto__ || Object.getPrototypeOf(FastTitle)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(FastTitle, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var label = this.getOptions()[event.target.selectedIndex][0];\n\t this.props.setFastTitleFee((0, _precise2.default)(value), value, label);\n\t }\n\t }, {\n\t key: 'getOptions',\n\t value: function getOptions() {\n\t return (0, _getFastTitleDropdownOptions2.default)(this.props);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t fastTitleFeeSelectedValue = _props.fastTitleFeeSelectedValue,\n\t fastTitleFee = _props.fastTitleFee,\n\t fastTitleFeeSelectedValueLabel = _props.fastTitleFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Tsub5',\n\t 'data-id': 'fastTitleFee',\n\t tooltip: 'Fast Title Fee',\n\t value: fastTitleFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'FastTitle',\n\t 'data-tooltip': 'Fast Title Fee - Additional Fee to Print Title',\n\t options: this.getOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: fastTitleFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t fastTitleFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return FastTitle;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t selectedTitleVariables: state.titlefees.selectedTitleVariables,\n\t fastTitleFee: state.titlefees.fastTitleFee,\n\t fastTitleFeeSelectedValue: state.titlefees.fastTitleFeeSelectedValue,\n\t fastTitleFeeSelectedValueLabel: state.titlefees.fastTitleFeeSelectedValueLabel\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setFastTitleFee: _titlefees.setFastTitleFee })(FastTitle);\n\n/***/ },\n/* 297 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar LateFee = function (_Component) {\n\t _inherits(LateFee, _Component);\n\t\n\t function LateFee(props) {\n\t _classCallCheck(this, LateFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (LateFee.__proto__ || Object.getPrototypeOf(LateFee)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(LateFee, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var label = this.getOptions()[event.target.selectedIndex][0];\n\t this.props.setLateFee((0, _precise2.default)(value), value, label);\n\t }\n\t\n\t // function LoadTitle20late() {\n\t // //set the Title Late Penalty for Vessels and OH to $10\n\t // var ltl = thisGetField(\"10LateFee\")\n\t // ltl.prop('readonly', false);\n\t // ltl.clearItems();\n\t // ltl.setItems([\n\t // [\"No Title Late Fee (within 30 days)\", 0.00],\n\t // [\"Add Title Late Fee $20 (over 30 days)\", 20.00]\n\t // ]);\n\t // }\n\t\n\t // function LoadTitle20late() {\n\t // //set the Title Late Penalty for Vessels and OH to $10\n\t // var ltl = thisGetField(\"10LateFee\")\n\t // ltl.prop('readonly', false);\n\t // ltl.clearItems();\n\t // ltl.setItems([\n\t // [\"No Title Late Fee (within 30 days)\", 0.00],\n\t // [\"Add Title Late Fee $20 (over 30 days)\", 20.00]\n\t // ]);\n\t // }\n\t\n\t // function LoadVesselTitle10late() {\n\t // //set the Title Late Penalty for Vessels and OH to $10\n\t // var lvtl = thisGetField(\"10LateFee\");\n\t // lvtl.prop('readonly', false);;\n\t // lvtl.clearItems();\n\t // lvtl.setItems([\n\t // [\"No Title Late Fee (within 30 days)\", 0.00],\n\t // [\"Add Title Late Fee $10 (over 30 days)\", 10.00]\n\t // ]);\n\t // }\n\t\n\t }, {\n\t key: 'getOptions',\n\t value: function getOptions() {\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t var _props$selectedTitleV = this.props.selectedTitleVariables,\n\t floridaTitle = _props$selectedTitleV.floridaTitle,\n\t mcoTitle = _props$selectedTitleV.mcoTitle,\n\t osTitle = _props$selectedTitleV.osTitle;\n\t\n\t var t2 = Number(this.props.selectedTitleVariables.t2);\n\t\n\t var r16 = 0;\n\t if (selectedVehicleValue) {\n\t r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t }\n\t\n\t // Just for debugging. Remove after fully tested.\n\t // console.log('LateFee, getOptions', { r16, t2, floridaTitle, mcoTitle, osTitle });\n\t\n\t var loadTitle20late = [['No Title Late Fee (within 30 days)', 0], ['Add Title Late Fee $20 (over 30 days)', 20]];\n\t\n\t var loadVesselTitle10late = [['No Title Late Fee (within 30 days)', 0.00], ['Add Title Late Fee $10 (over 30 days)', 10.00]];\n\t\n\t var dropdown = loadTitle20late;\n\t\n\t // Note: we have to sortof 'cascade' down the list of\n\t // dropdowns because of how John formatted his PDF Code.\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `Florida Title`\n\t if (floridaTitle) {\n\t if (r16 === t2 || r16 === 0 || t2 === 8) {\n\t if (t2 === 4) {\n\t dropdown = loadTitle20late;\n\t }\n\t\n\t if (t2 !== 5 || t2 !== 7) {\n\t dropdown = loadTitle20late;\n\t }\n\t\n\t if (t2 === 5) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t\n\t if (t2 === 7) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t }\n\t }\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `MCO Manufacturer`\n\t if (mcoTitle) {\n\t if (r16 === t2 || r16 === 0) {\n\t if (t2 !== 5 || t2 !== 7) {\n\t dropdown = loadTitle20late;\n\t }\n\t\n\t if (t2 === 5) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t\n\t if (t2 === 7) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t }\n\t }\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `Out of State Title`\n\t if (osTitle) {\n\t if (r16 === t2 || r16 === 0) {\n\t if (t2 !== 5 || t2 !== 7) {\n\t dropdown = loadTitle20late;\n\t }\n\t\n\t if (t2 === 5) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t\n\t if (t2 === 7) {\n\t dropdown = loadVesselTitle10late;\n\t }\n\t }\n\t }\n\t\n\t return dropdown;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t lateFeeSelectedValue = _props.lateFeeSelectedValue,\n\t lateFee = _props.lateFee,\n\t lateFeeSelectedValueLabel = _props.lateFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Tsub4',\n\t 'data-id': 'Late Fee Total',\n\t 'data-tooltip': 'Plus $ Title Lien Fees',\n\t value: lateFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: '10LateFee',\n\t 'data-tooltip': 'Title Late Fee - Penalty',\n\t options: this.getOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: lateFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t lateFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return LateFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t selectedTitleVariables: state.titlefees.selectedTitleVariables,\n\t lateFee: state.titlefees.lateFee,\n\t lateFeeSelectedValue: state.titlefees.lateFeeSelectedValue,\n\t lateFeeSelectedValueLabel: state.titlefees.lateFeeSelectedValueLabel\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setLateFee: _titlefees.setLateFee })(LateFee);\n\n/***/ },\n/* 298 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _getLemonLawDropdownOptions = __webpack_require__(81);\n\t\n\tvar _getLemonLawDropdownOptions2 = _interopRequireDefault(_getLemonLawDropdownOptions);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar LemonLaw = function (_Component) {\n\t _inherits(LemonLaw, _Component);\n\t\n\t function LemonLaw(props) {\n\t _classCallCheck(this, LemonLaw);\n\t\n\t var _this = _possibleConstructorReturn(this, (LemonLaw.__proto__ || Object.getPrototypeOf(LemonLaw)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(LemonLaw, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var label = this.getOptions()[event.target.selectedIndex][0];\n\t this.props.setLemonLawFee((0, _precise2.default)(value), value, label);\n\t }\n\t }, {\n\t key: 'getOptions',\n\t value: function getOptions() {\n\t return (0, _getLemonLawDropdownOptions2.default)(this.props);\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t lemonLawFeeSelectedValue = _props.lemonLawFeeSelectedValue,\n\t lemonLawFee = _props.lemonLawFee,\n\t lemonLawFeeSelectedValueLabel = _props.lemonLawFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Tsub3',\n\t 'data-id': 'lemonLawTotal',\n\t tooltip: 'Lemon Law Total',\n\t value: lemonLawFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'LemonLaw',\n\t 'data-tooltip': 'Required on new vehicles (MCO) except exempt.',\n\t options: this.getOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: lemonLawFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t lemonLawFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return LemonLaw;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t selectedTitleVariables: state.titlefees.selectedTitleVariables,\n\t lemonLawFee: state.titlefees.lemonLawFee,\n\t lemonLawFeeSelectedValue: state.titlefees.lemonLawFeeSelectedValue,\n\t lemonLawFeeSelectedValueLabel: state.titlefees.lemonLawFeeSelectedValueLabel\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setLemonLawFee: _titlefees.setLemonLawFee })(LemonLaw);\n\n/***/ },\n/* 299 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar Liens = function (_Component) {\n\t _inherits(Liens, _Component);\n\t\n\t function Liens(props) {\n\t _classCallCheck(this, Liens);\n\t\n\t var _this = _possibleConstructorReturn(this, (Liens.__proto__ || Object.getPrototypeOf(Liens)).call(this, props));\n\t\n\t _this.onValueSelect = _this.onValueSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(Liens, [{\n\t key: 'onValueSelect',\n\t value: function onValueSelect(event) {\n\t var value = event.target.value;\n\t var label = this.getOptions()[event.target.selectedIndex][0];\n\t this.props.setLienFee((0, _precise2.default)(value), value, label);\n\t }\n\t\n\t // function LoadListLienVessel() {\n\t // var LL = thisGetField(\"Liens\")\n\t // LL.prop('readonly', false);\n\t // LL.clearItems();\n\t // LL.setItems([\n\t // [\"No Lien to record\", 0.00],\n\t // [\"Record 1 lien with Vessel Title Transfer\", 1.00],\n\t // [\"Record 2 liens with Vessel Title Transfer\", 2.00]\n\t // ]);\n\t // }\n\t\n\t // function LoadListLien() {\n\t // var LL = thisGetField(\"Liens\")\n\t // LL.prop('readonly', false);\n\t // LL.clearItems();\n\t // LL.setItems([\n\t // [\"No Lien to record\", 0.00],\n\t // [\"Record 1 lien with Title Transfer\", 2.00],\n\t // [\"Record 2 liens with Title Transfer\", 4.00]\n\t // ]);\n\t // }\n\t\n\t // function LoadListLienOnlyAdd() {\n\t // var LLO = thisGetField(\"Liens\")\n\t // LLO.prop('readonly', false);\n\t // LLO.clearItems();\n\t // LLO.setItems([\n\t // [\"Lien included in Lien Add / Only\", 0.00],\n\t // [\"2nd lien with Lien Add / Only \", 2.00]\n\t // ]);\n\t // }\n\t\n\t // function LoadListLienVesselOnlyAdd() {\n\t // var LLA = thisGetField(\"Liens\");\n\t // LLA.prop('readonly', false);;\n\t // LLA.clearItems();\n\t // LLA.setItems([\n\t // [\"Lien included: Vessel Lien Add / Only\", 0.00],\n\t // [\"2nd lien with Vessel Lien Add / Only\", 1.00]\n\t // ]);\n\t // }\n\t\n\t }, {\n\t key: 'getOptions',\n\t value: function getOptions() {\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var r16 = 0;\n\t if (selectedVehicleValue) {\n\t r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t }\n\t var _props$selectedTitleV = this.props.selectedTitleVariables,\n\t floridaTitle = _props$selectedTitleV.floridaTitle,\n\t mcoTitle = _props$selectedTitleV.mcoTitle,\n\t osTitle = _props$selectedTitleV.osTitle;\n\t\n\t var t2 = Number(this.props.selectedTitleVariables.t2);\n\t var t3 = Number(this.props.selectedTitleVariables.t3);\n\t\n\t // Just for debugging. Remove after fully tested.\n\t // console.log('Liens, getOptions', { r16, t2, t3, floridaTitle, mcoTitle, osTitle });\n\t\n\t var loadListLienVessel = [['No Lien to record', 0], ['Record 1 lien with Vessel Title Transfer', 1], ['Record 2 liens with Vessel Title Transfer', 2]];\n\t\n\t var loadListLien = [['No Lien to record', 0], ['Record 1 lien with Title Transfer', 2], ['Record 2 liens with Title Transfer', 4]];\n\t\n\t var disableLien = [['No Lien to record', 0]];\n\t\n\t var loadListLienOnlyAdd = [['Lien included in Lien Add / Only', 0], ['2nd lien with Lien Add / Only ', 2]];\n\t\n\t var loadListLienVesselOnlyAdd = [['Lien included: Vessel Lien Add / Only', 0], ['2nd lien with Vessel Lien Add / Only', 1]];\n\t\n\t var dropdown = disableLien;\n\t\n\t // Note: we have to sortof 'cascade' down the list of\n\t // dropdowns because of how John formatted his PDF Code.\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `Florida Title`\n\t if (floridaTitle) {\n\t if (r16 === t2 || r16 === 0 || t2 === 8) {\n\t if (t2 === 5) {\n\t dropdown = loadListLienVessel;\n\t } else {\n\t dropdown = loadListLien;\n\t }\n\t\n\t if (t2 === 7) {\n\t dropdown = disableLien;\n\t }\n\t\n\t if (t3 === 1) {\n\t dropdown = loadListLienOnlyAdd;\n\t }\n\t\n\t if (t3 === 5) {\n\t dropdown = loadListLienVesselOnlyAdd;\n\t }\n\t }\n\t }\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `MCO Manufacturer`\n\t if (mcoTitle) {\n\t // TODO: Funcitonal tests may reveal that this default is too harsh.\n\t // This default did not exist in the PDF, but seems nessesary here\n\t // for certain vehicle types.\n\t dropdown = loadListLien;\n\t\n\t if (r16 === t2 || r16 === 0) {\n\t if (t2 === 5) {\n\t dropdown = loadListLienVessel;\n\t } else {\n\t dropdown = loadListLien;\n\t }\n\t if (t2 === 7) {\n\t dropdown = disableLien;\n\t }\n\t }\n\t }\n\t\n\t // These are the options are they appear in the PDF\n\t // when you choose an option from `Out of State Title`\n\t if (osTitle) {\n\t // TODO: Funcitonal tests may reveal that this default is too harsh.\n\t // This default did not exist in the PDF, but seems nessesary here\n\t // for certain vehicle types.\n\t dropdown = loadListLien;\n\t\n\t if (r16 === t2 || r16 === 0) {\n\t if (t2 === 5) {\n\t dropdown = loadListLienVessel;\n\t } else {\n\t dropdown = loadListLien;\n\t }\n\t if (t2 === 7) {\n\t dropdown = disableLien;\n\t }\n\t }\n\t }\n\t\n\t return dropdown;\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t lienFeeSelectedValue = _props.lienFeeSelectedValue,\n\t lienFee = _props.lienFee,\n\t lienFeeSelectedValueLabel = _props.lienFeeSelectedValueLabel;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-feeRow' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t id: 'Tsub2',\n\t 'data-id': 'Liens Fee Total',\n\t tooltip: 'Plus $ Title Lien Fees',\n\t value: lienFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'Liens',\n\t 'data-tooltip': 'Liens',\n\t options: this.getOptions(),\n\t onChange: this.onValueSelect,\n\t selectedValue: lienFeeSelectedValue,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-label print-only' },\n\t lienFeeSelectedValueLabel\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return Liens;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t selectedTitleVariables: state.titlefees.selectedTitleVariables,\n\t lienFee: state.titlefees.lienFee,\n\t lienFeeSelectedValue: state.titlefees.lienFeeSelectedValue,\n\t lienFeeSelectedValueLabel: state.titlefees.lienFeeSelectedValueLabel\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setLienFee: _titlefees.setLienFee })(Liens);\n\n/***/ },\n/* 300 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _mobilehome = __webpack_require__(37);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tvar _floridaTitles = __webpack_require__(309);\n\t\n\tvar _floridaTitles2 = _interopRequireDefault(_floridaTitles);\n\t\n\tvar _mcoTitles = __webpack_require__(313);\n\t\n\tvar _mcoTitles2 = _interopRequireDefault(_mcoTitles);\n\t\n\tvar _osTitles = __webpack_require__(316);\n\t\n\tvar _osTitles2 = _interopRequireDefault(_osTitles);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env browser, node */\n\t\n\t\n\tvar TitleDropDowns = function (_Component) {\n\t _inherits(TitleDropDowns, _Component);\n\t\n\t function TitleDropDowns(props) {\n\t _classCallCheck(this, TitleDropDowns);\n\t\n\t var _this = _possibleConstructorReturn(this, (TitleDropDowns.__proto__ || Object.getPrototypeOf(TitleDropDowns)).call(this, props));\n\t\n\t _this.onFloridaTitleSelect = _this.onFloridaTitleSelect.bind(_this);\n\t _this.onMCOTitleSelect = _this.onMCOTitleSelect.bind(_this);\n\t _this.onOSTitleSelect = _this.onOSTitleSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TitleDropDowns, [{\n\t key: 'resetMobileHomes',\n\t value: function resetMobileHomes(selectedTitle) {\n\t var selectedVehicleType = this.props.selectedVehicleType;\n\t\n\t var vehicleIsMobile = selectedVehicleType && selectedVehicleType === _constants.VEHICLES.MOBILE_HOMES;\n\t var titleIsMobile = selectedTitle && selectedTitle.search('MOBILE HOME') > -1;\n\t\n\t if (!vehicleIsMobile && !titleIsMobile) {\n\t this.props.resetMobileHome();\n\t }\n\t }\n\t }, {\n\t key: 'onFloridaTitleSelect',\n\t value: function onFloridaTitleSelect(event) {\n\t this.props.resetTitleFees();\n\t var selectedValue = event.target.value;\n\t this.resetMobileHomes(selectedValue);\n\t\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var myTChoice = selectedValue;\n\t var BFfee = Number(this.props.BFfee);\n\t\n\t var r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t\n\t if (r16 === 2) {\n\t alert('No title required for Vehicle Type shown in registration section');\n\t }\n\t\n\t if (r16 !== 2 && selectedValue !== '') {\n\t var aryTResults = myTChoice.split('|');\n\t var t0 = aryTResults[0]; // Type Label\n\t var t1 = Number(aryTResults[1]); // Fees\n\t var t2 = Number(aryTResults[2]); // MV,VS, HS, type etc\n\t var t3 = isNaN(parseInt(aryTResults[3], 10)) ? aryTResults[3] : Number(aryTResults[3]); // Lien Only/Lien Add set fees code 1 = vehicles; 5 = vessels; 7 = ohv ADD ?\n\t var t4 = aryTResults[4]; // Disable fast title for lien only & certificate of destruction & certificate of repossession; 2 = not allowed;\n\t\n\t // As much as I am against this, this m value is the placeholder field\n\t // john used in the PDF. Until I am able to give this calculation a true (and badly-needed)\n\t // refactor, I am going to use this placeholder in John's way for now. After all\n\t // of the functional tests are setup, then it will be safe to refactor this and remove\n\t // John's placeholder values. ¯\\_(ツ)_/¯\n\t var m = 0; // this is the 'middletitle' placeholder from the PDF.\n\t\n\t if (t2 === 7 && t3 === 7) {\n\t BFfee *= 3;\n\t } // OHV duplicate title, title and decal all (3) require branch fee\n\t\n\t if (t2 === 7 && t3 !== 7) {\n\t BFfee *= 2;\n\t } // OHV title and title decal both require branch fee\n\t\n\t if (t1 === 0) {\n\t m = 1 * t1;\n\t }\n\t\n\t if (t1 !== 150.50 || t1 !== 11.25 || t1 !== 108.50) {\n\t m = 1 * t1 + BFfee;\n\t }\n\t\n\t if (t1 === 150.50 || t1 === 11.25 || t1 === 108.50) {\n\t m = 1 * t1 + 2 * BFfee;\n\t } // title fee(t1) + branch fee times 1or2 to force number (NOT FOR OHV)\n\t\n\t // t2 !== 8 is this needed?\n\t if (r16 !== t2 && r16 !== 0 && t2 !== 8) {\n\t alert('Registration vehicle type chosen above does not match this title type.\\nPlease reset registration section or choose correct title type.');\n\t } else {\n\t // You are safe to update the reducer.\n\t // Set titleVariables so they are available to the different dropdowns. ¯\\_(ツ)_/¯\n\t var titleVariables = {\n\t floridaTitle: true,\n\t mcoTitle: false,\n\t osTitle: false,\n\t disableLemon: true,\n\t t0: t0,\n\t t1: t1,\n\t t2: t2,\n\t t3: t3,\n\t t4: t4\n\t };\n\t var titleLabel = t0;\n\t this.props.setSelectedTitleValue((0, _precise2.default)(m), selectedValue, titleVariables, titleLabel, _constants.TITLES.FLORIDA_TITLE);\n\t }\n\t }\n\t }\n\t }, {\n\t key: 'onMCOTitleSelect',\n\t value: function onMCOTitleSelect(event) {\n\t this.props.resetTitleFees();\n\t var selectedValue = event.target.value;\n\t this.resetMobileHomes(selectedValue);\n\t\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var myTChoice = selectedValue;\n\t var BFfee = Number(this.props.BFfee);\n\t\n\t var r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t\n\t if (r16 === 2) {\n\t alert('No title required for above Vehicle Type');\n\t }\n\t\n\t if (r16 !== 2 && selectedValue !== '') {\n\t var aryTResults = myTChoice.split('|'); // separate out field and property strings at quotation marks\n\t var t0 = aryTResults[0];\n\t var t1 = Number(aryTResults[1]);\n\t var t2 = Number(aryTResults[2]);\n\t\n\t if (t2 === 7) {\n\t BFfee *= 2;\n\t } // OHV title and title decal both require branch fee\n\t\n\t // As much as I am against this, this m value is the placeholder field\n\t // john used in the PDF. Until I am able to give this calculation a true (and badly-needed)\n\t // refactor, I am going to use this placeholder in John's way for now. After all\n\t // of the functional tests are setup, then it will be safe to refactor this and remove\n\t // John's placeholder values. ¯\\_(ツ)_/¯\n\t var m = 0; // this is the 'middletitle' placeholder from the PDF.\n\t\n\t if (t1 === 0) {\n\t m = 1 * t1;\n\t }\n\t\n\t if (t1 !== 0) {\n\t m = 1 * (t1 + BFfee);\n\t } // title fee(t1)+branch fee times 1 to force numeric\n\t\n\t if (r16 !== t2 && r16 !== 0) {\n\t alert('Registration vehicle type chosen above does not match this title type.\\nPlease reset registration section or choose correct title type.');\n\t } else {\n\t // You are safe to update the reducer.\n\t // Set titleVariables so they are available to the different dropdowns. ¯\\_(ツ)_/¯\n\t var titleVariables = {\n\t floridaTitle: false,\n\t mcoTitle: true,\n\t osTitle: false,\n\t disableLemon: false,\n\t t0: t0,\n\t t1: t1,\n\t t2: t2,\n\t t3: null,\n\t t4: null\n\t };\n\t var titleLabel = t0;\n\t this.props.setSelectedTitleValue((0, _precise2.default)(m), selectedValue, titleVariables, titleLabel, _constants.TITLES.MCO_TITLE);\n\t }\n\t }\n\t }\n\t }, {\n\t key: 'onOSTitleSelect',\n\t value: function onOSTitleSelect(event) {\n\t this.props.resetTitleFees();\n\t var selectedValue = event.target.value;\n\t this.resetMobileHomes(selectedValue);\n\t\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t\n\t var myTChoice = selectedValue;\n\t var BFfee = Number(this.props.BFfee);\n\t\n\t var r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t\n\t if (r16 === 2) {\n\t alert('No title required for above Vehicle Type');\n\t }\n\t\n\t if (r16 !== 2 && selectedValue !== '') {\n\t var aryTResults = myTChoice.split('|'); // separate out field & property strings at quotation marks\n\t var t0 = aryTResults[0];\n\t var t1 = Number(aryTResults[1]);\n\t var t2 = Number(aryTResults[2]);\n\t var t3 = Number(aryTResults[3]); // Lien Only / Lien Add set fees code 1 = vehicles; 5 = vessels (not for out-of-state issues)\n\t var t4 = Number(aryTResults[4]); // disable fast title for lien only & certificate of destruction & certificate of repossession; 2 = not allowed;\n\t\n\t // As much as I am against this, this m value is the placeholder field\n\t // john used in the PDF. Until I am able to give this calculation a true (and badly-needed)\n\t // refactor, I am going to use this placeholder in John's way for now. After all\n\t // of the functional tests are setup, then it will be safe to refactor this and remove\n\t // John's placeholder values. ¯\\_(ツ)_/¯\n\t var m = 0; // this is the 'middletitle' placeholder from the PDF.\n\t\n\t if (t2 === 7) {\n\t BFfee *= 2;\n\t } // OHV title and decal both require branch fee\n\t\n\t if (t1 === 0) {\n\t m = 1 * t1;\n\t }\n\t\n\t if (t1 !== 0) {\n\t m = 1 * (t1 + BFfee);\n\t } // title fee(t1) + branch fee times 1 to force numeric\n\t\n\t if (r16 !== t2 && r16 !== 0) {\n\t alert('Registration vehicle type chosen above does not match this title type.\\nPlease reset registration section or choose correct title type.');\n\t } else {\n\t // You are safe to update the reducer.\n\t // Set titleVariables so they are available to the different dropdowns. ¯\\_(ツ)_/¯\n\t var titleVariables = {\n\t floridaTitle: false,\n\t mcoTitle: false,\n\t osTitle: true,\n\t disableLemon: true,\n\t t0: t0,\n\t t1: t1,\n\t t2: t2,\n\t t3: t3,\n\t t4: t4\n\t };\n\t var titleLabel = t0;\n\t this.props.setSelectedTitleValue((0, _precise2.default)(m), selectedValue, titleVariables, titleLabel, _constants.TITLES.OOS_TITLE);\n\t }\n\t }\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t selectedTitleValue = _props.selectedTitleValue,\n\t titleFee = _props.titleFee,\n\t titleLabel = _props.titleLabel,\n\t titleType = _props.titleType;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Title-DropdownRow' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Console' },\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'Console-vehicleType' },\n\t titleType ? titleType.split('/').pop() : ''\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'Console-text', id: 'whichchosen' },\n\t titleLabel\n\t )\n\t ),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['Florida Title', ''],\n\t id: 'DynolistFLTitle',\n\t tooltip: 'Currently titled in Florida',\n\t options: _floridaTitles2.default,\n\t onChange: this.onFloridaTitleSelect,\n\t selectedValue: selectedTitleValue,\n\t className: 'Dropdown TitleDropdown' + (titleType === _constants.TITLES.FLORIDA_TITLE ? ' Dropdown--active' : '')\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['Manufacturer MCO', ''],\n\t id: 'DynolistMCOTitle',\n\t tooltip: 'Manufacturers Certificate of Origin for NEW Vehicle',\n\t options: _mcoTitles2.default,\n\t onChange: this.onMCOTitleSelect,\n\t selectedValue: selectedTitleValue,\n\t className: 'Dropdown TitleDropdown' + (titleType === _constants.TITLES.MCO_TITLE ? ' Dropdown--active' : '')\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t initial: ['Out of State Title', ''],\n\t id: 'DynolistOSTitle',\n\t tooltip: 'Any Out-of-State (not Florida) - U.S. States and Territories',\n\t options: _osTitles2.default,\n\t onChange: this.onOSTitleSelect,\n\t selectedValue: selectedTitleValue,\n\t className: 'Dropdown TitleDropdown' + (titleType === _constants.TITLES.OOS_TITLE ? ' Dropdown--active' : '')\n\t })\n\t ),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Row' },\n\t _react2.default.createElement(_TextInput2.default, {\n\t value: titleFee,\n\t readOnly: true,\n\t className: 'Row-total',\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t null,\n\t 'Title Fee'\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TitleDropDowns;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t selectedTitleValue: state.titlefees.selectedTitleValue,\n\t selectedVehicleValue: state.registration.selectedVehicleValue,\n\t selectedVehicleType: state.registration.selectedVehicleType,\n\t titleFee: state.titlefees.titleFee,\n\t titleLabel: state.titlefees.titleLabel,\n\t titleType: state.titlefees.titleType,\n\t BFfee: state.registration.BFfee\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setSelectedTitleValue: _titlefees.setSelectedTitleValue, resetTitleFees: _titlefees.resetTitleFees, resetMobileHome: _mobilehome.resetMobileHome })(TitleDropDowns);\n\n/***/ },\n/* 301 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titleTotal = __webpack_require__(94);\n\t\n\tvar _titleTotal2 = _interopRequireDefault(_titleTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TitleTotal = function (_Component) {\n\t _inherits(TitleTotal, _Component);\n\t\n\t function TitleTotal() {\n\t _classCallCheck(this, TitleTotal);\n\t\n\t return _possibleConstructorReturn(this, (TitleTotal.__proto__ || Object.getPrototypeOf(TitleTotal)).apply(this, arguments));\n\t }\n\t\n\t _createClass(TitleTotal, [{\n\t key: 'render',\n\t value: function render() {\n\t var total = this.props.total;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Row-finalTotalRow' },\n\t _react2.default.createElement(_TextInput2.default, { tabIndex: '-1', className: 'Row-total Row-finalTotal', id: 'TTotalFinal', 'data-tooltip': 'Title Total', value: total, readOnly: true }),\n\t _react2.default.createElement(\n\t 'label',\n\t { className: 'Row-finalTotalLabel', htmlFor: 'RTotal' },\n\t 'TITLE TOTAL'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TitleTotal;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t total: (0, _titleTotal2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(TitleTotal);\n\n/***/ },\n/* 302 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _Dropdown = __webpack_require__(12);\n\t\n\tvar _Dropdown2 = _interopRequireDefault(_Dropdown);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TitleTotalMobileHomeFee = function (_Component) {\n\t _inherits(TitleTotalMobileHomeFee, _Component);\n\t\n\t function TitleTotalMobileHomeFee(props) {\n\t _classCallCheck(this, TitleTotalMobileHomeFee);\n\t\n\t var _this = _possibleConstructorReturn(this, (TitleTotalMobileHomeFee.__proto__ || Object.getPrototypeOf(TitleTotalMobileHomeFee)).call(this, props));\n\t\n\t _this.onLengthSelect = _this.onLengthSelect.bind(_this);\n\t return _this;\n\t }\n\t\n\t _createClass(TitleTotalMobileHomeFee, [{\n\t key: 'onLengthSelect',\n\t value: function onLengthSelect(event) {\n\t if (this.shouldShow()) {\n\t this.props.setMobileHomeLength(event.target.value);\n\t }\n\t }\n\t }, {\n\t key: 'shouldShow',\n\t value: function shouldShow() {\n\t var selectedVehicleValue = this.props.selectedVehicleValue;\n\t var _props$selectedTitleV = this.props.selectedTitleVariables,\n\t t2 = _props$selectedTitleV.t2,\n\t mcoTitle = _props$selectedTitleV.mcoTitle,\n\t floridaTitle = _props$selectedTitleV.floridaTitle,\n\t osTitle = _props$selectedTitleV.osTitle;\n\t\n\t var r16 = 0;\n\t if (selectedVehicleValue) {\n\t r16 = Number((0, _getPipeValue2.default)(selectedVehicleValue, 'r16'));\n\t }\n\t\n\t var show = false;\n\t if (selectedVehicleValue && selectedVehicleValue.search('MOBILE HOME') > -1) {\n\t show = true;\n\t }\n\t\n\t if (floridaTitle || mcoTitle || osTitle) {\n\t if (r16 === t2 || r16 === 0 || t2 === 8) {\n\t if (t2 === 4) {\n\t show = true;\n\t }\n\t }\n\t }\n\t return show;\n\t }\n\t }, {\n\t key: 'getLengthText',\n\t value: function getLengthText() {\n\t var lengths = ['Single-wide (x1)', 'Double-wide (x2)', 'Triple-wide (x3)'];\n\t return lengths[this.props.mobileHomeLength - 1];\n\t }\n\t }, {\n\t key: 'render',\n\t value: function render() {\n\t var mobileHomeLength = this.props.mobileHomeLength;\n\t\n\t var options = [['Single-wide Mobile Home', 1], ['Double-Wide Mobile Home (double fees)', 2], ['Triple-wide Mobile Home (triple fees)', 3]];\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Row Title-mobileHomeRow', style: { display: this.shouldShow() ? 'block' : 'none' } },\n\t _react2.default.createElement('input', {\n\t className: 'Row-total Row-totalText',\n\t value: this.getLengthText() || '',\n\t readOnly: true,\n\t tabIndex: '-1'\n\t }),\n\t _react2.default.createElement(_Dropdown2.default, {\n\t id: 'titleMobileHomeLength',\n\t options: options,\n\t tooltip: 'Select the length of the Mobile Home',\n\t onChange: this.onLengthSelect,\n\t selectedValue: mobileHomeLength || 1,\n\t className: 'Dropdown Row-dropdown no-print'\n\t }),\n\t _react2.default.createElement(\n\t 'b',\n\t { className: 'print-only' },\n\t 'Mobile home length'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TitleTotalMobileHomeFee;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t mobileHomeLength: state.registration.mobileHomeLength,\n\t titleType: state.titlefees.titleType,\n\t showMobileHomeRow: state.titlefees.showMobileHomeRow,\n\t selectedVehicleValue: state.titlefees.selectedVehicleValue,\n\t selectedTitleVariables: state.titlefees.selectedTitleVariables\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, { setMobileHomeLength: _titlefees.setMobileHomeLength })(TitleTotalMobileHomeFee);\n\n/***/ },\n/* 303 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactDom = __webpack_require__(59);\n\t\n\tvar _reactDom2 = _interopRequireDefault(_reactDom);\n\t\n\tvar _App = __webpack_require__(267);\n\t\n\tvar _App2 = _interopRequireDefault(_App);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\t_reactDom2.default.render(_react2.default.createElement(_App2.default, null), document.getElementById('root'));\n\n/***/ },\n/* 304 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\t// refactored from CreditCalc()\n\tfunction calculateCredit(options) {\n\t var cmnv = Number(options.tCreditMonths); // get credit months\n\t var ctwv = Number(options.tCreditWeight); // get credit weight or length\n\t var cccv = Number(options.creditClass); // get credit _class\n\t var cctot = 0; //base tax breakdown // GR (General Revenue)\n\t\n\t if (!cmnv || !ctwv || !cccv) {\n\t return (0, _precise2.default)(0);\n\t }\n\t\n\t if (cccv !== 0) {\n\t if (cccv === 1 && ctwv < 2500) //base tax _class 01(01)\n\t {\n\t cctot = 14.50 * (cmnv / 12);\n\t } //14.50 Flat\n\t if (cccv === 1 && ctwv > 2499 && ctwv < 3500) //base tax _class 01(02)\n\t {\n\t cctot = 22.50 * (cmnv / 12);\n\t } //22.50 Flat\n\t if (cccv === 1 && ctwv > 3499 && ctwv <= 99999) //base tax _class 01(03)\n\t {\n\t cctot = 32.50 * (cmnv / 12);\n\t } //32.50 Flat\n\t if (cccv === 9 && ctwv > 0 && ctwv <= 99999) //_class 9 lease\n\t {\n\t if (cmnv > 6) {\n\t cmnv = 6;\n\t } //_class 9 credit max credit 1/2 of annual tax amount\n\t cctot = (17.00 + 1.50 * Math.round(ctwv / 100)) * (cmnv / 12);\n\t } //17.00 Flat of which 4.50 is GR and 1.50 per cwt of which .50 is GR\n\t if (cccv === 14 && ctwv > 0 && ctwv <= 99999) // non-resident military\n\t {\n\t cctot = 4.00 * (cmnv / 12);\n\t } // 4.00 Flat - 1 of which is GR\n\t\n\t if (cccv === 31 && ctwv > 0 && ctwv <= 1999) // truck _class 31(31)\n\t {\n\t cctot = 14.50 * (cmnv / 12);\n\t } //14.50 Flat\n\t if (cccv === 31 && ctwv > 1999 && ctwv <= 3000) //truck _class 31(32)\n\t {\n\t cctot = 22.50 * (cmnv / 12);\n\t } //22.50 Flat\n\t if (cccv === 31 && ctwv > 3000 && ctwv <= 5000) //truck _class 31(33)\n\t {\n\t cctot = 32.50 * (cmnv / 12);\n\t } //32.50 Flat\n\t if (cccv === 36 && ctwv > 1951 && ctwv <= 50049) //_class 36 bus\n\t {\n\t cctot = (17.00 + 2.00 * Math.round(ctwv / 100)) * (cmnv / 12);\n\t } //////////////////////////////??????\n\t if (cccv === 37 && ctwv > 0 && ctwv <= 80000) //base tax fees 0.00 - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t } //no credit\n\t if (cccv === 39 && ctwv > 0 && ctwv <= 99999) //Forestry use trucks\n\t {\n\t cctot = 324.00 * (cmnv / 12);\n\t } //324.00 Flat-84.00 of which is GR (General Revenue)\n\t if (cccv === 42 && ctwv > 0 && ctwv <= 4499) //_class 42 motorcoach, chassis mount truck camper, motor home\n\t {\n\t cctot = 27.00 * (cmnv / 12);\n\t } //27.00 Flat - 7 which is GR\n\t if (cccv === 42 && ctwv > 4499 && ctwv <= 99999) //_class 42, Motor coach, motor home, chassis mount truck camper,\n\t {\n\t cctot = 47.25 * (cmnv / 12);\n\t } //47.25 Flat - 12.25 which is GR //_class 42 ends\n\t if (cccv === 50 && ctwv > 0 && ctwv <= 99999) //non-res military MH (HS)\n\t {\n\t cctot = 4.00 * (cmnv / 12);\n\t } //4.00 Flat - 1.00 of which is GR\n\t if (cccv === 51 && ctwv > 0 && ctwv <= 35) //base tax - begin 51 HS\n\t {\n\t cctot = 20.00 * (cmnv / 12);\n\t } //20.00 flat\n\t if (cccv === 51 && ctwv > 35 && ctwv <= 40) {\n\t cctot = 25.00 * (cmnv / 12);\n\t } //25.00 flat\n\t if (cccv === 51 && ctwv > 40 && ctwv <= 45) {\n\t cctot = 30.00 * (cmnv / 12);\n\t } //30.00 flat\n\t if (cccv === 51 && ctwv > 45 && ctwv <= 50) {\n\t cctot = 35.00 * (cmnv / 12);\n\t } //35.00 flat\n\t if (cccv === 51 && ctwv > 50 && ctwv <= 55) {\n\t cctot = 40.00 * (cmnv / 12);\n\t } //40.00 flat\n\t if (cccv === 51 && ctwv > 55 && ctwv <= 60) {\n\t cctot = 45.00 * (cmnv / 12);\n\t } //45.00 flat\n\t if (cccv === 51 && ctwv > 60 && ctwv <= 65) {\n\t cctot = 50.00 * (cmnv / 12);\n\t } //50.00 flat\n\t if (cccv === 51 && ctwv > 65 && ctwv <= 99) {\n\t cctot = 80.00 * (cmnv / 12);\n\t } //80.00 flat // end 51 HS\n\t if (cccv === 52 && ctwv > 0 && ctwv <= 500) //_class 52 trailer < 500 lbs\n\t {\n\t cctot = 6.75 * (cmnv / 12);\n\t } // 6.75 Flat - 1.75 which is GR\n\t if (cccv === 53 && ctwv > 500 && ctwv <= 99999) //base tax _class 53\n\t {\n\t cctot = (3.50 + 1.00 * Math.round(ctwv / 100)) * (cmnv / 12);\n\t } //53credit per100lbs //3.50 Flat - which 1 is GR and 1.00 per cwt of which .25 is GR\n\t if (cccv === 54 && ctwv > 0 && ctwv <= 1999) // _class 54\n\t {\n\t if (cmnv > 6) {\n\t cmnv = 6;\n\t }\n\t cctot = (3.50 + 1.50 * Math.round(ctwv / 100)) * (cmnv / 12);\n\t } //3.50 Flat - which 1 is GR and 1.50 per cwt of which .50 is GR\n\t if (cccv === 54 && ctwv > 1999 && ctwv <= 99999) //_class 54\n\t {\n\t if (cmnv > 6) {\n\t cmnv = 6;\n\t }\n\t cctot = (13.50 + 1.50 * Math.round(ctwv / 100)) * (cmnv / 12);\n\t } //13.50 Flat - which 3.50 is GR and 1.50 per cwt of which .50 is GR //_class 54 end\n\t if (cccv === 56 && ctwv >= 0 && ctwv <= 99999) //_class 56 semi-trailer - flat fee\n\t {\n\t cctot = 13.50 * (cmnv / 12);\n\t } //13.50 Flat-3.50 of which is GR\n\t if (cccv === 62 && ctwv >= 0 && ctwv <= 99999) //62 camp trailer\n\t {\n\t cctot = 13.50 * (cmnv / 12);\n\t } //13.50 Flat - 3.50 of which is GR\n\t if (cccv === 65 && ctwv > 0 && ctwv <= 99999) //65 MC\n\t {\n\t cctot = 10.00 * (cmnv / 12);\n\t } //10.00 Flat\n\t if (cccv === 69 && ctwv >= 0 && ctwv <= 99999) //69 moped /motorized bike\n\t {\n\t cctot = 5.00 * (cmnv / 12);\n\t } //5.00 Flat\n\t if (cccv === 70 && ctwv >= 0 && ctwv <= 99999) //70 transporter\n\t {\n\t cctot = 101.25 * (cmnv / 12);\n\t } // 101.25 flat - 26.25 of which is GR\n\t if (cccv === 71 && ctwv >= 0 && ctwv <= 99999) //dealer plates\n\t {\n\t cctot = 17.00 * (cmnv / 12);\n\t } // 17.00 flat - 4.50 of which is GR\n\t if (cccv === 74 && ctwv >= 0 && ctwv <= 99999) //boat trailer dealer plates\n\t {\n\t cctot = 17.00 * (cmnv / 12);\n\t } // 17.00 flat - 4.50 of which is GR\n\t if (cccv === 76 && ctwv > 0 && ctwv <= 99999) //76 Park Trailer\n\t {\n\t cctot = 25.00 * (cmnv / 12);\n\t } //25.00 Flat\n\t if (cccv === 77 && ctwv > 0 && ctwv <= 35) //77 travel trailer thru 35\n\t {\n\t cctot = 27.00 * (cmnv / 12);\n\t } //27.00 Flat- 7 of which is GR\n\t if (cccv === 78 && ctwv > 35 && ctwv <= 99999) //78 travel trailer over 35\n\t {\n\t cctot = 25.00 * (cmnv / 12);\n\t } //25.00 Flat\n\t if (cccv === 80 && ctwv > 0 && ctwv <= 99999) //antique motorcycle\n\t {\n\t cctot = 7.50 * (cmnv / 12);\n\t } //7.50 Flat-2.50 of which is GF\n\t if (cccv === 82 && ctwv > 0 && ctwv <= 99999) //_class 82 Horseless Carriage\n\t {\n\t cctot = 7.50 * (cmnv / 12);\n\t } //7.50 Flat\n\t if (cccv === 91 && ctwv >= 0 && ctwv <= 99999) //_class 91/95 Antique truck/military trailer\n\t {\n\t cctot = 7.50 * (cmnv / 12);\n\t } //7.50 Flat\n\t if (cccv === 92 && ctwv >= 0 && ctwv <= 99999) //ambulance,hearse,non-41 wrecker\n\t {\n\t cctot = 40.50 * (cmnv / 12);\n\t } //40.50 flat- of which 10.50 is GR\n\t if (cccv === 93 && ctwv >= 0 && ctwv <= 99999) //goat 93\n\t {\n\t cctot = 7.50 * (cmnv / 12);\n\t } //7.50 Flat\n\t if (cccv === 94 && ctwv >= 0 && ctwv <= 99999) //tractor crane (tools)\n\t {\n\t cctot = 44.00 * (cmnv / 12);\n\t } //44.00 Flat-11.50 of which is GR\n\t if (cccv === 95 && ctwv >= 0 && ctwv <= 99999) //antique car\n\t {\n\t cctot = 7.50 * (cmnv / 12);\n\t } //7.50 Flat\n\t if (cccv === 96 && ctwv >= 0 && ctwv <= 99999) //x-series exempt\n\t {\n\t cctot = 4.00 * (cmnv / 12);\n\t } // 4.00 Flat - 1.00 of which is GR\n\t if (cccv === 97 && ctwv >= 0 && ctwv <= 99999) //permanent,all govt - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t }\n\t if (cccv === 100 && ctwv > 0 && ctwv <= 99999) //vessels - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t }\n\t if (cccv === 101 && ctwv > 0 && ctwv <= 99999) //vessel dealer - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t }\n\t if (cccv === 102 && ctwv > 5000 && ctwv <= 43999) //Agricultural use trucks\n\t {\n\t cctot = 87.75 * (cmnv / 12);\n\t } //87.75 Flat-22.75 of which is GR\n\t if (cccv === 102 && ctwv > 43999 && ctwv <= 99999) //Agricultural use trucks\n\t {\n\t cctot = 324.00 * (cmnv / 12);\n\t } //324.00 Flat-84.00 of which is GR\n\t if (cccv === 103 && ctwv > 0 && ctwv <= 99999) //_class 103 permanent (semi)TRL - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t } //no credit\n\t if (cccv === 104 && ctwv > 0 && ctwv <= 99999) //vessel exempt - no credit\n\t {\n\t cctot = 0.00 * (cmnv / 12);\n\t }\n\t // add in a yes/no app alert - if _class 41 is also a wrecker:\n\t\n\t // _class 41 wrecker credit starts by weight category)\n\t if (cccv === 41 && ctwv > 5000) {\n\t var cResponseA41 = window.confirm('\\nIs this class code 41 also a wrecker?\\n\\nOK = Yes\\nCancel = No');\n\t\n\t if (cResponseA41) {\n\t if (cccv === 41 && ctwv > 5000 && ctwv <= 5999) {\n\t cctot = 60.75 * (cmnv / 12);\n\t } //60.75 Flat-15.75 of which is GR\n\t if (cccv === 41 && ctwv > 5999 && ctwv <= 7999) {\n\t cctot = 87.75 * (cmnv / 12);\n\t } //87.75 Flat-22.75 of which is GR\n\t if (cccv === 41 && ctwv > 7999 && ctwv <= 9999) {\n\t cctot = 103.00 * (cmnv / 12);\n\t } //103.00 Flat-27.00 of which is GR\n\t if (cccv === 41 && ctwv > 9999 && ctwv <= 14999) {\n\t cctot = 118.00 * (cmnv / 12);\n\t } //118.00 Flat-31.00 of which is GR\n\t if (cccv === 41 && ctwv > 14999 && ctwv <= 19999) {\n\t cctot = 177.00 * (cmnv / 12);\n\t } //177.00 Flat-46.00 of which is GR\n\t if (cccv === 41 && ctwv > 19999 && ctwv <= 26000) {\n\t cctot = 251.00 * (cmnv / 12);\n\t } //251.00 Flat-65.00 of which is GR\n\t if (cccv === 41 && ctwv > 26000 && ctwv <= 34999) {\n\t cctot = 324.00 * (cmnv / 12);\n\t } //324.00 Flat-84.00 of which is GR\n\t if (cccv === 41 && ctwv > 34999 && ctwv <= 43999) {\n\t cctot = 405.00 * (cmnv / 12);\n\t } //405.00 Flat-105.00 of which is GR\n\t if (cccv === 41 && ctwv > 43999 && ctwv <= 54999) {\n\t cctot = 772.00 * (cmnv / 12);\n\t } //772.00 Flat-200.00 of which is GR\n\t if (cccv === 41 && ctwv > 54999 && ctwv <= 61999) {\n\t cctot = 915.00 * (cmnv / 12);\n\t } //915.00 Flat-237.00 of which is GR\n\t if (cccv === 41 && ctwv > 61999 && ctwv <= 71999) {\n\t cctot = 1080.00 * (cmnv / 12);\n\t } //1080.00 Flat-280.00 of which is GR\n\t if (cccv === 41 && ctwv > 71999 && ctwv <= 80000) {\n\t cctot = 1322.00 * (cmnv / 12);\n\t } //1322.00 Flat-343.00 of which is GR\n\t } else if (!cResponseA41) {\n\t // else if class 41 is not a wrecker then continue with the following:\n\t if (cccv === 41 && ctwv > 5000 && ctwv <= 5999) {\n\t cctot = 60.75 * (cmnv / 12);\n\t } //60.75 Flat-15.75 of which is GR\n\t if (cccv === 41 && ctwv > 5999 && ctwv <= 7999) {\n\t cctot = 87.75 * (cmnv / 12);\n\t } //87.75 Flat-22.75 of which is GR\n\t if (cccv === 41 && ctwv > 7999 && ctwv <= 9999) {\n\t cctot = 103.00 * (cmnv / 12);\n\t } //103.00 Flat-27.00 of which is GR\n\t if (cccv === 41 && ctwv > 9999 && ctwv <= 14999) {\n\t cctot = 118.00 * (cmnv / 12);\n\t } //118.00 Flat-31.00 of which is GR\n\t if (cccv === 41 && ctwv > 14999 && ctwv <= 19999) {\n\t cctot = 177.00 * (cmnv / 12);\n\t } //177.00 Flat-46.00 of which is GR\n\t if (cccv === 41 && ctwv > 19999 && ctwv <= 26000) {\n\t cctot = 251.00 * (cmnv / 12);\n\t } //251.00 Flat-65.00 of which is GR\n\t if (cccv === 41 && ctwv > 26000 && ctwv <= 34999) {\n\t cctot = 324.00 * (cmnv / 12);\n\t } //324.00 Flat-84.00 of which is GR\n\t if (cccv === 41 && ctwv > 34999 && ctwv <= 43999) {\n\t cctot = 405.00 * (cmnv / 12);\n\t } //405.00 Flat-105.00 of which is GR\n\t if (cccv === 41 && ctwv > 43999 && ctwv <= 54999) {\n\t cctot = 773.00 * (cmnv / 12);\n\t } //773.00 Flat-201.00 of which is GR\n\t if (cccv === 41 && ctwv > 54999 && ctwv <= 61999) {\n\t cctot = 916.00 * (cmnv / 12);\n\t } //916.00 Flat-238.00 of which is GR\n\t if (cccv === 41 && ctwv > 61999 && ctwv <= 71999) {\n\t cctot = 1080.00 * (cmnv / 12);\n\t } //1080.00 Flat-280.00 of which is GR\n\t if (cccv === 41 && ctwv > 71999 && ctwv <= 80000) {\n\t cctot = 1322.00 * (cmnv / 12);\n\t } //1322.00 Flat-343.00 of which is GR\n\t }\n\t } // class 41 credit ends\n\t\n\t if (cccv === 0) {\n\t cctot = 0 * (cmnv / 12);\n\t }\n\t\n\t if (cctot === 0) {\n\t alert('No credit amount allowed for this class code.');\n\t return Number.MIN_SAFE_INTEGER; // important to return 0 so we can check for these conditions for validation\n\t }\n\t\n\t if (cctot <= 3 && cctot > 0) {\n\t alert('Credit under $3.00 not allowed');\n\t return Number.MIN_SAFE_INTEGER; // important to return 0 so we can check for these conditions for validation\n\t }\n\t cctot *= -1;\n\t }\n\t\n\t return (0, _precise2.default)(cctot);\n\t} /* eslint-env node, browser */\n\t/* eslint spaced-comment: 0, quotes: 0, brace-style: 0, indent: 0, max-len: 0, no-alert: 0 */\n\t\n\tmodule.exports = calculateCredit;\n\n/***/ },\n/* 305 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar buses = [{\n\t cName: 'Trailers and Buses',\n\t oSubMenu: [{\n\t cName: '53 Trailers Private Use over 500 lbs',\n\t cReturn: '53 Trailers Private Use over 500 lbs |t|t|t|t|t|t|t|t|t|t|t|t|t|t|t|1|t12|pt|2|1|53|53'\n\t }, // FS320.08(7)b changing 2 to 1 in third spot from end in pipe to allow specialty plates to be chosen\n\t {\n\t cName: '36 Buses, 9 passenger and over, (All except private school bus)',\n\t cReturn: '36 Bus, 9 passenger and over, all types except private school bus|b|b|b|b|b|b|b|b|b|b|b|b|b|b|b|1|b12|pb|2|2|36|36'\n\t }, // FS320.08(7)b\n\t {\n\t cName: '36 Buses, 9 passenger and over,(All except private school bus) 6 month semiannual',\n\t cReturn: '36 Bus, 9 passenger and over, all types except private school bus, 6 month semiannual|s|s|s|s|s|s|s|s|s|s|s|s|s|s|s|1|2|ps|2|2|360|360'\n\t }]\n\t}];\n\t\n\tmodule.exports = buses;\n\n/***/ },\n/* 306 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar classNumbers = [['1', 1], ['9', 9], ['14', 14], ['31', 31], ['36', 36], ['37', 37], ['39', 39], ['41', 41], ['42', 42], ['50', 50], ['51', 51], ['52', 52], ['53', 53], ['54', 54], ['56', 56], ['62', 62], ['65', 69], ['70', 70], ['71', 71], ['74', 74], ['76', 76], ['77', 77], ['78', 78], ['80', 80], ['82', 82], ['91', 91], ['92', 92], ['93', 93], ['94', 94], ['95', 95], ['96', 96], ['97', 97], ['100', 100], ['101', 101], ['102', 102], ['103', 103]];\n\t\n\texports.default = classNumbers;\n\n/***/ },\n/* 307 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t/**\n\t * Set the county fees for the Discretionary Tax County Fee Dropdown.\n\t * @note: The values (scond item in the array) should be in a \"pipe\"\n\t * format of |.\n\t * @type {Array}\n\t */\n\tvar counties = [['Choose County', '0'], ['Alachua', 'Alachua|0.01'], ['Baker', 'Baker|0.01'], ['Bay', 'Bay|0.01'], ['Bradford', 'Bradford|0.01'], ['Brevard', 'Brevard|0.01'], ['Broward', 'Broward|0.01'], ['Calhoun', 'Calhoun|0.015'], ['Charlotte', 'Charlotte|0.01'], ['Citrus', 'Citrus|0'], ['Clay', 'Clay|0.01'], ['Collier', 'Collier|0.01'], ['Columbia', 'Columbia|0.01'], ['Dade (same Miami-Dade)', 'Dade (same Miami-Dade)|0.01'], ['DeSoto', 'DeSoto|0.015'], ['Dixie', 'Dixie|0.01'], ['Duval', 'Duval|0.01'], ['Escambia', 'Escambia|0.015'], ['Flagler', 'Flagler|0.01'], ['Franklin', 'Franklin|0.01'], ['Gadsden', 'Gadsden|0.015'], ['Gilchrist', 'Gilchrist|0.01'], ['Glades', 'Glades|0.01'], ['Gulf', 'Gulf|0.01'], ['Hamilton', 'Hamilton|0.01'], ['Hardee', 'Hardee|0.01'], ['Hendry', 'Hendry|0.01'], ['Hernando', 'Hernando|0.005'], ['Highlands', 'Highlands|0.015'], ['Hillsborough', 'Hillsborough|0.015'], ['Holmes', 'Holmes|0.01'], ['Indian River', 'Indian River|0.01'], ['Jackson', 'Jackson|0.015'], ['Jefferson', 'Jefferson|0.01'], ['Lafayette', 'Lafayette|0.01'], ['Lake', 'Lake|0.01'], ['Lee', 'Lee|0.005'], ['Leon', 'Leon|0.015'], ['Levy', 'Levy|0.01'], ['Liberty', 'Liberty|0.02'], ['Madison', 'Madison|0.015'], ['Manatee', 'Manatee|0.01'], ['Marion', 'Marion|0.01'], ['Martin', 'Martin|0.005'], ['Miami-Dade', 'Miami-Dade|0.01'], ['Monroe', 'Monroe|0.015'], ['Nassau', 'Nassau|0.01'], ['Okaloosa', 'Okaloosa|0.005'], ['Okeechobee', 'Okeechobee|0.01'], ['Orange', 'Orange|0.005'], ['Osceola', 'Osceola|0.015'], ['Palm Beach', 'Palm Beach|.01'], ['Pasco', 'Pasco|0.01'], ['Pinellas', 'Pinellas|0.01'], ['Polk', 'Polk|0.01'], ['Putnam', 'Putnam|0.01'], ['St. Johns', 'St. Johns|.005'], ['St Lucie', 'St Lucie|0.01'], ['Santa Rosa', 'Santa Rosa|0.01'], ['Sarasota', 'Sarasota|0.01'], ['Seminole', 'Seminole|0.01'], ['Sumter', 'Sumter|0.01'], ['Suwannee', 'Suwannee|0.01'], ['Taylor', 'Taylor|0.01'], ['Union', 'Union|0.01'], ['Volusia', 'Volusia|0.005'], ['Wakulla', 'Wakulla|0.01'], ['Walton', 'Walton|0.01'], ['Washington', 'Washington|0.015']];\n\t\n\texports.default = counties;\n\n/***/ },\n/* 308 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar expirationMonthsCodes = [{\n\t month: 'JAN',\n\t code: 'MN',\n\t tip: 'January or M, N',\n\t monthNum: 1\n\t}, {\n\t month: 'FEB',\n\t code: 'OPQ',\n\t tip: 'February or O, P, Q',\n\t monthNum: 2\n\t}, {\n\t month: 'MAR',\n\t code: 'RSTU',\n\t tip: 'March or R, S, T, U',\n\t monthNum: 3\n\t}, {\n\t month: 'APR',\n\t code: 'V',\n\t tip: 'April or V',\n\t monthNum: 4\n\t}, {\n\t month: 'MAY',\n\t code: 'WXYZ',\n\t tip: 'May or W, X, Y, Z',\n\t monthNum: 5\n\t}, {\n\t month: 'JUN',\n\t code: 'A#',\n\t tip: 'June or A, or All Numeric',\n\t monthNum: 6\n\t}, {\n\t month: 'JUL',\n\t code: 'BC',\n\t tip: 'July or B, C',\n\t monthNum: 7\n\t}, {\n\t month: 'AUG',\n\t code: 'DE',\n\t tip: 'August or D, E',\n\t monthNum: 8\n\t}, {\n\t month: 'SEP',\n\t code: 'F',\n\t tip: 'September or F',\n\t monthNum: 9\n\t}, {\n\t month: 'OCT',\n\t code: 'G',\n\t tip: 'October or G',\n\t monthNum: 10\n\t}, {\n\t month: 'NOV',\n\t code: 'HIJ',\n\t tip: 'November or H, I, J',\n\t monthNum: 11\n\t}, {\n\t month: 'DEC',\n\t code: 'KL',\n\t tip: 'December or K, L',\n\t monthNum: 12\n\t}];\n\t\n\texports.default = expirationMonthsCodes;\n\n/***/ },\n/* 309 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar floridaTitles = [{\n\t cName: 'TRANSFER TITLE ',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, TRANSFER',\n\t cReturn: 'VEHICLE, Private Use, TRANSFER OF FLORIDA TITLE|75.25|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Auto (not Pickup or Truck), TRANSFER',\n\t cReturn: 'VEHICLE, TRANSFER OF FLORIDA TITLE, Auto, Lease or For Hire|54.25|6'\n\t }, // DONE\n\t {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), TRANSFER',\n\t cReturn: 'VEHICLE, TRANSFER OF FLORIDA TITLE, Lease or For Hire, Not Auto (Pickup, Truck, etc)|75.25|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, TRANSFER',\n\t cReturn: 'MOBILE HOME, TRANSFER OF FLORIDA TITLE|75.25|4'\n\t }, {\n\t cName: 'VESSEL TRANSFER,',\n\t cReturn: 'VESSEL, TRANSFER OF FLORIDA TITLE|5.25|5'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, TRANSFER, with title decal',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, TRANSFER FLORIDA TITLE, with title decal / WITH OR WITHOUT LIEN|42.50|7'\n\t }, // 40.25?\n\t {\n\t cName: 'TRAILER < 1999 lbs - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Trailer < 1999 lbs - No Title required|0.00|2'\n\t }, {\n\t cName: 'Moped - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Moped - No Title required|0.00|2'\n\t },\n\t /* {\n\t cName: 'Motorcycle < 2 BHP and 50 CC - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorcycle < 2 BHP and 50 CC - No Title required |0.00|2',\n\t }, */\n\t {\n\t cName: 'Motorized Bicycle - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorized Bicycle - No Title required |0.00|2'\n\t }]\n\t}, {\n\t cName: 'DUPLICATE TITLE',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, DUPLICATE TITLE,',\n\t cReturn: 'VEHICLE, Private Use, DUPLICATE TITLE|75.25|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Autos (not Pickup or Truck), DUPLICATE TITLE',\n\t cReturn: 'VEHICLE, Auto, Lease or For Hire, DUPLICATE TITLE|54.25|6'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), DUPLICATE TITLE',\n\t cReturn: 'VEHICLE, DUPLICATE TITLE, Lease or For Hire, Not Auto (Pickup, Truck, etc)|75.25|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, DUPLICATE TITLE,',\n\t cReturn: 'MOBILE HOME, DUPLICATE TITLE|75.25|4'\n\t }, {\n\t cName: 'VESSEL, DUPLICATE TITLE,',\n\t cReturn: 'VESSEL, DUPLICATE TITLE|6.00|5'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, DUPLICATE TITLE, with title decal',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, DUPLICATE TITLE, with title decal / WITH OR WITHOUT LIEN|28.50|7'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, MODIFY TITLE, with title decal',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, MODIFY TITLE, with title decal, issuing DUPLICATE and ADDING LIEN|28.50|7'\n\t }]\n\t}, {\n\t cName: 'DUPLICATE WITH TRANSFER',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, DUPLICATE TITLE WITH TRANSFER,',\n\t cReturn: 'VEHICLE, Private Use, DUPLICATE TITLE WITH TRANSFER|149.00|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Autos (not Pickup or Truck), DUPLICATE WITH TRANSFER',\n\t cReturn: 'VEHICLE, Lease or For Hire, Auto, DUPLICATE TITLE WITH TRANSFER|108.50|6'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), DUPLICATE WITH TRANSFER',\n\t cReturn: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc) , DUPLICATE TITLE WITH TRANSFER|150.50|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, DUPLICATE WITH TRANSFER',\n\t cReturn: 'MOBILE HOME, DUPLICATE TITLE WITH TRANSFER|150.50|4'\n\t }, {\n\t cName: 'VESSEL, DUPLICATE TITLE WITH TRANSFER,',\n\t cReturn: 'VESSEL, DUPLICATE TITLE WITH TRANSFER|11.25|5'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, DUPLICATE WITH TRANSFER',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, DUPLICATE TITLE WITH TRANSFER|48.75|7|7'\n\t }] // 48.75 PLUS .50 ADD AS 3RD BRANCH FEE REQUIRED - DUP, TITLE, TITLE DECAL, ALL 3 TAKE global.BFfee\n\t}, // Duplicate Title Application with Transfer to Application for Salvage or Certificate of Destruction!!\n\t{\n\t cName: 'DUPLICATE WITH TRANSFER to Application for Salvage or Certificate of Destruction',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)',\n\t cReturn: 'VEHICLE, Private Use, DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)|82.50|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Autos (not Pickup or Truck), DUPLICATE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)',\n\t cReturn: 'VEHICLE, Lease or For Hire, Auto, DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)|61.50|6'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), DUPLICATE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)',\n\t cReturn: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc) , DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)|82.50|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, DUPLICATE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)',\n\t cReturn: 'MOBILE HOME, DUPLICATE TITLE WITH TRANSFER |82.50|4'\n\t }, {\n\t cName: 'VESSEL, DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)',\n\t cReturn: 'VESSEL, DUPLICATE TITLE WITH TRANSFER (to Application for Salvage or Certificate of Destruction)|13.25|5'\n\t }]\n\t},\n\t// Lien only or lien add\n\t{\n\t cName: 'RECORDING OF LIEN, CURRENT FLORIDA TITLE, No Transfer',\n\t oSubMenu: [{\n\t cName: 'LIEN ONLY (Subsequent Liens using 82139 and 82140), NOT For Hire',\n\t cReturn: 'LIEN ONLY, NOT For Hire|74.25|8|1|2'\n\t }, {\n\t cName: 'LIEN ONLY (Subsequent Liens using 82139 and 82140), FOR HIRE',\n\t cReturn: 'LIEN ONLY, FOR HIRE|53.25|8|1|2'\n\t }, {\n\t cName: 'VESSEL, LIEN ONLY (Subsequent Liens using 82139 and 82140)',\n\t cReturn: 'VESSEL, LIEN ONLY|6.25|8|5|2'\n\t }, {\n\t cName: 'LIEN ADD (Title and 82139), NOT For Hire',\n\t cReturn: 'LIEN ADD, NOT For Hire|74.25|8|1'\n\t }, {\n\t cName: 'LIEN ADD (Title and 82139), FOR HIRE',\n\t cReturn: 'LIEN ADD, FOR HIRE|53.25|8|1'\n\t }, {\n\t cName: 'OFF-HIGHWAY, LIEN ADD (Title and 82139),',\n\t cReturn: 'OFF-HIGHWAY LIEN ADD, with title decal|39.50|7'\n\t }, {\n\t cName: 'VESSEL, LIEN ADD (Title and 82139)',\n\t cReturn: 'VESSEL, LIEN ADD|6.25|8|5'\n\t }]\n\t}, // Repossession\n\t{\n\t cName: 'REPOSSESSION BY LIENHOLDER',\n\t oSubMenu: [{\n\t cName: 'Repossession by Lienholder (TITLE)',\n\t cReturn: 'Repossession by Lienholder (TITLE), FLORIDA TITLE|75.25|8'\n\t }, {\n\t cName: 'Repossession by Lienholder (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Repossession by Lienholder (CERTIFICATE OF REPOSSESSION), FLORIDA TITLE|75.25|8|0|2'\n\t }, {\n\t cName: 'Repossession by Lienholder, FOR HIRE, (TITLE)',\n\t cReturn: 'Repossession by Lienholder, FOR HIRE, (TITLE), FLORIDA TITLE|54.25|8'\n\t }, {\n\t cName: 'Repossession by Lienholder, FOR HIRE, (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Repossession by Lienholder, FOR HIRE, (CERTIFICATE OF REPOSSESSION), FLORIDA TITLE|54.25|8|0|2'\n\t }, {\n\t cName: 'Vessel Repossession by Lienholder (TITLE)',\n\t cReturn: 'Vessel Repossession by Lienholder (TITLE), FLORIDA TITLE|5.25|5'\n\t }, {\n\t cName: 'Vessel Repossession by Lienholder (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Vessel Repossession by Lienholder (CERTIFICATE OF REPOSSESSION), FLORIDA TITLE|5.25|5|0|2'\n\t }, {\n\t cName: 'Off-Highway Vehicle Repossession by Lienholder (TITLE)',\n\t cReturn: 'Off-Highway Vehicle Repossession by Lienholder (TITLE), FLORIDA TITLE|42.50|7'\n\t }, {\n\t cName: 'Off-Highway Vehicle Repossession by Lienholder (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Off-Highway Vehicle by Lienholder (CERTIFICATE OF REPOSSESSION), FLORIDA TITLE|42.50|7|0|2'\n\t }, {\n\t cName: 'Duplicate Certificate of Repossession by Lienholder',\n\t cReturn: 'Duplicate Certificate of Repossession by Lienholder, FLORIDA TITLE|75.25|8'\n\t }, {\n\t cName: 'Reassignment PLUS Repossession by Lienholder',\n\t cReturn: 'Reassignment PLUS Repossession by Lienholder, FLORIDA TITLE|78.25|8'\n\t }]\n\t}, // Salvage, Rebuilt, CD and Wrecker Liens\n\t{\n\t cName: 'SALVAGE Application',\n\t oSubMenu: [{\n\t cName: 'Salvage title application',\n\t cReturn: 'Salvage title application, FLORIDA TITLE|7.25|8'\n\t }, {\n\t cName: 'Duplicate Salvage title application',\n\t cReturn: 'Duplicate Salvage title application, FLORIDA TITLE|7.25|8'\n\t }]\n\t}, {\n\t cName: 'REBUILT Application',\n\t oSubMenu: [{\n\t cName: 'REBUILT VEHICLE, Private Use',\n\t cReturn: 'REBUILT VEHICLE, Private Use, FLORIDA TITLE (includes $40 inspection fee)|115.25|1'\n\t }, {\n\t cName: 'REBUILT VEHICLE, FOR HIRE',\n\t cReturn: 'REBUILT VEHICLE, FOR HIRE, FLORIDA TITLE (includes $40 inspection fee)|94.25|2'\n\t }]\n\t}, {\n\t cName: 'CERTIFICATE OF DESTRUCTION',\n\t oSubMenu: [{\n\t cName: 'CERTIFICATE OF DESTRUCTION',\n\t cReturn: 'CERTIFICATE OF DESTRUCTION, FLORIDA TITLE|7.25|8|0|2'\n\t }, {\n\t cName: 'DUPLICATE CERTIFICATE OF DESTRUCTION',\n\t cReturn: 'DUPLICATE CERTIFICATE OF DESTRUCTION|7.25|8|0|2'\n\t }]\n\t}, {\n\t cName: 'DERELICT VEHICLE CERTIFICATE',\n\t oSubMenu: [{\n\t cName: 'DERELICT VEHICLE CERTIFICATE',\n\t cReturn: 'DERELICT VEHICLE CERTIFICATE|8.00|8|0|2'\n\t }, {\n\t cName: 'DUPLICATE DERELICT VEHICLE CERTIFICATE',\n\t cReturn: 'DUPLICATE DERELICT VEHICLE CERTIFICATE|8.00|8|0|2'\n\t }]\n\t}, {\n\t cName: 'CHILD SUPPORT LIEN',\n\t oSubMenu: [{\n\t cName: 'CHILD SUPPORT LIEN FEE',\n\t cReturn: 'CHILD SUPPORT LIEN FEE|7.00|8'\n\t }]\n\t}, {\n\t cName: 'WRECKER OPERATOR LIENS',\n\t oSubMenu: [{\n\t cName: 'WRECKER OPERATOR LIEN FEE',\n\t cReturn: 'WRECKER OPERATOR LIEN FEE|4.50|8'\n\t }]\n\t}];\n\t\n\tmodule.exports = floridaTitles;\n\n/***/ },\n/* 310 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar heavyTrucks = [{\n\t cName: 'HEAVY TRUCKS OR TRUCK-TRACTORS by owner declared Gross Vehicle Weight',\n\t oSubMenu: [{\n\t cName: '41 Truck / Truck-Tractor 5001 to 5999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 5001 to 5999 lbs GVW|5.06|10.13|15.19|20.25|25.31|30.38|35.44|40.50|45.56|50.63|55.69|60.75|65.81|70.88|75.94|1|72.35|60.75|2|3| |41'\n\t }, // FS320.08(4)a\n\t {\n\t cName: '41 Truck / Truck-Tractor 6000 to 7999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 6000 to 7999 lbs GVW|7.31|14.63|21.94|29.25|36.56|43.88|51.19|58.50|65.81|73.13|80.44|87.75|95.06|102.38|109.69|1|99.35|87.75|2|3| |41'\n\t }, // FS320.08(4)b\n\t {\n\t cName: '41 Truck / Truck-Tractor 8000 to 9999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 8000 to 9999 lbs GVW|8.58|17.17|25.75|34.33|42.92|51.50|60.08|68.67|77.25|85.83|94.92|103.00|111.58|120.17|128.75|1|2|103.00|2|1| |41'\n\t }, // FS320.08(4)c\n\t {\n\t cName: '41 Truck / Truck-Tractor 10,000 to 14,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 10,000 to 14,999 lbs GVW|9.83|19.67|29.50|39.33|49.17|59.00|68.83|78.67|88.50|98.33|108.17|118.00|127.83|137.67|147.50|1|2|118.00|2|1| |410'\n\t }, // FS320.08(4)d\n\t {\n\t cName: '41 Truck / Truck-Tractor 15,000 to 19,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 15,000 to 19,999 lbs GVW|14.75|29.50|44.25|59.00|73.75|88.50|103.25|118.00|132.75|147.50|162.25|177.00|191.75|206.50|221.25|1|2|177.00|2|1| |410'\n\t }, // FS320.08(4)e\n\t {\n\t cName: '41 Truck / Truck-Tractor 20,000 to 26,000 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 20,000 to 26,000 lbs GVW|20.92|41.83|62.75|83.67|104.58|125.50|146.42|167.33|188.25|209.17|230.08|251.00|271.92|292.83|313.75|1|2|251.00|2|1| |410'\n\t }, // FS320.08(4)f\n\t {\n\t cName: '41 Truck / Truck-Tractor 26,001 to 34,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 26,001 to 34,999 lbs GVW|27.00|54.00|81.00|108.00|135.00|162.00|189.00|216.00|243.00|270.00|297.00|324.00|351.00|378.00|405.00|1|2|324.00|2|2| |410'\n\t }, // FS320.08(4)g\n\t {\n\t cName: '41 Truck / Truck-Tractor 35,000 to 43,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 35,000 to 43,999 lbs GVW|33.75|67.50|101.25|135.00|168.75|202.50|236.25|270.00|303.75|337.50|371.25|405.00|438.75|472.50|506.25|1|2|405.00|2|2| |410'\n\t }, // FS320.08(4)h\n\t {\n\t cName: '41 Truck / Truck-Tractor 44,000 to 54,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 44,000 to 54,999 lbs GVW|64.42|128.83|193.25|257.67|322.08|386.50|450.92|515.33|579.75|644.17|708.58|773.00|837.42|901.83|966.25|1|2|773.00|2|2| |410'\n\t }, // FS320.08(4)i\n\t {\n\t cName: '41 Truck / Truck-Tractor 55,000 to 61,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 55,000 to 61,999 lbs GVW|76.33|152.67|229.00|305.33|381.67|458.00|534.33|610.67|687.00|763.33|839.67|916.00|992.33|1068.67|1145.00|1|2|916.00|2|2| |410'\n\t }, // FS320.08(4)j\n\t {\n\t cName: '41 Truck / Truck-Tractor 62,000 to 71,999 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 62,000 to 71,999 lbs GVW|90.00|180.00|270.00|360.00|450.00|540.00|630.00|720.00|810.00|900.00|990.00|1080.00|1170.00|1260.00|1350.00|1|2|1080.00|2|2| |410'\n\t }, // FS320.08(4)k\n\t {\n\t cName: '41 Truck / Truck-Tractor 72,000 to 80,000 lbs GVW',\n\t cReturn: '41 Truck / Truck-Tractor 72,000 to 80,000 lbs GVW|110.17|220.33|330.50|440.67|550.83|661.00|771.17|881.33|991.50|1101.67|1211.83|1322.00|1432.17|1542.33|1652.50|1|2|1322.00|2|2| |410'\n\t }] // FS320.08(4)l\n\t}, {\n\t cName: 'AGRICULTURAL Trucks/Truck-Tractors, restricted by usage, by Gross Vehicle Weight',\n\t oSubMenu: [{\n\t cName: '102 Agricultural Truck/Truck-Tractor under 10,000 lbs GVW',\n\t cReturn: '102 Agricultural Truck/Truck-Tractor under 10,000 lbs GVW|7.31|14.63|21.94|29.25|36.56|43.88|51.19|58.50|65.81|73.13|80.44|87.75|95.06|102.38|109.69|1|2|87.75|2|2| |102'\n\t }, // 102//monthly//FS320.08(4)n\n\t {\n\t cName: '102 Agricultural Truck/Truck-Tractor 10,000b thru 43,999 lbs GVW',\n\t cReturn: '102 Agricultural Truck/Truck-Tractor 10,000 thru 43,999 lbs GVW|7.31|14.63|21.94|29.25|36.56|43.88|51.19|58.50|65.81|73.13|80.44|87.75|95.06|102.38|109.69|1|2|87.75|2|2| |1020'\n\t }, // 102//monthly//FS320.08(4)n\n\t {\n\t cName: '102 Agricultural Truck/Truck-Tractor 44000 to 80,000 lbs GVW',\n\t cReturn: '102 Agricultural Truck/Truck-Tractor 44000 to 80,000 lbs GVW|27.00|54.00|81.00|108.00|135.00|162.00|189.00|216.00|243.00|270.00|297.00|324.00|351.00|378.00|405.00|1|2|324.00|2|2| |1020'\n\t }, // FS320.08(4)n\n\t {\n\t cName: '93 Agricultural vehicle, Goats, all',\n\t // this was the NEW value:\n\t // cReturn: \"93 Agricultural vehicle, Goats, all|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.63|6.25|6.88|7.50|8.13|8.75|9.38|1|19.10|7.50|2|2| |93\"\n\t // but we are using the OLD value, because Goats are not suposed to be eligable for 2ndYear fee?\n\t cReturn: '93 Agricultural vehicle, Goats, all|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.63|6.25|6.88|7.50|8.13|8.75|9.38|1|2|7.50|2|2| |93'\n\t }, // FS320.08(3)d\n\t {\n\t cName: '39 Forestry Truck/Truck-Tractor under 10,000 GVW',\n\t cReturn: '39 Forestry Truck/Truck-Tractor under 10,000 GVW, restricted use|27.00|54.00|81.00|108.00|135.00|162.00|189.00|216.00|243.00|270.00|297.00|324.00|351.00|378.00|405.00|1|2|324.00|2|2| |39'\n\t }, // FS320.08(4)m\n\t {\n\t cName: '39 Forestry Truck/Truck-Tractor 10,000 and up GVW',\n\t cReturn: '39 Forestry Truck/Truck-Tractor 10,000 and up GVW, restricted usage|27.00|54.00|81.00|108.00|135.00|162.00|189.00|216.00|243.00|270.00|297.00|324.00|351.00|378.00|405.00|1|2|324.00|2|2| |390'\n\t }]\n\t}, // FS320.08(4)m\n\t{\n\t cName: 'WRECKERS, NOT restricted by usage, by Gross Vehicle Weight',\n\t oSubMenu: [{\n\t cName: '41 Wrecker, Unrestricted, 10,000 to 14,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 10,000 to 14,999 lbs GVW|9.83|19.67|29.50|39.33|49.17|59.00|68.83|78.67|88.50|98.33|108.17|118.00|127.83|137.67|147.50|1|2|118.00|2|2| |410'\n\t }, // FS320.08(5)e1\n\t {\n\t cName: '41 Wrecker, Unrestricted, 15,000 to 19,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 15,000 to 19,999 lbs GVW|14.75|29.50|44.25|59.00|73.75|88.50|103.25|118.00|132.75|147.50|162.25|177.00|191.75|206.50|221.25|1|2|177.00|2|2| |410'\n\t }, // FS320.08(5)e2\n\t {\n\t cName: '41 Wrecker, Unrestricted, 20,000 to 25,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 20,000 to 25,999 lbs GVW|20.92|41.83|62.75|83.67|104.58|125.50|146.42|167.33|188.25|209.17|230.08|251.00|271.92|292.83|313.75|1|2|251.00|2|2| |410'\n\t }, // FS320.08(5)e3\n\t {\n\t cName: '41 Wrecker, Unrestricted, 26,000 to 34,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 26,000 to 34,999 lbs GVW|27.00|54.00|81.00|108.00|135.00|162.00|189.00|216.00|243.00|270.00|297.00|324.00|351.00|378.00|405.00|1|2|324.00|2|2| |410'\n\t }, // FS320.08(5)e4\n\t {\n\t cName: '41 Wrecker, Unrestricted, 35,000 to 43,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 35,000 to 43,999 lbs GVW|33.75|67.50|101.25|135.00|168.75|202.50|236.25|270.00|303.75|337.50|371.25|405.00|438.75|472.50|506.25|1|2|405.00|2|2| |410'\n\t }, // FS320.08(5)e5\n\t {\n\t cName: '41 Wrecker, Unrestricted, 44,000 to 54,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 44,000 to 54,999 lbs GVW|64.33|128.67|193.00|257.33|321.67|386.00|450.33|514.67|579.00|643.33|707.67|772.00|836.33|900.67|965.00|1|2|772.00|2|2| |410'\n\t }, // FS320.08(5)e6\n\t {\n\t cName: '41 Wrecker, Unrestricted, 55,000 to 61,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 55,000 to 61,999 lbs GVW|76.25|152.50|228.75|305.00|381.25|457.50|533.75|610.00|686.25|762.50|838.75|915.00|991.25|1067.50|1143.75|1|2|915.00|2|2| |410'\n\t }, // FS320.08(5)e7\n\t {\n\t cName: '41 Wrecker, Unrestricted, 62,000 to 71,999 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 62,000 to 71,999 lbs GVW|90.00|180.00|270.00|360.00|450.00|540.00|630.00|720.00|810.00|900.00|990.00|1080.00|1170.00|1260.00|1350.00|1|2|1080.00|2|2| |410'\n\t }, // FS320.08(5)e8\n\t {\n\t cName: '41 Wrecker, Unrestricted, 72,000 to 80,000 lbs GVW',\n\t cReturn: '41 Wrecker, Unrestricted, 72,000 to 80,000 lbs GVW|110.17|220.33|330.50|440.67|550.83|661.00|771.17|881.33|991.50|1101.67|1211.83|1322.00|1432.17|1542.33|1652.50|1|2|1322.00|2|2| |410'\n\t }] // FS320.08(5)e9\n\t}];\n\t\n\tmodule.exports = heavyTrucks;\n\n/***/ },\n/* 311 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar lease = [{\n\t cName: 'AUTOMOBILES, LEASE',\n\t oSubMenu: [{\n\t cName: '09 LEASE Vehicle, Automobile, (under 9 passenger)',\n\t cReturn: '09 LEASE Vehicle, Automobile, (under 9 passenger)|a3|a3|a3|a6|a6|a6|a12|a12|a12|a12|a12|a12|a13|a15|a15|6|a12|pa|2|1|9|9'\n\t }, // FS320.08(6)a\n\t {\n\t cName: '09 Automobile, for HIRE, SPECIAL ANY 6 Month period, (under 9 passenger)',\n\t cReturn: 'Automobile, for HIRE, SPECIAL ANY 6 Month period, (under 9 passenger)|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|a66|6|2|pa66|2||9|92'\n\t }] // FS320.08(6)a?\n\t}, {\n\t cName: 'TRAILERS, FOR HIRE',\n\t oSubMenu: [{\n\t cName: '54 Trailers, for HIRE thru 1999 lbs',\n\t cReturn: '54 Trailers, for HIRE thru 1999 lbs|t3|t3|t3|t6|t6|t6|t12|t12|t12|t12|t12|t12|t13|t15|t15|6|t12|pt|2|2|54|54'\n\t }, // FS320.08(8)a\n\t {\n\t cName: '54 Trailers, for HIRE, 2000 lbs and over',\n\t cReturn: '54 Trailers, for HIRE 2000 lbs and over|tp3|tp3|tp3|tp6|tp6|tp6|tp12|tp12|tp12|tp12|tp12|tp12|tp13|tp15|tp15|6|tp12|ptp|2|2|54|54'\n\t }]\n\t}];\n\t\n\tmodule.exports = lease;\n\n/***/ },\n/* 312 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar mailFees = [['No Mail Fee', 'No Mail Fee|0.00'], ['Custom Mail Fee (Enter Your Own Below)', 'Custom|0.00'], ['Mail Decal', 'Mail Decal|0.75'], ['Mail License Plate', 'Mail License Plate|3.20'], ['Mail (5) Temporary Plates & 83091\\'s', 'Mail (5) Temporary Plates & 83091s|2.55'], ['Mail (10) Temporary Plates & 83091\\'s', 'Mail (10) Temporary Plates & 83091s|3.10'], ['Mail (25) Temporary Plates & 83091\\'s', 'Mail (25) Temporary Plates & 83091s|5.60']];\n\t\n\texports.default = mailFees;\n\n/***/ },\n/* 313 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar mcoTitles = [{\n\t cName: 'APPLICATION FOR ORIGINAL FLORIDA TITLE using MCO',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE',\n\t cReturn: 'VEHICLE, Private Use, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE|75.25|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Auto (not Pickup or Truck), MCO APPLICATION FOR ORIGINAL FLORIDA TITLE',\n\t cReturn: 'VEHICLE, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE, Lease or For Hire, Auto|54.25|6'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), MCO APPLICATION FOR ORIGINAL FLORIDA TITLE',\n\t cReturn: 'VEHICLE, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc)|75.25|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE,',\n\t cReturn: 'MOBILE HOME, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE|76.25|4'\n\t }, {\n\t cName: 'RECREATIONAL VEHICLE, Private Use, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE',\n\t cReturn: 'RECREATIONAL VEHICLE, Private Use, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE|76.25|1'\n\t }, {\n\t cName: 'RECREATIONAL VEHICLE, Lease or For Hire, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE',\n\t cReturn: 'RECREATIONAL VEHICLE, Lease or For Hire, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE|55.25|6'\n\t }, {\n\t cName: 'VESSEL, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE,',\n\t cReturn: 'VESSEL, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE|5.25|5'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE, with title decal',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, MCO APPLICATION FOR ORIGINAL FLORIDA TITLE, with title decal|42.50|7'\n\t }, {\n\t cName: 'TRAILER < 1999 lbs - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Trailer < 1999 lbs - No Title required|0.00|2'\n\t }, {\n\t cName: 'Moped - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Moped - No Title required| 0.00|2'\n\t },\n\t /* {\n\t cName: 'Motorcycle < 2 BHP and 50 CC - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorcycle < 2 BHP and 50 CC - No Title required |0.00|2',\n\t }, */\n\t {\n\t cName: 'Motorized Bicycle - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorized Bicycle - No Title required|0.00|2'\n\t }]\n\t}];\n\t\n\tmodule.exports = mcoTitles;\n\n/***/ },\n/* 314 */\n/***/ function(module, exports) {\n\n\t\"use strict\";\n\t\n\t// WEIRD! Somehow all of the pipe values for mobile homes were reversed! The ones from the old PDF are\n\t// being shown above. Notice how some pipe class codes are reversed (51 with 510) and how the new class code for\n\t// 76 Park Trailers (MH-PT), all lengths is 760 in the new code, but 76 in the old code.\n\t// This is probably the cause, or one of the reasons for the \"off by one dollar\" bug in mobile homes:\n\t// https://github.com/RuFfIaNiSM/fee-calculator-react/issues/129\n\t// const mobileHomes = [\n\t// {\n\t// cName:\"Mobile Home Outside of a Mobile Home Park (or less than 10 lots)\",\n\t// oSubMenu: [\n\t// //note 13 month fees are -.10 EMS fee that is not charged 2nd time until 14 months\n\t// {cName:\"51 HS up to 35' length\",cReturn:\"51 HS up to 35' length|5.00|5.00|5.00|10.00|10.00|10.00|20.00|20.00|20.00|20.00|20.00|20.00|25.00|25.00|25.00|4|25.10|20.00|2|2|0|51\"}, //FS320.08(11)a\n\t// {cName:\"51 HS over 35' thru 40' length\",cReturn:\"51 HS over 35' thru 40' length|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|30.25|4|31.10|25.00|2|2|0|51\"}, //FS320.08(11)b\n\t// {cName:\"51 HS over 40' thru 45' length\",cReturn:\"51 HS over 40' thru 45' length|7.50|7.50|7.50|15.00|15.00|15.00|30.00|30.00|30.00|30.00|30.00|30.00|37.50|37.50|37.50|4|35.10|30.00|2|2|0|51\"},//FS320.08(11)c\n\t// {cName:\"51 HS over 45' thru 50' length\",cReturn:\"51 HS over 45' thru 50' length|8.75|8.75|8.75|17.50|17.50|17.50|35.00|35.00|35.00|35.00|35.00|35.00|43.75|43.75|43.75|4|40.10|35.00|2|2|0|51\"}, //FS320.08(11)d\n\t// {cName:\"51 HS over 50' thru 55' length\",cReturn:\"51 HS over 50' thru 55' length|10.00|10.00|10.00|20.00|20.00|20.00|40.00|40.00|40.00|40.00|40.00|40.00|50.00|50.00|50.00|4|45.10|40.00|2|2|0|51\"}, //FS320.08(11)e\n\t// {cName:\"51 HS over 55' thru 60' length\",cReturn:\"51 HS over 55' thru 60' length|11.25|11.25|11.25|22.50|22.50|22.50|45.00|45.00|45.00|45.00|45.00|45.00|56.25|56.25|56.25|4|50.10|45.00|2|2|0|51\"}, //FS320.08(11)f\n\t// {cName:\"51 HS over 60' thru 65' length\",cReturn:\"51 HS over 60' thru 65' length|12.50|12.50|12.50|25.00|25.00|25.00|50.00|50.00|50.00|50.00|50.00|50.00|62.50|62.50|62.50|4|55.10|50.00|2|2|0|51\"},//FS320.08(11)g\n\t// {cName:\"51 HS over 65' length\",cReturn:\"51 HS over 65' length|20.00|20.00|20.00|40.00|40.00|40.00|80.00|80.00|80.00|80.00|80.00|80.00|100.00|100.00|100.00|4|85.10|80.00|2|2|0|51\"}, //FS320.08(11)h\n\t// {cName:\"50 Non-Resident Military HS, any length\",cReturn:\"50 Non-Resident Military HS, any length|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|4|2|2|2|2|0|50\"}, //FS320.08(11)\n\t// {cName:\"76 Park Trailers (MH-PT), all lengths\",cReturn:\"76 Park Trailers (MH-PT), all lengths in/out Park|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|76\"}, //FS320.08(10)a\n\t// {cName:\"78 Travel Trailers over 35 (MH-TV), HS decal,affixed to property\",cReturn:\"78 Travel Trailers over 35 (MH-TV), HS decal,affixed to property|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|78\"}//FS320.08(10)b\n\t// ]\n\t// },\n\t// {cName:\"Mobile Home Inside of a Mobile Home Park (10 lots or more)\" , oSubMenu: [\n\t// {cName:\"51 HS up to 35' length\",cReturn:\"51 HS up to 35' length inside Park|5.00|5.00|5.00|10.00|10.00|10.00|20.00|20.00|20.00|20.00|20.00|20.00|25.00|25.00|25.00|4|26.10|20.00|2|2|1|510\"}, //FS320.08(11)a\n\t// {cName:\"51 HS over 35' thru 40' length\",cReturn:\"51 HS over 35' thru 40' length inside Park|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|31.10|25.00|2|2|1|510\"}, //FS320.08(11)b\n\t// {cName:\"51 HS over 40' thru 45' length\",cReturn:\"51 HS over 40' thru 45' length inside Park|7.50|7.50|7.50|15.00|15.00|15.00|30.00|30.00|30.00|30.00|30.00|30.00|37.50|37.50|37.50|4|36.10|30.00|2|2|1|510\"}, //FS320.08(11)c\n\t// {cName:\"51 HS over 45' thru 50' length\",cReturn:\"51 HS over 45' thru 50' length inside Park|8.75|8.75|8.75|17.50|17.50|17.50|35.00|35.00|35.00|35.00|35.00|35.00|43.75|43.75|43.75|4|41.10|35.00|2|2|1|510\"}, //FS320.08(11)d\n\t// {cName:\"51 HS over 50' thru 55' length\",cReturn:\"51 HS over 50' thru 55' length inside Park|10.00|10.00|10.00|20.00|20.00|20.00|40.00|40.00|40.00|40.00|40.00|40.00|50.00|50.00|50.00|4|46.10|40.00|2|2|1|510\"}, //FS320.08(11)e\n\t// {cName:\"51 HS over 55' thru 60' length\",cReturn:\"51 HS over 55' thru 60' length inside Park|11.25|11.25|11.25|22.50|22.50|22.50|45.00|45.00|45.00|45.00|45.00|45.00|56.25|56.25|56.25|4|51.10|45.00|2|2|1|510\"}, //FS320.08(11)f\n\t// {cName:\"51 HS over 60' thru 65' length\",cReturn:\"51 HS over 60' thru 65' length inside Park|12.50|12.50|12.50|25.00|25.00|25.00|50.00|50.00|50.00|50.00|50.00|50.00|62.50|62.50|62.50|4|56.10|50.00|2|2|1|510\"}, //FS320.08(11)g\n\t// {cName:\"51 HS over 65' length\",cReturn:\"51 HS over 65' length inside Park|20.00|20.00|20.00|40.00|40.00|40.00|80.00|80.00|80.00|80.00|80.00|80.00|100.00|100.00|100.00|4|86.10|80.00|2|2|1|510\"}, //FS320.08(11)h\n\t// {cName:\"50 Non-Resident Military HS, any length\",cReturn:\"50 Non-Resident Military HS, any length, inside Park|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|4|2|2|2|2|1|500\"}, //FS320.08(11)\n\t// {cName:\"76 Park Trailers (MH-PT), all lengths\",cReturn:\"76 Park Trailers (MH-PT), all lengths in/out Park|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|76\"} //FS320.08(10)a //not 760\n\t// ]\n\t// },\n\t// {cName:\"Real Property Mobile Home, any location\" , oSubMenu: [\n\t// {cName:\"(37) 86 Real Property, HS, MH-TV, MH-PT, any length\",cReturn:\"86 Real Property, HS, MH-TV, MH-PT, any length, includes .25 Property Appraiser fee|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|4|2|2|2|2|4|86\"}, // includes .25 Property Appraiser fee\n\t// ] }];\n\t\n\tvar mobileHomes = [{\n\t cName: 'Mobile Home Outside of a Mobile Home Park (or less than 10 lots)',\n\t oSubMenu: [\n\t // note 13 month fees are -.10 EMS fee that is not charged 2nd time until 14 months\n\t {\n\t cName: \"51 HS up to 35' length\",\n\t cReturn: \"51 HS up to 35' length|5.00|5.00|5.00|10.00|10.00|10.00|20.00|20.00|20.00|20.00|20.00|20.00|25.00|25.00|25.00|4|25.10|20.00|2|2|0|51\"\n\t }, // FS320.08(11)a\n\t {\n\t cName: \"51 HS over 35' thru 40' length\",\n\t cReturn: \"51 HS over 35' thru 40' length|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|31.10|25.00|2|2|1|51\"\n\t }, // FS320.08(11)b\n\t {\n\t cName: \"51 HS over 40' thru 45' length\",\n\t cReturn: \"51 HS over 40' thru 45' length|7.50|7.50|7.50|15.00|15.00|15.00|30.00|30.00|30.00|30.00|30.00|30.00|37.50|37.50|37.50|4|35.10|30.00|2|2|1|51\"\n\t }, // FS320.08(11)c\n\t {\n\t cName: \"51 HS over 45' thru 50' length\",\n\t cReturn: \"51 HS over 45' thru 50' length|8.75|8.75|8.75|17.50|17.50|17.50|35.00|35.00|35.00|35.00|35.00|35.00|43.75|43.75|43.75|4|41.10|35.00|2|2|1|51\"\n\t }, // FS320.08(11)d\n\t {\n\t cName: \"51 HS over 50' thru 55' length\",\n\t cReturn: \"51 HS over 50' thru 55' length|10.00|10.00|10.00|20.00|20.00|20.00|40.00|40.00|40.00|40.00|40.00|40.00|50.00|50.00|50.00|4|45.10|40.00|2|2|1|51\"\n\t }, // FS320.08(11)e\n\t {\n\t cName: \"51 HS over 55' thru 60' length\",\n\t cReturn: \"51 HS over 55' thru 60' length|11.25|11.25|11.25|22.50|22.50|22.50|45.00|45.00|45.00|45.00|45.00|45.00|56.25|56.25|56.25|4|50.10|45.00|2|2|1|51\"\n\t }, // FS320.08(11)f\n\t {\n\t cName: \"51 HS over 60' thru 65' length\",\n\t cReturn: \"51 HS over 60' thru 65' length|12.50|12.50|12.50|25.00|25.00|25.00|50.00|50.00|50.00|50.00|50.00|50.00|62.50|62.50|62.50|4|55.10|50.00|2|2|1|51\"\n\t }, // FS320.08(11)g\n\t {\n\t cName: \"51 HS over 65' length\",\n\t cReturn: \"51 HS over 65' length|20.00|20.00|20.00|40.00|40.00|40.00|80.00|80.00|80.00|80.00|80.00|80.00|100.00|100.00|100.00|4|85.10|80.00|2|2|1|51\"\n\t }, // FS320.08(11)h\n\t {\n\t cName: '50 Non-Resident Military HS, any length',\n\t cReturn: '50 Non-Resident Military HS, any length|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|4|2|2|2|2|1|50'\n\t }, // FS320.08(11)\n\t {\n\t cName: '76 Park Trailers, all lengths',\n\t cReturn: '76 Park Trailers, all lengths|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|76'\n\t }, // FS320.08(10)a\n\t {\n\t cName: '78 Travel Trailers over 35 (MH-TV), HS decal,affixed to property',\n\t cReturn: '78 Travel Trailers over 35 (MH-TV), HS decal,affixed to property|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|78'\n\t }]\n\t}, {\n\t cName: 'Mobile Home Inside of a Mobile Home Park (10 lots or more)',\n\t oSubMenu: [{\n\t cName: \"51 HS up to 35' length inside Park\",\n\t cReturn: \"51 HS up to 35' length inside Park|5.00|5.00|5.00|10.00|10.00|10.00|20.00|20.00|20.00|20.00|20.00|20.00|25.00|25.00|25.00|4|26.10|20.00|2|2|0|510\"\n\t }, // FS320.08(11)a\n\t {\n\t cName: \"51 HS over 35' thru 40' length inside Park\",\n\t cReturn: \"51 HS over 35' thru 40' length inside Park|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|31.10|25.00|2|2|0|510\"\n\t }, // FS320.08(11)b\n\t {\n\t cName: \"51 HS over 40' thru 45' length inside Park\",\n\t cReturn: \"51 HS over 40' thru 45' length inside Park|7.50|7.50|7.50|15.00|15.00|15.00|30.00|30.00|30.00|30.00|30.00|30.00|37.50|37.50|37.50|4|36.10|30.00|2|2|0|510\"\n\t }, // FS320.08(11)c\n\t {\n\t cName: \"51 HS over 45' thru 50' length inside Park\",\n\t cReturn: \"51 HS over 45' thru 50' length inside Park|8.75|8.75|8.75|17.50|17.50|17.50|35.00|35.00|35.00|35.00|35.00|35.00|43.75|43.75|43.75|4|41.10|35.00|2|2|0|510\"\n\t }, // FS320.08(11)d\n\t {\n\t cName: \"51 HS over 50' thru 55' length inside Park\",\n\t cReturn: \"51 HS over 50' thru 55' length inside Park|10.00|10.00|10.00|20.00|20.00|20.00|40.00|40.00|40.00|40.00|40.00|40.00|50.00|50.00|50.00|4|46.10|40.00|2|2|0|510\"\n\t }, // FS320.08(11)e\n\t {\n\t cName: \"51 HS over 55' thru 60' length inside Park\",\n\t cReturn: \"51 HS over 55' thru 60' length inside Park|11.25|11.25|11.25|22.50|22.50|22.50|45.00|45.00|45.00|45.00|45.00|45.00|56.25|56.25|56.25|4|51.10|45.00|2|2|0|510\"\n\t }, // FS320.08(11)f\n\t {\n\t cName: \"51 HS over 60' thru 65' length inside Park\",\n\t cReturn: \"51 HS over 60' thru 65' length inside Park|12.50|12.50|12.50|25.00|25.00|25.00|50.00|50.00|50.00|50.00|50.00|50.00|62.50|62.50|62.50|4|56.10|50.00|2|2|0|510\"\n\t }, // FS320.08(11)g\n\t {\n\t cName: \"51 HS over 65' length inside Park\",\n\t cReturn: \"51 HS over 65' length inside Park|20.00|20.00|20.00|40.00|40.00|40.00|80.00|80.00|80.00|80.00|80.00|80.00|100.00|100.00|100.00|4|86.10|80.00|2|2|0|510\"\n\t }, // FS320.08(11)h\n\t {\n\t cName: '50 Non-Resident Military HS, any length, inside Park',\n\t cReturn: '50 Non-Resident Military HS, any length, inside Park|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|4|2|2|2|2|0|510'\n\t }, // FS320.08(11)\n\t {\n\t cName: '76 Park Trailers (MH-PT), all lengths inside Park',\n\t cReturn: '76 Park Trailers (MH-PT), all lengths inside Park|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|76'\n\t }]\n\t}, {\n\t cName: 'Real Property Mobile Home, any location',\n\t oSubMenu: [{\n\t cName: '86 Real Property, HS, MH-TV, MH-PT, any length, includes .25 Property Appraiser fee',\n\t cReturn: '86 Real Property, HS, MH-TV, MH-PT, any length, includes .25 Property Appraiser fee|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|4|2|2|2|2|4|86'\n\t }]\n\t}];\n\t\n\tmodule.exports = mobileHomes;\n\n/***/ },\n/* 315 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar motorVehicles = [{\n\t cName: 'AUTOMOBILES, Private Use',\n\t oSubMenu: [{\n\t cName: '01 Automobile, Private Use, thru 2499 lbs',\n\t cReturn: '01 Automobile, Private Use, thru 2499 lbs|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|29.00|29.00|29.00|1|27.60|14.50|1|3|1|01'\n\t }, {\n\t // FS320.08(2)c\n\t cName: '01 Automobile, Private Use, 2500 to 3499 lbs',\n\t cReturn: '01 Automobile, Private Use, 2500 to 3499 lbs|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|45.00|45.00|45.00|1|35.60|22.50|1|3|01|01'\n\t }, {\n\t // FS320.08(2)d\n\t cName: '01 Automobile, Private Use, over 3500 lbs',\n\t cReturn: '01 Automobile, Private Use, over 3500 lbs|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|65.00|65.00|65.00|1|45.60|32.50|1|3|01|01'\n\t }, {\n\t // FS320.08(2)a\n\t cName: '14 Non-Resident Military, Automobile, Private Use',\n\t cReturn: '14 Non-Resident Military, Automobile, Private Use|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|1|2|3.00|2|1|14|14'\n\t }, {\n\t cName: '82 Horseless Carriage, Automobile, Private Use',\n\t cReturn: '82 Horseless Carriage, Automobile, Private Use|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|15.00|15.00|15.00|1|20.60|7.50|2|2|82|82'\n\t }, // FS320.08(2)a\n\t {\n\t cName: '95 Antique Passenger Cars (with Antique Plate)',\n\t cReturn: '95 Antique Passenger Cars (with Antique Plate)|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|7.50|15.00|15.00|15.00|1|20.60|7.50|2|1|95|95'\n\t }] // FS320.08(2)a\n\t}, {\n\t cName: 'PICKUPS / TRUCKS',\n\t oSubMenu: [{ // FS320.08(3)a\n\t cName: '14 Non-Resident Military, Truck / Pickup thru 7999 lbs, Private Use',\n\t cReturn: '14 Non-Resident Military, Truck / Pickup thru 7999 lbs, Private Use|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|1|2|3.00|2|1|14|14'\n\t }, {\n\t cName: '31 Truck / Pickup thru 1999 lbs',\n\t cReturn: '31 Truck / Pickup thru 1999 lbs|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|14.50|29.00|29.00|29.00|1|27.60|19.50|1|3|31|31'\n\t }, // FS320.08(3)a\n\t {\n\t cName: '31 Truck / Pickup 2000 to 3000 lbs',\n\t cReturn: '31 Truck / Pickup 2000 to 3000 lbs|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|22.50|45.00|45.00|45.00|1|35.60|30.50|1|3|31|31'\n\t }, // FS320.08(3)b\n\t {\n\t cName: '31 Truck / Pickup 3001 to 5000 lbs',\n\t cReturn: '31 Truck / Pickup 3001 to 5000 lbs|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|32.50|65.00|65.00|65.00|1|45.60|44.00|1|3|31|31'\n\t }, // FS320.08(3)c\n\t {\n\t cName: '41 Trucks over 5,000lb, see Heavy Truck listing',\n\t bEnabled: false,\n\t cReturn: '0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|41'\n\t }, {\n\t cName: '42 Chassis Mount Camper, unit affixed to truck chassis, thru 4499 lbs',\n\t cReturn: '42 Chassis Mount Camper, unit affixed to truck chassis, thru 4499 lbs|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|54.00|54.00|54.00|1|38.60|27.00|1|3|42|42'\n\t }, // FS320.08(9)d1\n\t {\n\t cName: '42 Chassis Mount Camper, unit affixed to truck chassis, 4500 lbs and over',\n\t cReturn: '42 Chassis Mount Camper, unit affixed to truck chassis, 4500 lbs and over|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|94.50|94.50|94.50|1|58.85|47.25|1|3|42|42'\n\t }, // FS320.08(9)d2\n\t {\n\t cName: '42 Motor home thru 4499 lbs',\n\t cReturn: '42 Motor home thru 4499 lbs|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|54.00|54.00|54.00|1|38.60|27.00|1|3|42|42'\n\t }, // FS320.08(9)c1\n\t {\n\t cName: '42 Motor home, 4500 lbs and over',\n\t cReturn: '42 Motor home, 4500 lbs and over|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|94.50|94.50|94.50|1|58.85|47.25|1|3|42|42'\n\t }, // FS320.08(9)c2\n\t {\n\t cName: '42 Private Motor Coach, thru 4499 lbs',\n\t cReturn: '42 Private Motor Coach, thru 4499 lbs|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|54.00|54.00|54.00|1|38.60|27.00|2|3|42|42'\n\t }, // FS320.08(9)e1\n\t {\n\t cName: '42 Private Motor Coach, 4500 lbs and over',\n\t cReturn: '42 Private Motor Coach, 4500 lbs and over|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|47.25|94.50|94.50|94.50|1|58.85|47.25|2|3|42|42'\n\t }, // FS320.08(9)e1\n\t {\n\t cName: '91 Antique Truck < 5000 lbs net Weight /Military Trailer',\n\t cReturn: '91 Antique Truck < 5000 lbs net Weight /Military Trailer|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.63|6.25|6.88|7.50|8.13|8.75|9.38|1|20.60|10.25|2|1|91|91'\n\t }] // FS320.08(9)e2\n\t}, {\n\t cName: 'MOTORCYCLES and MOPEDS',\n\t oSubMenu: [{\n\t cName: '65 Motorcycles',\n\t cReturn: '65 Motorcycles|5.00|5.00|5.00|5.00|5.00|5.00|10.00|10.00|10.00|10.00|10.00|10.00|12.50|12.50|12.50|1|24.10|10.00|2|1|65|65'\n\t }, // FS320.08(1)a\n\t {\n\t cName: '65 Motorcycles Underage',\n\t cReturn: '65 Motorcycles Underage|5.00|5.00|5.00|5.00|5.00|5.00|10.00|10.00|10.00|10.00|10.00|10.00|12.50|12.50|12.50|1|24.10|10.00|2|1|65|65'\n\t }, // FS320.08(1)a\n\t {\n\t cName: '80 Motorcycles, Antique Plate',\n\t cReturn: '80 Motorcycles, Antique Plate|5.00|5.00|5.00|5.00|5.00|5.00|7.50|7.50|7.50|7.50|7.50|7.50|9.38|9.38|9.38|1|21.60|13.50|2|1|80|80'\n\t }, // FS320.08(1)d\n\t {\n\t cName: '65 Motorized and Disability Access Vehicle',\n\t cReturn: '65 Motorized and Disability Access Vehicle|5.00|5.00|5.00|5.00|5.00|5.00|10.00|10.00|10.00|10.00|10.00|10.00|12.50|12.50|12.50|2|24.10|13.50|2|1|65|65'\n\t }, // FS320.08(1)a DONE\n\t {\n\t cName: '80 Motorized and Disability Access Vehicle, Antique Plate',\n\t cReturn: '80 Motorized and Disability Access Vehicle, Antique Plate|5.00|5.00|5.00|5.00|5.00|5.00|7.50|7.50|7.50|7.50|7.50|7.50|9.38|9.38|9.38|2|21.60|13.50|2|1|80|80'\n\t }, // FS320.08(1)d\n\t {\n\t cName: '69 Mopeds < 2 BrakeHorsePower, pedal-activated motor',\n\t cReturn: '69 Mopeds < 2 BrakeHorsePower, pedal-activated motor|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|5.00|6.25|6.25|6.25|2|19.10|6.75|2|1|69|69'\n\t }] // FS320.08(1)b\n\t}, {\n\t cName: 'TRAILERS - Flat Fee Types',\n\t oSubMenu: [{\n\t cName: '52 Trailers Private Use 500 lbs or less',\n\t cReturn: '52 Trailers Private Use 500 lbs or less|6.75|6.75|6.75|6.75|6.75|6.75|6.75|6.75|6.75|6.75|6.75|6.75|13.50|13.50|13.50|2|18.35|6.75|2|1|52|52'\n\t }, // FS320.08(7)a\n\t {\n\t cName: \"53 Trailers Private Use over 500 lbs, see 'Trailers > 500 & Buses' listing\",\n\t bEnabled: false,\n\t cReturn: '0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|53'\n\t }, {\n\t cName: '56 Trailer (Semi-Trailer) drawn only by GVW Series truck tractors on 5th wheel, any weight',\n\t cReturn: '56 Trailer (Semi-Trailer) drawn only by GVW Series truck tractors on 5th wheel, any weight|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|27.00|27.00|27.00|1|2|13.50|2|2|56|56'\n\t }, // FS320.08(5)a1 DONE\n\t {\n\t cName: '62 Camp trailers, constructed with folding walls',\n\t cReturn: '62 Camp trailers, constructed with folding walls|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|13.50|27.00|27.00|27.00|1|25.10|13.50|2|3|62|62'\n\t }, // FS320.08(9)b\n\t {\n\t cName: '76 Park Trailer, any length, License plate(TT-PT), not affixed to property',\n\t cReturn: '76 Park Trailer, any length, License Plate(TT-PT), not affixed to property|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|4|36.60|25.00|2|2|0|76'\n\t }, // FS320.08(10)a\n\t {\n\t cName: '77 Travel Trailer, (includes 5th wheel), up to 35 ft. (TT-TV)',\n\t cReturn: '77 Travel Trailer,(includes 5th wheel), up to 35 ft. (TT-TV)|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|27.00|54.00|54.00|54.00|1|38.60|27.00|2|3|77|77'\n\t }, // FS320.08(9)a\n\t {\n\t cName: '78 Travel Trailers over 35, License plate, not affixed to property',\n\t cReturn: '78 Travel Trailers over 35, License Plate, not affixed to property|6.25|6.25|6.25|12.50|12.50|12.50|25.00|25.00|25.00|25.00|25.00|25.00|31.25|31.25|31.25|1|36.60|25.00|2|2|0|78'\n\t }, // FS320.08(10)b\n\t {\n\t cName: '91 Antique Military Trailer',\n\t cReturn: '91 Antique Military Trailer|5.00|5.00|5.00|5.00|5.00|5.13|5.98|6.83|7.69|8.54|9.40|10.25|11.10|11.96|12.81|1|23.35|10.25|2|2|91|91'\n\t }, // FS320.08(3)e\n\t {\n\t cName: '103 Permanent Semi-Trailer (drawn only by GVW Series truck tractors on 5th wheel, any weight)',\n\t cReturn: '103 Permanent Semi-Trailer (drawn only by GVW Series truck tractors on 5th wheel, any weight)|68.00|68.00|68.00|68.00|68.00|68.00|68.00|68.00|68.00|68.00|68.00|68.00|136.00|136.00|136.00|1|2|68.00|2|2|103|103'\n\t }] // FS320.08(5)a1\n\t}, {\n\t cName: 'OTHER VEHICLE TYPES',\n\t oSubMenu: [{\n\t cName: '70 Transporter Plate',\n\t cReturn: '70 Transporter Plate|101.25|101.25|101.25|101.25|101.25|101.25|101.25|101.25|101.25|101.25|101.25|101.25|202.50|202.50|202.50|2|2|101.25|2|2|70|70'\n\t }, // FS320.08(15)\n\t\n\t // Check dealer plates - 27.00 fees\n\t {\n\t cName: '71 Dealer Type Plates (VI, VF, MC, & Trailer Coach) +$27 Use Tax',\n\t cReturn: '71 Dealer Type Plates (VI, VF, MC, & Trailer Coach) +$27 Use Tax|5.00|5.00|5.00|8.50|8.50|8.50|17.00|17.00|17.00|17.00|178.00|17.00|21.25|21.25|21.25|2|2|17.00|2|2|71|71'\n\t }, // FS320.08(12) DONE //27 calculated by _class in SVCfee()\n\t {\n\t cName: '74 Dealer Type Plates (Marine Boat Trailer) +$27 Use Tax',\n\t cReturn: '74 Dealer Type Plates (Marine Boat Trailer) +$27 Use Tax|5.00|5.00|5.00|8.50|8.50|8.50|17.00|17.00|17.00|17.00|178.00|17.00|21.25|21.25|21.25|2|2|17.00|2|2|74|74'\n\t }, // FS320.08(12) DONE\n\t\n\t // check _class 92\n\t {\n\t cName: '92 Hearses, Ambulances',\n\t cReturn: '92 Hearses, Ambulances|10.13|10.13|10.13|20.25|20.25|20.25|40.50|40.50|40.50|40.50|40.50|40.50|50.63|50.63|50.63|1|2|40.50|2|2|92|92'\n\t }, // FS320.08(5)2c & // FS320.08(5)f DONE\n\t {\n\t cName: '92 School Buses, exclusive transport pupils in home county (not _class 96)',\n\t cReturn: '92 School Buses, exclusive transport pupils in home county (not _class 96)|10.25|10.25|10.25|20.50|20.50|20.50|41.00|41.00|41.00|41.00|41.00|41.00|51.25|51.25|51.25|1|2|40.50|2|2|92|92'\n\t }, // FS320.08(5)2c & // FS320.08(5)f DONE\n\t {\n\t cName: '92 Wreckers (restricted use, disabled,recovered,impounded,replacement)',\n\t cReturn: '92 Wreckers (restricted use, disabled, recovered, impounded, replacement)|10.25|10.25|10.25|20.50|20.50|20.50|41.00|41.00|41.00|41.00|41.00|41.00|51.25|51.25|51.25|1|2|41.00|2|2|92|92'\n\t }, // FS320.08(5)d DONE\n\t\n\t {\n\t cName: '41 Wreckers NOT restricted use, Any tow, see Heavy Truck listing',\n\t bEnabled: false,\n\t cReturn: '0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|0|41'\n\t }, {\n\t cName: '94 TractorCranes, PowerShovels, Well Drillers, Tools with no hauling allowed. Restricted use, cannot carry a load or haul a trailer',\n\t cReturn: '94 TractorCranes, PowerShovels, Well Drillers, Tools with no hauling allowed. Restricted use, cannot carry a load or haul a trailer|11.00|11.00|11.00|22.00|22.00|22.00|44.00|44.00|44.00|44.00|44.00|44.00|55.00|55.00|55.00|1|2|44.00|2|2|94|94'\n\t }, // FS320.08(5)b\n\t {\n\t cName: '37 Exempt Disabled Veteran License Plate',\n\t cReturn: '37 Exempt Disabled Veteran License Plate|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|1|4.00|0.00|2|2|37|37'\n\t }, // FS320.08(4)\n\t {\n\t cName: '85 Exempt Disabled Veteran Wheelchair License Plate',\n\t cReturn: '85 Exempt Disabled Veteran Wheelchair License Plate|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|1|4.00|0.00|2|2|85|85'\n\t }, // FS320.08(4)\n\t {\n\t cName: '96 Boy Scouts, Churches, other specific non-profit',\n\t cReturn: '96 Boy Scouts, Churches, other specific non-profit|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|1|2|3.00|2|2|96|96'\n\t }, // FS320.08(13) or // FS320.10(1)a ?\n\t {\n\t cName: '97 Exempt Government Vehicle License Plates',\n\t cReturn: '97 Exempt Government Vehicle License Plates|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|3.00|6.00|6.00|6.00|1|2|3.00|2|2|97|97'\n\t }] // FS320.08(13), FS320.08(5)b or FS320.08(13) ?\n\t}];\n\t\n\tmodule.exports = motorVehicles;\n\n/***/ },\n/* 316 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar osTitles = [{\n\t cName: 'APPLICATION FOR FLORIDA TITLE with OUT-OF-STATE TITLE',\n\t oSubMenu: [{\n\t cName: 'VEHICLE, Private Use, OUT-OF-STATE application for Florida title',\n\t cReturn: 'VEHICLE, Private Use, OUT-OF-STATE application for Florida title|85.25|1'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Auto (not Pickup or Truck), OUT-OF-STATE APPLICATION FOR FLORIDA TITLE',\n\t cReturn: 'VEHICLE, OUT-OF-STATE application for Florida title, Lease or For Hire, Auto|64.25|6'\n\t }, {\n\t cName: 'VEHICLE, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc), OUT-OF-STATE APPLICATION FOR FLORIDA TITLE',\n\t cReturn: 'VEHICLE, OUT-OF-STATE application for Florida title, Lease or For Hire, Not Auto, (includes Pickup, Truck, Motorcycles, etc)|85.25|1'\n\t }, {\n\t cName: 'MOBILE HOME, Private or Lease, OUT-OF-STATE APPLICATION FOR FLORIDA TITLE,',\n\t cReturn: 'MOBILE HOME, OUT-OF-STATE application for Florida title|85.25|4'\n\t }, {\n\t cName: 'VESSEL, OUT-OF-STATE APPLICATION FOR FLORIDA TITLE,',\n\t cReturn: 'VESSEL, OUT-OF-STATE application for Florida title|9.25|5'\n\t }, {\n\t cName: 'OFF-HIGHWAY VEHICLE, OUT-OF-STATE APPLICATION FOR FLORIDA TITLE, with title decal',\n\t cReturn: 'OFF-HIGHWAY VEHICLE, OUT-OF-STATE application for Florida title, with title decal|42.50|7'\n\t }, {\n\t cName: 'TRAILER < 1999 lbs - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Trailer < 1999 lbs - No Title required|0.00|2'\n\t }, {\n\t cName: 'Moped - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Moped - No Title required| 0.00|2'\n\t },\n\t /* {\n\t cName: 'Motorcycle < 2 BHP and 50 CC - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorcycle < 2 BHP and 50 CC - No Title required|0.00|2',\n\t }, */\n\t {\n\t cName: 'Motorized Bicycle - No Title required',\n\t bEnabled: false,\n\t cReturn: 'Motorized Bicycle - No Title required|0.00|2'\n\t }]\n\t}, // Repossession\n\t{\n\t cName: 'REPOSSESSION BY LIENHOLDER, OUT-OF-STATE TITLE',\n\t oSubMenu: [{\n\t cName: 'REPOSSESSION BY LIENHOLDER (TITLE)',\n\t cReturn: 'Repossession, (Title), OUT-OF-STATE TITLE|85.25|8'\n\t }, {\n\t cName: 'REPOSSESSION BY LIENHOLDER (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Repossession, (Certificate of Repossession), OUT-OF-STATE TITLE|85.25|8|0|2'\n\t }, {\n\t cName: 'REPOSSESSION BY LIENHOLDER, FOR HIRE, (TITLE)',\n\t cReturn: 'Repossession, FOR HIRE, (Title), OUT-OF-STATE TITLE|64.25|8'\n\t }, {\n\t cName: 'REPOSSESSION BY LIENHOLDER, FOR HIRE, (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Repossession, FOR HIRE, (Certificate of Repossession), OUT-OF-STATE TITLE|64.25|8|0|2'\n\t }, {\n\t cName: 'VESSEL REPOSSESSION BY LIENHOLDER (TITLE)',\n\t cReturn: 'Vessel repossession (Title), OUT-OF-STATE TITLE|9.25|5'\n\t }, {\n\t cName: 'VESSEL REPOSSESSION BY LIENHOLDER (CERTIFICATE OF REPOSSESSION)',\n\t cReturn: 'Vessel repossession (Certificate of Repossession), OUT-OF-STATE TITLE|9.25|5|0|2'\n\t }, {\n\t cName: 'REASSIGNMENT PLUS REPOSSESSION BY LIENHOLDER',\n\t cReturn: 'Reassignment plus repossession by lienholder, OUT-OF-STATE TITLE|88.25|8'\n\t }] //TITLE FEE AND ADD3.00.\n\t}, // Salvage\n\t{\n\t cName: 'SALVAGE APPLICATION, OUT-OF-STATE TITLE',\n\t oSubMenu: [{\n\t cName: 'SALVAGE TITLE APPLICATION',\n\t cReturn: 'SALVAGE title application, OUT-OF-STATE TITLE|17.25|8'\n\t }]\n\t}, {\n\t cName: 'REBUILT APPLICATION, OUT-OF-STATE TITLE',\n\t oSubMenu: [{\n\t cName: 'REBUILT VEHICLE, Private Use',\n\t cReturn: 'REBUILT VEHICLE, Private Use, OUT-OF-STATE TITLE (includes $40 inspection fee)|125.25|1'\n\t }, {\n\t cName: 'REBUILT VEHICLE, FOR HIRE',\n\t cReturn: 'REBUILT VEHICLE, FOR HIRE, OUT-OF-STATE TITLE (includes $40 inspection fee)|104.25|2'\n\t }]\n\t}, {\n\t cName: 'CERTIFICATE OF DESTRUCTION, OUT-OF-STATE',\n\t oSubMenu: [{\n\t cName: 'CERTIFICATE OF DESTRUCTION',\n\t cReturn: 'CERTIFICATE OF DESTRUCTION, OUT-OF-STATE|17.25|8|0|2'\n\t }]\n\t}];\n\t\n\tmodule.exports = osTitles;\n\n/***/ },\n/* 317 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar parkPlacards = [['Permanent Parking Placard (No Fee)', 'Permanent Parking Placard|0'], ['Additional 2nd Permanent Parking Placard (No Fee)', 'Additional 2nd Permanent Parking Placard|0'], ['Replacement Permanent Parking Placard (No Fee)', 'Replacement Permanent Parking Placard|0'], ['Duplicate Registration for Permanent Parking Placard (No Fee)', 'Duplicate Registration for Permanent Parking Placard|0'], ['Temporary Parking Placard', 'Temporary Parking Placard|15.00'], ['Subsequent Temporary Parking Placard (issued within 12 months of prior fee payment) (No Fee)', 'Subsequent Temporary Parking Placard|0'], ['Duplicate Registration for Temporary Parking Placard', 'Duplicate Registration for Temporary Parking Placard|1.50'], ['Lost-in-Transit Permanent or Temporary Parking Placard (No Fee)', 'Lost-in-Transit Permanent or Temporary Parking Placard|0']];\n\t\n\texports.default = parkPlacards;\n\n/***/ },\n/* 318 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\t// Begin Specialty List ; with license plate codes and additional fees to issue plate//\n\t// F.S. 320.08056 and 320.08058\n\t// --- Environmental / Wildlife //(count 23)\n\tvar ANR = 'Animal Friend,ANR,ANP,$30';\n\tvar ABR = 'America The Beautiful,ABR,ABP,$30';\n\tvar QCR = 'Aquaculture,QCR,QCP,$30';\n\tvar B4R = 'Bonefish & Tarpon Trust,B4R,B4P,$30';\n\tvar CWR = 'Conserve Wildlife,CWR,CWP,$30';\n\tvar C0R = 'Coastal Conservation Assn,C0R,C0P,$30';\n\tvar DFR = 'Discover Florida Oceans,DFR,DFP,$30';\n\tvar ERR = 'Everglades River of Grass,ERR,ERP,$25';\n\tvar EOR = 'Explore Off Road,EOR,EOP,$30';\n\tvar P1R = 'Explore Our State Parks,P1R,P1P,$30';\n\tvar FVR = 'Fish Florida,FVR,FVP,$27';\n\tvar FBR = 'Florida Biodiversity - Save Wild Florida,FBR,FBP,$30';\n\tvar INR = 'Indian River Lagoon,INR,INP,$20';\n\tvar LBR = 'Largemouth Bass,LBR,LBP,$30';\n\tvar VLR = 'Protect the Panther,VLR,VLP,$30';\n\tvar PFR = 'Protect Florida Springs,PFR,PFP,$30';\n\tvar WHR = 'Protect Florida Whales,WHR,WHP,$30';\n\tvar PIR = 'Protect Marine Wildlife,PIR,PIP,$30';\n\tvar PNR = 'Protect Our Oceans,PNR,PNP,$30'; // formerly Catch Me; Release Me\n\tvar POR = 'Protect Our Reefs,POR,POP,$30';\n\tvar PWR = 'Protect Wild Dolphins,PWR,PWP,$25';\n\tvar SZR = 'Save Our Seas,SZR,SZP,$30';\n\tvar MTR = 'Save the Manatee,MTR,MTP,$30';\n\tvar STR = 'Sea Turtle,STR,STP,$28';\n\tvar FFR = 'State Wildflower,FFR,FFP,$20';\n\tvar SWR = 'Support Scenic Walton,SWR,SWP,$30';\n\tvar TAR = 'Tampa Bay Estuary,TAR,TAP,$20';\n\tvar TCR = 'Trees are Cool,TCR,TCP,$30';\n\tvar WLR = 'Wildlife Foundation of Florida,WLR,WLP,$30'; // formerly Sportsmen's Trust,\n\t// --- Special Interest / Community //(count 25)\n\tvar AER = 'Agricultural Education,AER,AEP,$30';\n\tvar AGR = 'Agriculture,AGR,AGP,$25';\n\tvar BRR = 'Big Brothers Big Sisters,BRR,BRP,$30';\n\tvar CLR = 'Challenger Columbia,CLR,CLP,$30';\n\tvar DXR = 'Ducks Unlimited,DXR,DXP,$30';\n\tvar GAR = 'Dont Tread on Me,GAR,GAP,$30';\n\tvar ESR = 'Endless Summer,ESR,ESP,$30';\n\tvar ARR = 'Florida Arts, ARR,ARP,$25';\n\tvar HFR = 'Florida Horse Park (Discover Florida\\'s Horses),HFR,HFP,$30';\n\tvar SKR = 'Florida Sheriffs Association,SKR,SKP,$30';\n\tvar FYR = 'Florida Sheriffs Youth Ranches,FYR,FYP,$30';\n\tvar TNR = 'Florida Tennis,TNR,TNP,$30';\n\tvar ORR = 'Fraternal Order of Police,ORR,ORP,$30';\n\tvar FQR = 'Free Masonry,FQR,FQP,$30';\n\tvar GOR = 'Golf Capital,GOR,GOP,$30';\n\tvar HAR = 'Homeownership,HAR,HAP,$30';\n\tvar HRR = 'Horse Country,HRR,HRP,$30';\n\tvar IMR = 'Imagine,IMR,IMP,$30'; // (Florida Food Bank)\n\tvar IGR = 'In God We Trust,IGR,IGP,$30';\n\tvar LHR = 'Lighthouse Association - Visit our Lights,LHR,LHP,$30';\n\tvar LDR = 'Live the Dream,LDR,LDP,$30';\n\tvar AHR = 'Police Athletic League,AHR,AHP,$25';\n\tvar SAR = 'Share the Road,SAR,SAP, $20';\n\tvar SPR = 'Special Olympics,SPR,SPP,$20';\n\tvar EER = 'Support Education,EER,EEP,$25';\n\t/* const SYR = 'Support Soccer,SYR,SYP,$30'; */\n\tvar SOR = 'US Olympic,SOR,SOP,$20';\n\tvar WDR = 'Walt Disney World,WDR,WDP,$30';\n\t// --- Special Interest / Health //(count 7)\n\tvar CSR = 'Choose Life,CSR,CSP,$25';\n\tvar CRR = 'End Breast Cancer,CRR,CRP,$30';\n\tvar HOR = 'Hospice,HOR,HOP,$30';\n\tvar MJR = 'Moffitt Cancer Center,MJR,MJP,$25';\n\tvar VIR = 'State of Vision,VIR,VIP,$30';\n\tvar SDR = 'Stop Heart Disease,SDR,SDP,$30';\n\tvar ASR = 'Support Autism Programs,ASR,ASP,$30';\n\t// --- Special Interest / Family / Kids // (count 9)\n\tvar B2R = 'Best Buddies,B2R,B2P,$30';\n\tvar SCR = 'Boy Scouts,SCR,SCP,$25';\n\tvar FJR = 'Family First,FJR,FJP,$30';\n\tvar FUR = 'Family Values,FUR,FUP,$30';\n\tvar CHR = 'Invest in Children,CHR,CHP,$25';\n\tvar KKR = 'Keep Kids Drug Free,KKR,KKP,$30';\n\t/* const KDR = 'Kids deserve Justice,KDR,KDP,$30'; */\n\tvar LKR = 'Lauren\\'s Kids,LKR,LKP,$30';\n\t/* const PMR = 'Parents make a Difference,PMR,PMP,$30'; */\n\tvar CAR = 'Stop Child Abuse, CAR,CAP,$30';\n\t// --- Military (American Heroes) // (count 13)\n\tvar ALR = 'American Legion,ALR,ALP,$30';\n\tvar BAR = 'Blue Angels,BAR,BAP,$30';\n\tvar OFR = 'Fallen Law Enforcement Officers,OFR,OFP,$30';\n\tvar VTR = 'Florida Salutes Veterans,VTR,VTP,$20';\n\tvar SFR = 'Salutes Firefighters,SFR,SFP,$25';\n\tvar PBR = 'Support Law Enforcement,PBR,PBP,$25';\n\tvar TSR = 'Support our Troops,TSR,TSP,$30';\n\tvar WER = 'United We Stand,WER,WEP,$30';\n\tvar AFR = 'US Air Force,AFR,AFP,$20';\n\tvar AYR = 'US Army,AYR,AYP,$20';\n\tvar GUR = 'US Coast Guard,GUR,GUP,$20';\n\tvar UAR = 'US Marine Corps,UAR,UAP,$20';\n\tvar NAR = 'US Navy,NAR,NAP,$20';\n\tvar UPR = 'US Paratrooper,UPR,UPP,$25';\n\t// --- Professional Sports //(count 10)\n\tvar CTR = 'Florida Panthers,CTR,CTP,$30';\n\tvar JJR = 'Jacksonville Jaguars,JJR,JJP,$30';\n\tvar MDR = 'Miami Dolphins,MDR,MDP,$30';\n\tvar MHR = 'Miami Heat,MHR,MHP,$30';\n\tvar MAR = 'Miami Marlins,MAR,MAP,$30';\n\tvar NZR = 'Nascar,NZR,NZP,$30';\n\tvar OLR = 'Orlando City,OLR,OLP,$30';\n\tvar OMR = 'Orlando Magic,OMR,OMP,$30';\n\tvar BBR = 'Tampa Bay Bucs,BBR,BBP,$30';\n\tvar DRR = 'Tampa Bay Rays,DRR,DRP,$30';\n\tvar TBR = 'Tampa Bay Lightning,TBR,TBP,$30';\n\t// --- Collegiate //(count 36)\n\tvar ADR = 'Advent Health University,ADR,ADP,$30';\n\tvar A1R = 'Auburn University,A1R,A1P,$30';\n\tvar AVR = 'Ave Maria University,AVR,AVP,$30';\n\tvar BUR = 'Barry University,BUR,BUP,$30';\n\tvar B0R = 'Beacon College,B0R,B0P,$30';\n\tvar BCR = 'Bethune-Cookman,BCR,BCP,$30';\n\tvar EKR = 'Eckerd College,EKR,EKP,$30';\n\tvar EBR = 'Edward Waters University,EBR,EBP,$30';\n\tvar EMR = 'Embry-Riddle,EMR,EMP,$30';\n\tvar EGR = 'Everglades University,EGR,EGP,$30';\n\tvar F0R = 'Flagler College,F0R,F0P,$30';\n\tvar FMR = 'Florida A&M,FMR,FMP,$30';\n\tvar FAR = 'Florida Atlantic,FAR,FAP,$30';\n\tvar F8R = 'Florida College,F8R,F8P,$30';\n\tvar FGR = 'Florida Gulf Coast,FGR,FGP,$30';\n\tvar FHR = 'Florida Hospital University,FHR,FHP,$30';\n\tvar F2R = 'Florida Institute of Technology,F2R,F2P,$30';\n\tvar FIR = 'Florida International University,FIR,FIP,$30';\n\tvar F3R = 'Florida Memorial,F3R,F3P,$30,';\n\tvar F6R = 'Florida Southern,F6R,F6P,$30';\n\tvar FSR = 'Florida State University,FSR,FSP,$30';\n\tvar HUR = 'Hodges University,HUR,HUP,$30';\n\tvar JAR = 'Jacksonville University,JAR,JAP,$30';\n\tvar KER = 'Keiser University,KER,KEP,$30';\n\tvar LYR = 'Lynn University,LYR,LYP,$30';\n\tvar NWR = 'New College,NWR,NWP,$30';\n\tvar NOR = 'Nova Southeastern University,NOR,NOP,$30';\n\tvar PDR = 'Palm Beach Atlantic University,PDR,PDP,$30';\n\tvar RIR = 'Ringling School,RIR,RIP,$30';\n\tvar R0R = 'Rollins College,R0R,R0P,$30';\n\tvar S0R = 'Saint Leo University,S0R,S0P,$30';\n\tvar S2R = 'Saint Thomas University,S2R,S2P,$30';\n\tvar S4R = 'Southeastern University,S4R,S4P,$30';\n\tvar S3R = 'Stetson University,S3R,S3P,$30';\n\tvar UCR = 'University of Central Florida,UCR,UCP,$30';\n\tvar UFR = 'University of Florida,UFR,UFP,$30';\n\tvar UGR = 'University of Georgia,UGR,UGP,$30';\n\tvar UMR = 'University of Miami,UMR,UMP,$30';\n\tvar UNR = 'University of North Florida,UNR,UNP,$30';\n\tvar USR = 'University of South Florida,USR,USP,$30';\n\tvar U0R = 'University of Tampa,U0R,U0P,$30';\n\tvar UWR = 'University of West Florida,UWR,UWP,$30';\n\tvar WUR = 'Warner University,WUR,WUP,$30';\n\tvar WIR = 'Webber International University,WIR,WIP,$30';\n\t\n\t// --- Motorcyle // (count 2)\n\tvar RBR = 'Motorcycle Blue Angels,RBR,RBP,$30';\n\tvar MYR = 'Motorcycle Specialty,MYR,MYP,$22';\n\tvar MUR = 'Motorcycle Underage,MUR MUP,$0';\n\t\n\t// No longer issued\n\t// const SBR Superbowl no longer issued 12/31/92\n\t// const GSR Girl Scouts no longer issued 1/15/02\n\t// const QUR Quincentennial no longer issued 12/31/93\n\t// const MOR Miami Hooters no longer issued 12/31/97\n\t// const OPR Orlando Predators no longer issued 1/15/02\n\t// const BSR Tampa Bay Storm no longer issued 1/15/02\n\t// const CFR Corrections Foundation no longer issued 12/01/09\n\t// const CCR = \"Clearwater Christian College,CCR,CCP,$30\"; no longer issued 05/06/2017\n\t// const RXR = \"American Red Cross,RXR,RXP,$30\"; no longer issued 05/06/2017\n\t// const DOR = \"Donate Organs,DOR,DOP,$30\"; no longer issued 05/06/2017\n\t\n\t// Presale Only\n\t// const SJR = \"PRESALE ONLY - St.John's River,SJR,SJP,$30\"; // PRESALE ONLY --\n\t// const HVR = \"PRESALE ONLY - Hispanic Achievers,HVR,HVP,$30\"; // PRESALE ONLY --\n\t\n\t// total 126 plates\n\t// need 128\n\t// END Specialty List\n\t\n\t// note fees shown adjusted for additional fees,but calculation uses old fee schedule codes\n\t\n\tvar specialityPlates = [{\n\t cName: 'Environmental / Wildlife',\n\t oSubMenu: [{\n\t cName: '' + ANR,\n\t cReturn: ANR + '|27.00'\n\t }, {\n\t cName: '' + ABR,\n\t cReturn: ABR + '|27.00'\n\t }, {\n\t cName: '' + QCR,\n\t cReturn: QCR + '|27.00'\n\t }, {\n\t cName: '' + B4R,\n\t cReturn: B4R + '|27.00'\n\t }, {\n\t cName: '' + CWR,\n\t cReturn: CWR + '|27.00'\n\t }, {\n\t cName: '' + C0R,\n\t cReturn: C0R + '|27.00'\n\t }, {\n\t cName: '' + DFR,\n\t cReturn: DFR + '|27.00'\n\t }, {\n\t cName: '' + ERR,\n\t cReturn: ERR + '|22.00'\n\t }, {\n\t cName: '' + EOR,\n\t cReturn: EOR + '|27.00'\n\t }, {\n\t cName: '' + P1R,\n\t cReturn: P1R + '|27.00'\n\t }, {\n\t cName: '' + FVR,\n\t cReturn: FVR + '|24.00'\n\t }, {\n\t cName: '' + FBR,\n\t cReturn: FBR + '|27.00'\n\t }, {\n\t cName: '' + INR,\n\t cReturn: INR + '|17.00'\n\t }, {\n\t cName: '' + LBR,\n\t cReturn: LBR + '|27.00'\n\t }, {\n\t cName: '' + VLR,\n\t cReturn: VLR + '|27.00'\n\t }, {\n\t cName: '' + PFR,\n\t cReturn: PFR + '|27.00'\n\t }, {\n\t cName: '' + WHR,\n\t cReturn: WHR + '|27.00'\n\t }, {\n\t cName: '' + PIR,\n\t cReturn: PIR + '|27.00'\n\t }, {\n\t cName: '' + PNR,\n\t cReturn: PNR + '|27.00'\n\t }, {\n\t cName: '' + POR,\n\t cReturn: POR + '|27.00'\n\t }, {\n\t cName: '' + PWR,\n\t cReturn: PWR + '|22.00'\n\t }, {\n\t cName: '' + SZR,\n\t cReturn: SZR + '|27.00'\n\t }, {\n\t cName: '' + MTR,\n\t cReturn: MTR + '|27.00'\n\t },\n\t // {cName:\"\"+SJR+\"\",bEnabled: false,cReturn:\"\"+SJR+\"|\"},\n\t {\n\t cName: '' + STR,\n\t cReturn: STR + '|25.00'\n\t }, {\n\t cName: '' + FFR,\n\t cReturn: FFR + '|17.00'\n\t }, {\n\t cName: '' + SWR,\n\t cReturn: SWR + '|27.00'\n\t }, {\n\t cName: '' + TAR,\n\t cReturn: TAR + '|17.00'\n\t }, {\n\t cName: '' + TCR,\n\t cReturn: TCR + '|27.00'\n\t }, {\n\t cName: '' + WLR,\n\t cReturn: WLR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 23)\n\t}, {\n\t cName: 'Community Interest',\n\t oSubMenu: [{\n\t cName: '' + AER,\n\t cReturn: AER + '|27.00'\n\t }, {\n\t cName: '' + AGR,\n\t cReturn: AGR + '|22.00'\n\t }, {\n\t cName: '' + BRR,\n\t cReturn: BRR + '|27.00'\n\t }, {\n\t cName: '' + CLR,\n\t cReturn: CLR + '|27.00'\n\t }, {\n\t cName: '' + DXR,\n\t cReturn: DXR + '|27.00'\n\t }, {\n\t cName: '' + GAR,\n\t cReturn: GAR + '|27.00'\n\t }, {\n\t cName: '' + ESR,\n\t cReturn: ESR + '|27.00'\n\t }, {\n\t cName: '' + ARR,\n\t cReturn: ARR + '|22.00'\n\t }, {\n\t cName: '' + HFR,\n\t cReturn: HFR + '|27.00'\n\t }, {\n\t cName: '' + SKR,\n\t cReturn: SKR + '|27.00'\n\t }, {\n\t cName: '' + FYR,\n\t cReturn: FYR + '|27.00'\n\t }, {\n\t cName: '' + TNR,\n\t cReturn: TNR + '|27.00'\n\t }, {\n\t cName: '' + ORR,\n\t cReturn: ORR + '|27.00'\n\t }, {\n\t cName: '' + FQR,\n\t cReturn: FQR + '|27.00'\n\t }, {\n\t cName: '' + GOR,\n\t cReturn: GOR + '|27.00'\n\t },\n\t // {cName:\"\"+HVR+\"\",bEnabled: false,cReturn:\"\"+HVR+\"|\"},\n\t {\n\t cName: '' + HAR,\n\t cReturn: HAR + '|27.00'\n\t }, {\n\t cName: '' + HRR,\n\t cReturn: HRR + '|27.00'\n\t }, {\n\t cName: '' + IMR,\n\t cReturn: IMR + '|27.00'\n\t }, {\n\t cName: '' + IGR,\n\t cReturn: IGR + '|27.00'\n\t }, {\n\t cName: '' + LHR,\n\t cReturn: LHR + '|27.00'\n\t }, {\n\t cName: '' + LDR,\n\t cReturn: LDR + '|27.00'\n\t }, {\n\t cName: '' + AHR,\n\t cReturn: AHR + '|22.00'\n\t }, {\n\t cName: '' + SAR,\n\t cReturn: SAR + '|17.00'\n\t }, {\n\t cName: '' + SPR,\n\t cReturn: SPR + '|17.00'\n\t }, {\n\t cName: '' + EER,\n\t cReturn: EER + '|22.00'\n\t },\n\t /* {\n\t cName: `${SYR}`,\n\t cReturn: `${SYR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + SOR,\n\t cReturn: SOR + '|17.00'\n\t }, {\n\t cName: '' + WDR,\n\t cReturn: WDR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 25)\n\t}, {\n\t cName: 'Health Interest',\n\t oSubMenu: [/* {\n\t cName: `${RXR}`,\n\t cReturn: `${RXR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + CSR,\n\t cReturn: CSR + '|22.00'\n\t },\n\t /* {\n\t cName: `${DOR}`,\n\t cReturn: `${DOR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + CRR,\n\t cReturn: CRR + '|27.00'\n\t }, {\n\t cName: '' + HOR,\n\t cReturn: HOR + '|27.00'\n\t }, {\n\t cName: '' + MJR,\n\t cReturn: MJR + '|27.00'\n\t }, {\n\t cName: '' + VIR,\n\t cReturn: VIR + '|27.00'\n\t }, {\n\t cName: '' + SDR,\n\t cReturn: SDR + '|27.00'\n\t }, {\n\t cName: '' + ASR,\n\t cReturn: ASR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 7)\n\t}, {\n\t cName: 'Family / Kids',\n\t oSubMenu: [{\n\t cName: '' + B2R,\n\t cReturn: B2R + '|27.00'\n\t }, {\n\t cName: '' + SCR,\n\t cReturn: SCR + '|22.00'\n\t }, {\n\t cName: '' + FJR,\n\t cReturn: FJR + '|27.00'\n\t }, {\n\t cName: '' + FUR,\n\t cReturn: FUR + '|27.00'\n\t }, {\n\t cName: '' + CHR,\n\t cReturn: CHR + '|22.00'\n\t }, {\n\t cName: '' + KKR,\n\t cReturn: KKR + '|27.00'\n\t },\n\t /* {\n\t cName: `${KDR}`,\n\t cReturn: `${KDR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + LKR,\n\t cReturn: LKR + '|27.00'\n\t },\n\t /* {\n\t cName: `${PMR}`,\n\t cReturn: `${PMR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + CAR,\n\t cReturn: CAR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 9)\n\t}, {\n\t cName: 'American Heroes',\n\t oSubMenu: [{\n\t cName: '' + ALR,\n\t cReturn: ALR + '|27.00'\n\t }, {\n\t cName: '' + BAR,\n\t cReturn: BAR + '|27.00'\n\t }, {\n\t cName: '' + OFR,\n\t cReturn: OFR + '|27.00'\n\t }, {\n\t cName: '' + VTR,\n\t cReturn: VTR + '|17.00'\n\t }, {\n\t cName: '' + SFR,\n\t cReturn: SFR + '|22.00'\n\t }, {\n\t cName: '' + PBR,\n\t cReturn: PBR + '|22.00'\n\t }, {\n\t cName: '' + TSR,\n\t cReturn: TSR + '|27.00'\n\t }, {\n\t cName: '' + WER,\n\t cReturn: WER + '|27.00'\n\t }, {\n\t cName: '' + AFR,\n\t cReturn: AFR + '|17.00'\n\t }, {\n\t cName: '' + AYR,\n\t cReturn: AYR + '|17.00'\n\t }, {\n\t cName: '' + GUR,\n\t cReturn: GUR + '|17.00'\n\t }, {\n\t cName: '' + UAR,\n\t cReturn: UAR + '|17.00'\n\t }, {\n\t cName: '' + NAR,\n\t cReturn: NAR + '|17.00'\n\t }, {\n\t cName: '' + UPR,\n\t cReturn: UPR + '|22.00|2'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 13)\n\t}, {\n\t cName: 'Professional Sports',\n\t oSubMenu: [{\n\t cName: '' + CTR,\n\t cReturn: CTR + '|27.00'\n\t }, {\n\t cName: '' + JJR,\n\t cReturn: JJR + '|27.00'\n\t }, {\n\t cName: '' + MDR,\n\t cReturn: MDR + '|27.00'\n\t }, {\n\t cName: '' + MHR,\n\t cReturn: MHR + '|27.00'\n\t }, {\n\t cName: '' + MAR,\n\t cReturn: MAR + '|27.00'\n\t }, {\n\t cName: '' + NZR,\n\t cReturn: NZR + '|27.00'\n\t }, {\n\t cName: '' + OLR,\n\t cReturn: OLR + '|27.00'\n\t }, {\n\t cName: '' + OMR,\n\t cReturn: OMR + '|27.00'\n\t }, {\n\t cName: '' + BBR,\n\t cReturn: BBR + '|27.00'\n\t }, {\n\t cName: '' + DRR,\n\t cReturn: DRR + '|27.00'\n\t }, {\n\t cName: '' + TBR,\n\t cReturn: TBR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 10)\n\t}, {\n\t cName: 'Collegiate',\n\t oSubMenu: [{\n\t cName: '' + ADR,\n\t cReturn: ADR + '|27.00'\n\t }, {\n\t cName: '' + A1R,\n\t cReturn: A1R + '|27.00'\n\t }, {\n\t cName: '' + AVR,\n\t cReturn: AVR + '|27.00'\n\t }, {\n\t cName: '' + BUR,\n\t cReturn: BUR + '|27.00'\n\t }, {\n\t cName: '' + B0R,\n\t cReturn: B0R + '|27.00'\n\t }, {\n\t cName: '' + BCR,\n\t cReturn: BCR + '|27.00'\n\t },\n\t /* {\n\t cName: `${CCR}`,\n\t cReturn: `${CCR}|27.00`,\n\t }, */\n\t {\n\t cName: '' + EKR,\n\t cReturn: EKR + '|27.00'\n\t }, {\n\t cName: '' + EBR,\n\t cReturn: EBR + '|27.00'\n\t }, {\n\t cName: '' + EMR,\n\t cReturn: EMR + '|27.00'\n\t }, {\n\t cName: '' + EGR,\n\t cReturn: EGR + '|27.00'\n\t }, {\n\t cName: '' + F0R,\n\t cReturn: F0R + '|27.00'\n\t }, {\n\t cName: '' + FMR,\n\t cReturn: FMR + '|27.00'\n\t }, {\n\t cName: '' + FAR,\n\t cReturn: FAR + '|27.00'\n\t }, {\n\t cName: '' + F8R,\n\t cReturn: F8R + '|27.00'\n\t }, {\n\t cName: '' + FGR,\n\t cReturn: FGR + '|27.00'\n\t }, {\n\t cName: '' + FHR,\n\t cReturn: FHR + '|27.00'\n\t }, {\n\t cName: '' + F2R,\n\t cReturn: F2R + '|27.00'\n\t }, {\n\t cName: '' + FIR,\n\t cReturn: FIR + '|27.00'\n\t }, {\n\t cName: '' + F3R,\n\t cReturn: F3R + '|27.00'\n\t }, {\n\t cName: '' + F6R,\n\t cReturn: F6R + '|27.00'\n\t }, {\n\t cName: '' + FSR,\n\t cReturn: FSR + '|27.00'\n\t }, {\n\t cName: '' + HUR,\n\t cReturn: HUR + '|27.00'\n\t }, {\n\t cName: '' + JAR,\n\t cReturn: JAR + '|27.00'\n\t }, {\n\t cName: '' + KER,\n\t cReturn: KER + '|27.00'\n\t }, {\n\t cName: '' + LYR,\n\t cReturn: LYR + '|27.00'\n\t }, {\n\t cName: '' + NWR,\n\t cReturn: NWR + '|27.00'\n\t }, {\n\t cName: '' + NOR,\n\t cReturn: NOR + '|27.00'\n\t }, {\n\t cName: '' + PDR,\n\t cReturn: PDR + '|27.00'\n\t }, {\n\t cName: '' + RIR,\n\t cReturn: RIR + '|27.00'\n\t }, {\n\t cName: '' + R0R,\n\t cReturn: R0R + '|27.00'\n\t }, {\n\t cName: '' + S0R,\n\t cReturn: S0R + '|27.00'\n\t }, {\n\t cName: '' + S2R,\n\t cReturn: S2R + '|27.00'\n\t }, {\n\t cName: '' + S4R,\n\t cReturn: S4R + '|27.00'\n\t }, {\n\t cName: '' + S3R,\n\t cReturn: S3R + '|27.00'\n\t }, {\n\t cName: '' + UCR,\n\t cReturn: UCR + '|27.00'\n\t }, {\n\t cName: '' + UFR,\n\t cReturn: UFR + '|27.00'\n\t }, {\n\t cName: '' + UGR,\n\t cReturn: UGR + '|27.00'\n\t }, {\n\t cName: '' + UMR,\n\t cReturn: UMR + '|27.00'\n\t }, {\n\t cName: '' + UNR,\n\t cReturn: UNR + '|27.00'\n\t }, {\n\t cName: '' + USR,\n\t cReturn: USR + '|27.00'\n\t }, {\n\t cName: '' + U0R,\n\t cReturn: U0R + '|27.00'\n\t }, {\n\t cName: '' + UWR,\n\t cReturn: UWR + '|27.00'\n\t }, {\n\t cName: '' + WUR,\n\t cReturn: WUR + '|27.00'\n\t }, {\n\t cName: '' + WIR,\n\t cReturn: WIR + '|27.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 35)\n\t}, {\n\t cName: 'Motorcyle',\n\t oSubMenu: [{\n\t cName: '' + RBR,\n\t cReturn: RBR + '|27.00'\n\t }, {\n\t cName: '' + MYR,\n\t cReturn: MYR + '|19.00'\n\t }, {\n\t cName: '' + MUR,\n\t cReturn: MUR + '|0.00'\n\t }, {\n\t cName: '-'\n\t }]\n\t //(count 2)\n\t //total plate count 121\n\t}];\n\t\n\tmodule.exports = specialityPlates;\n\n/***/ },\n/* 319 */\n/***/ function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t/* eslint quotes:0 */\n\tvar lengthLimits = {\n\t // ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ //\n\t // TODO: All of these entries below need to be updated to reflect the\n\t // actual PIPE description `r0` (not the dropdown label), otherwise, we\n\t // can't use them to look anything up.\n\t // ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ //\n\t /*\n\t \"56 Trailer (Semi-Trailer) drawn only by GVW Series truck tractors on 5th wheel, any weight\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"62 Camp trailers, constructed with folding walls\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"77 Travel Trailer, up to 35 ft.\": {\n\t min: 0,\n\t max: 35,\n\t },\n\t \"78 Travel Trailers over 35, License plate, not affixed to property\": {\n\t min: 36,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"51 HS up to 35' length\": {\n\t min: 0,\n\t max: 35,\n\t },\n\t \"51 HS over 35' thru 40' length\": {\n\t min: 36,\n\t max: 40,\n\t },\n\t \"51 HS over 40' thru 45' length\": {\n\t min: 41,\n\t max: 45,\n\t },\n\t \"51 HS over 45' thru 50' length\": {\n\t min: 46,\n\t max: 50,\n\t },\n\t \"51 HS over 50' thru 55' length\": {\n\t min: 51,\n\t max: 55,\n\t },\n\t \"51 HS over 55' thru 60' length\": {\n\t min: 56,\n\t max: 60,\n\t },\n\t \"51 HS over 60' thru 65' length\": {\n\t min: 61,\n\t max: 65,\n\t },\n\t \"51 HS over 65' length\": {\n\t min: 66,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"50 Non-Resident Military HS, any length\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"76 Park Trailers, all lengths\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"78 Travel Trailers over 35 (MH-TV), HS decal,affixed to property\": {\n\t min: 36,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"76 Park Trailers (MH-PT), all lengths\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"86 (37) Real Property, HS, MH-TV, MH-PT, any length\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"100 Vessel, 1 to 11 feet in length and all canoes with motor\": {\n\t min: 1,\n\t max: 11,\n\t },\n\t \"100 Vessel 12 to 15 feet in length\": {\n\t min: 12,\n\t max: 15,\n\t },\n\t \"100 Vessel, 16 to 25 feet in length\": {\n\t min: 16,\n\t max: 25,\n\t },\n\t \"100 Vessel, 26 to 39 feet in length\": {\n\t min: 26,\n\t max: 39,\n\t },\n\t \"100 Vessel, 40 to 64 feet in length\": {\n\t min: 40,\n\t max: 64,\n\t },\n\t \"100 Vessel, 65 to 109 feet in length\": {\n\t min: 65,\n\t max: 109,\n\t },\n\t \"100 Vessel, 110+ feet in length\": {\n\t min: 110,\n\t max: Number.MAX_VALUE,\n\t },\n\t */\n\t};\n\t\n\texports.default = lengthLimits;\n\n/***/ },\n/* 320 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t/* eslint quotes:0 */\n\tvar DEFAULT_MIN = 1;\n\tvar DEFAULT_MAX = 80000;\n\t\n\tvar weightLimits = {\n\t '09 LEASE Vehicle, Automobile, (under 9 passenger)': {\n\t min: DEFAULT_MIN,\n\t max: DEFAULT_MAX\n\t },\n\t 'Automobile, for HIRE, SPECIAL ANY 6 Month period, (under 9 passenger)': {\n\t min: DEFAULT_MIN,\n\t max: DEFAULT_MAX\n\t },\n\t '54 Trailers, for HIRE thru 1999 lbs': {\n\t min: DEFAULT_MIN,\n\t max: 1999\n\t },\n\t '54 Trailers, for HIRE 2000 lbs and over': {\n\t min: 2000,\n\t max: DEFAULT_MAX\n\t },\n\t '53 Trailers Private Use over 500 lbs': {\n\t min: 501,\n\t max: DEFAULT_MAX\n\t },\n\t '36 Bus, 9 passenger and over, all types except private school bus': {\n\t min: DEFAULT_MIN,\n\t max: DEFAULT_MAX\n\t },\n\t '36 Bus, 9 passenger and over, all types except private school bus, 6 month semiannual': {\n\t min: DEFAULT_MIN,\n\t max: DEFAULT_MAX\n\t }\n\t\n\t // ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ //\n\t // TODO: All of these entries below need to be updated to reflect the\n\t // actual PIPE description `r0` (not the dropdown label), otherwise, we\n\t // can't use them to look anything up.\n\t // ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ //\n\t\n\t /*\n\t '01 Automobile, Private Use, thru 2499 lbs': {\n\t min: 0,\n\t max: 2499,\n\t },\n\t \"01 Automobile, Private Use, 2500 to 3499 lbs\": {\n\t min: 2500,\n\t max: 3499,\n\t },\n\t \"01 Automobile, Private Use, over 3500 lbs\": {\n\t min: 3500,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"14 Non-Resident Military, Automobile, Private Use\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"82 Horseless Carriage\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"95 Antique Passenger Cars (with Antique Plate)\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"14 Non-Resident Military, Truck / Pickup thru 7999 lbs, Private Use\": {\n\t min: 0,\n\t max: 7999,\n\t },\n\t \"31 Truck / Pickup thru 1999 lbs\": {\n\t min: 0,\n\t max: 1999,\n\t },\n\t \"31 Truck / Pickup 2000 to 3000 lbs\": {\n\t min: 2000,\n\t max: 3000,\n\t },\n\t \"31 Truck / Pickup 3001 to 5000 lbs\": {\n\t min: 3001,\n\t max: 5000,\n\t },\n\t \"42 Chassis Mount Camper, unit affixed to truck chassis, thru 4499 lbs\": {\n\t min: 0,\n\t max: 4499,\n\t },\n\t \"42 Chassis Mount Camper, unit affixed to truck chassis, 4500 lbs and over\": {\n\t min: 4500,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"42 Motor home thru 4499 lbs\": {\n\t min: 0,\n\t max: 4499,\n\t },\n\t \"42 Motor home, 4500 lbs and over\": {\n\t min: 4500,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"42 Private Motor Coach, thru 4499 lbs\": {\n\t min: 0,\n\t max: 4499,\n\t },\n\t \"42 Private Motor Coach, 4500 lbs and over\": {\n\t min: 4500,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"91 Antique Truck < 5000 lbs net Weight / Military Trailer\": {\n\t min: 0,\n\t max: 5000,\n\t },\n\t \"65 Motorcycles\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"80 Motorcycles, Antique Plate\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"65 Motorized and Disability Access Vehicle\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"80 Motorized and Disability Access Vehicle, Antique Plate\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"69 Mopeds < 2 BrakeHorsePower, pedal-activated motor\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"52 Trailers Private Use under 500 lbs\": {\n\t min: 0,\n\t max: 500,\n\t },\n\t \"56 Trailer (Semi-Trailer) drawn only by GVW Series truck tractors on 5th wheel, any weight\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"62 Camp trailers, constructed with folding walls\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"78 Travel Trailers over 35, License plate, not affixed to property\": {\n\t min: 36,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"91 Antique Military Trailer\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"103 Permanent Semi-Trailer (drawn only by GVW Series truck tractors on 5th wheel, any weight)\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"70 Transporter Plate\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"71 Dealer Type Plates (VI, VF, MC, & Trailer Coach) +$27 Use Tax\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"74 Dealer Type Plates (Marine Boat Trailer) +$27 Use Tax\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"92 Hearses, & Ambulances\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"92 School Buses, exclusive transport pupils in home county (not _class 96)\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"94 TractorCranes, PowerShovels, Well Drillers, Tools with no hauling allowed\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"37 Exempt Disabled Veteran License Plate\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"85 Exempt Disabled Veteran Wheelchair License Plate\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"96 Boy Scouts, Churches, other specific non-profit\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"97 Exempt Government Vehicle License Plates\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"101 Vessel Dealer\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"Exempt Vessel,Girl Scout,Boy Scout,Government\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"Antique Vessel, at least 30 years old, Recreational Use only, with certification\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"41 Truck / Truck-Tractor 5001 to 5999 lbs GVW\": {\n\t min: 5001,\n\t max: 5999,\n\t },\n\t \"41 Truck / Truck-Tractor 8000 to 9999 lbs GVW\": {\n\t min: 8000,\n\t max: 9999,\n\t },\n\t \"41 Truck / Truck-Tractor 10,000 to 14,999 lbs GVW\": {\n\t min: 10000,\n\t max: 14999,\n\t },\n\t \"41 Truck / Truck-Tractor 15,000 to 19,999 lbs GVW\": {\n\t min: 15000,\n\t max: 19999,\n\t },\n\t \"41 Truck / Truck-Tractor 20,000 to 26,000 lbs GVW\": {\n\t min: 20000,\n\t max: 26000,\n\t },\n\t \"41 Truck / Truck-Tractor 26,001 to 34,999 lbs GVW\": {\n\t min: 26001,\n\t max: 34999,\n\t },\n\t \"41 Truck / Truck-Tractor 35,000 to 43,999 lbs GVW\": {\n\t min: 35000,\n\t max: 43999,\n\t },\n\t \"41 Truck / Truck-Tractor 44,000 to 54,999 lbs GVW\": {\n\t min: 44000,\n\t max: 54999,\n\t },\n\t \"41 Truck / Truck-Tractor 55,000 to 61,999 lbs GVW\": {\n\t min: 55000,\n\t max: 61999,\n\t },\n\t \"41 Truck / Truck-Tractor 62,000 to 71,999 lbs GVW\": {\n\t min: 62000,\n\t max: 71999,\n\t },\n\t \"102 Agricultural Truck/Truck-Tractor under 10,000 lbs GVW\": {\n\t min: 0,\n\t max: 9999,\n\t },\n\t \"102 Agricultural Truck/Truck-Tractor 10,000b thru 43,999 lbs GVW\": {\n\t min: 10000,\n\t max: 43999,\n\t },\n\t \"41 Truck / Truck-Tractor 72,000 to 80,000 lbs GVW\": {\n\t min: 72000,\n\t max: 80000,\n\t },\n\t \"102 Agricultural Truck/Truck-Tractor 44000 to 80,000 lbs GVW\": {\n\t min: 44000,\n\t max: 80000,\n\t },\n\t \"93 Agricultural vehicle, Goats, all\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"39 Forestry Truck/Truck-Tractor under 10,000 GVW\": {\n\t min: 0,\n\t max: 9999,\n\t },\n\t \"39 Forestry Truck/Truck-Tractor 10,000 and up GVW\": {\n\t min: 10000,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"41 Wrecker, Unrestricted, 10,000 to 14,999 lbs GVW\": {\n\t min: 10000,\n\t max: 14999,\n\t },\n\t \"41 Wrecker, Unrestricted, 15,000 to 19,999 lbs GVW\": {\n\t min: 15000,\n\t max: 19999,\n\t },\n\t \"41 Wrecker, Unrestricted, 20,000 to 25,999 lbs GVW\": {\n\t min: 20000,\n\t max: 25999,\n\t },\n\t \"41 Wrecker, Unrestricted, 26,000 to 34,999 lbs GVW\": {\n\t min: 26000,\n\t max: 34999,\n\t },\n\t \"41 Wrecker, Unrestricted, 35,000 to 43,999 lbs GVW\": {\n\t min: 35000,\n\t max: 43999,\n\t },\n\t \"41 Wrecker, Unrestricted, 44,000 to 54,999 lbs GVW\": {\n\t min: 44000,\n\t max: 54999,\n\t },\n\t \"41 Wrecker, Unrestricted, 55,000 to 61,999 lbs GVW\": {\n\t min: 55000,\n\t max: 61999,\n\t },\n\t \"41 Wrecker, Unrestricted, 62,000 to 71,999 lbs GVW\": {\n\t min: 62000,\n\t max: 71999,\n\t },\n\t \"41 Wrecker, Unrestricted, 72,000 to 80,000 lbs GVW\": {\n\t min: 72000,\n\t max: 80000,\n\t },\n\t \"54 Trailers, for HIRE, 2000 lbs and over\": {\n\t min: 2000,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"36 Buses, 9 passenger and over, (All except private school bus)\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t \"36 Buses, 9 passenger and over,(All except private school bus) 6 month semiannual\": {\n\t min: 0,\n\t max: Number.MAX_VALUE,\n\t },\n\t */\n\t};\n\t\n\texports.default = weightLimits;\n\n/***/ },\n/* 321 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar vessels = [{\n\t cName: 'Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use',\n\t oSubMenu: [\n\t // 1 TO 11 done\n\t {\n\t cName: '100 Vessel, 1 to 11 feet in length and all canoes with motor',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 1 to 11 feet 11 inches in length & all canoes with motor|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|11.00|11.00|11.00|5|5.50|2|2|2|0'\n\t },\n\t // 12 TO 15 done\n\t {\n\t cName: '100 Vessel 12 to 15 feet in length',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 12 to 15 feet 11 inches in length |16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|32.50|32.50|32.50|5|16.25|2|2|2|0'\n\t },\n\t // 16 TO 25 done\n\t {\n\t cName: '100 Vessel, 16 to 25 feet in length',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 16 to 25 feet 11 inches in length|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|57.50|57.50|57.50|5|28.75|2|2|2|0'\n\t },\n\t // 26 TO 39 done\n\t {\n\t cName: '100 Vessel, 26 to 39 feet in length',\n\t cReturn: 'Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 26 to 39 feet 11 inches in length|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|156.50|156.50|156.50|5|78.25|2|2|2|0'\n\t },\n\t // 40 TO 64 done\n\t {\n\t cName: '100 Vessel, 40 to 64 feet in length',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 40 to 64 feet 11 inches in length|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|255.50|255.50|255.50|5|127.75|2|2|2|0'\n\t },\n\t // 65 TO 109 done\n\t {\n\t cName: '100 Vessel, 65 to 109 feet in length',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 65 to 109 feet 11 inches in length|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|305.50|305.50|305.50|5|152.75|2|2|2|0'\n\t },\n\t // OVER 110+ done\n\t {\n\t cName: '100 Vessel, 110+ feet in length',\n\t cReturn: '100 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, 110+ feet in length|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|379.50|379.50|379.50|5|189.75|2|2|2|0'\n\t },\n\t // DEALER done\n\t {\n\t cName: '101 Vessel Dealer',\n\t cReturn: '101 Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, Vessel Dealer|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|51.00|51.00|51.00|2|2|2|2|2|0'\n\t }, // EXEMPT\n\t {\n\t cName: 'Exempt Vessel,Girl Scout,Boy Scout,Government',\n\t cReturn: 'Vessel, Florida Resident (U.S. Citizen only), Recreational or Commercial Use, Exempt Vessel,Girl Scout,Boy Scout,Government|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|5|2|2|2|2|0'\n\t },\n\t // ANTIQUE\n\t {\n\t cName: 'Antique Vessel, at least 30 years old, Recreational Use only, with certification',\n\t cReturn: 'Antique Vessel, at least 30 years old, Florida Resident (U.S. Citizen only), Recreational Use only, with certification|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|5|0.00|2|2|2|0'\n\t }]\n\t}, // non-Florida Resident or Non-US\n\t{\n\t cName: 'Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt',\n\t oSubMenu: [{\n\t cName: '100 Vessel, 1 to 11 feet in length and all canoes with motor',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 1 to 11 feet in length & all canoes with motor|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|11.00|11.00|11.00|5|5.50|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 12 to 15 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 12 to 15 feet in length|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|32.50|32.50|32.50|5|16.25|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 16 to 25 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 16 to 25 feet in length|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|57.50|57.50|57.50|5|28.75|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 26 to 39 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 26 to 39 feet in length|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|156.50|156.50|156.50|5|78.25|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 40 to 64 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 40 to 64 feet in length|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|255.50|255.50|255.50|5|127.75|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 65 to 109 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 65 to 109 feet in length|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|305.50|305.50|305.50|5|152.75|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 110+ feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use Only or Commercial Exempt, 110+ feet in length|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|379.50|379.50|379.50|5|189.75|2|2|2|0'\n\t }, // done\n\t {\n\t cName: '101 Vessel Dealer',\n\t cReturn: '101 Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use, Vessel Dealer|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|51.00|51.00|51.00|2|2|2|2|2|0'\n\t }, // done\n\t {\n\t cName: 'Exempt Vessel,Girl Scout,Boy Scout,Government',\n\t cReturn: 'Vessel, NON-Florida Resident or NON-U.S. Citizen, Recreational Use, Exempt Vessel,Girl Scout,Boy Scout,Government|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|5|2|2|2|2|0'\n\t }, {\n\t cName: 'Antique Vessel, at least 30 years old, Recreational Use only, with certification',\n\t cReturn: 'Antique Vessel, at least 30 years old, NON-Florida Resident or NON-U.S. Citizen, Recreational Use only, with certification|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|5|0.00|2|2|2|0'\n\t }]\n\t},\n\t// non-Florida Resident or Non-US for COMMERCIAL USE\n\t{\n\t cName: 'Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use',\n\t oSubMenu: [// add $50 commercial fee\n\t {\n\t cName: '100 Vessel, 1 to 11 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 1 to 11 feet in length|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|5.50|11.00|11.00|11.00|5|5.50|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 12 to 15 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 12 to 15 feet in length|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|16.25|32.50|32.50|32.50|5|16.25|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 16 to 25 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 16 to 25 feet in length|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|28.75|57.50|57.50|57.50|5|28.75|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 26 to 39 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 26 to 39 feet in length|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|78.25|156.50|156.50|156.50|5|78.25|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 40 to 64 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 40 to 64 feet in length|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|127.75|255.50|255.50|255.50|5|127.75|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 65 to 109 feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 65 to 109 feet in length|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|152.75|305.50|305.50|305.50|5|152.75|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '100 Vessel, 110+ feet in length',\n\t cReturn: '100 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, 110+ feet in length|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|189.75|379.50|379.50|379.50|5|189.75|2|2|2|50'\n\t }, // done\n\t {\n\t cName: '101 Vessel Dealer',\n\t cReturn: '101 Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, Vessel Dealer|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|25.50|51.00|51.00|51.00|2|2|2|2|2|50'\n\t }, // done\n\t {\n\t cName: 'Exempt Vessel,Girl Scout,Boy Scout,Government,',\n\t cReturn: 'Vessel, NON-Florida Resident or NON-U.S. Citizen, Commercial Use, Exempt Vessel,Girl Scout,Boy Scout,Government,|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|0.00|5|2|2|2|2|50'\n\t }]\n\t}];\n\t\n\tmodule.exports = vessels;\n\n/***/ },\n/* 322 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _getLeaseBaseFeeFromWeight = __webpack_require__(324);\n\t\n\tvar _getLeaseBaseFeeFromWeight2 = _interopRequireDefault(_getLeaseBaseFeeFromWeight);\n\t\n\tvar _getBusesBaseFeeFromWeight = __webpack_require__(323);\n\t\n\tvar _getBusesBaseFeeFromWeight2 = _interopRequireDefault(_getBusesBaseFeeFromWeight);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar getBaseFeeFromWeight = function getBaseFeeFromWeight(options) {\n\t if (options.selectedVehicleType === _constants.VEHICLES.BUSES_TRAILER) {\n\t return (0, _getBusesBaseFeeFromWeight2.default)(options);\n\t }\n\t return (0, _getLeaseBaseFeeFromWeight2.default)(options);\n\t};\n\t\n\texports.default = getBaseFeeFromWeight;\n\n/***/ },\n/* 323 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _processPipe = __webpack_require__(26);\n\t\n\tvar _processPipe2 = _interopRequireDefault(_processPipe);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getBusesBaseFeeFromWeight(options) {\n\t var pipeString = options.pipe;\n\t var pipe = (0, _processPipe2.default)(pipeString);\n\t\n\t var monthsFromNow = options.monthsFromNow,\n\t vehicleWeight = options.vehicleWeight;\n\t\n\t\n\t var r1 = pipe.r1;\n\t var r12 = pipe.r12;\n\t var r16 = pipe.r16;\n\t var r17 = pipe.r17;\n\t var r18 = pipe.r18;\n\t\n\t var svc = 0;\n\t var rset = pipe['r' + monthsFromNow];\n\t\n\t var Z = Number(vehicleWeight);\n\t var K = rset;\n\t var W = Math.round(Z / 100);\n\t var total = 0;\n\t\n\t // monthly rate to multiply times tax months\n\t\n\t // NOTE: Mystery solved! All the r12 assignments are to calculate the\n\t // 2nd Year Fee.\n\t\n\t // 36 Buses, (All except private school bus)\n\t if (K === 'b' && Z !== 0) {\n\t console.log('ONE');\n\t total = (17.00 + 2.00 * W) / 12 * monthsFromNow + svc;\n\t console.warn('assigning a value to r12 from getBusBaseFee');\n\t r12 = (17.00 + 2.00 * W) / 12 * 12 + svc;\n\t }\n\t\n\t // added for base tax for 1 month fees where min 5.00 required by statute\n\t if (monthsFromNow === 1 && 2.00 * W / 12 * monthsFromNow < 5) {\n\t console.log('TWO');\n\t total = 17.00 + 5.00 + svc;\n\t }\n\t\n\t // 36 Bus 6 month semiannual except private school bus\n\t if (K === 's' && Z !== 0) {\n\t console.log('THREE');\n\t // $2.50 semi-annual fee added in fee change and 11.60\n\t // due to partial fees (ARF etc) for 6 month period\n\t total = (17.00 + 2.00 * W) * 0.50 + svc;\n\t console.warn('assigning a value to r12 from getBusBaseFee');\n\t r12 = 0;\n\t console.warn('attempting to assign monthsFromNow in getBusBaseFee');\n\t }\n\t\n\t // 53 Trailers Private Use over 500 lbs\n\t if (K === 't' && Z !== 0 && Z > 500) {\n\t console.log('FOUR');\n\t total = (3.50 + 1.00 * W) / 12 * monthsFromNow + svc;\n\t console.warn('assigning a value to r12 from getBusBaseFee');\n\t r12 = (3.50 + 1.00 * W) / 12 * 12 + svc;\n\t\n\t if (K === 't' && Z < 2000) {\n\t console.log('FIVE');\n\t console.warn('assigning a value to r16 from getBusBaseFee');\n\t r16 = 2;\n\t }\n\t }\n\t console.log('END', total);\n\t return (0, _precise2.default)(total);\n\t} /* eslint no-mixed-operators: 0, spaced-comment: 0, brace-style: 0, indent: 0 */\n\texports.default = getBusesBaseFeeFromWeight;\n\n/***/ },\n/* 324 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\t/* eslint no-mixed-operators: 0, spaced-comment: 0, brace-style: 0, indent: 0 */\n\tfunction getLeaseBaseFeeFromWeight(options) {\n\t var monthsFromNow = options.monthsFromNow,\n\t vehicleWeight = options.vehicleWeight;\n\t\n\t // Just for debugging purposes.\n\t // console.log('getLeaseBaseFeeFromWeight called with: ', options);\n\t\n\t var Z = Number(vehicleWeight);\n\t var W = Math.round(Z / 100);\n\t var rset = (0, _getPipeValue2.default)(options.pipe, 'r' + monthsFromNow);\n\t\n\t var baseFee = 0;\n\t\n\t if (Z !== 0) {\n\t // calculate total service fees\n\t\n\t // Lease Auto\n\t if (rset === 'a15' && Z !== 0) {\n\t // 14 or 15 months\n\t baseFee = 1.25 * (17.00 + 1.50 * W);\n\t } // 11.60 and 3.30 for double fees over 13 months\n\t if (rset === 'a13' && Z !== 0) // 13 months\n\t {\n\t baseFee = 1.25 * (17.00 + 1.50 * W);\n\t }\n\t if (rset === 'a12' && Z !== 0) // 7 to 12 months\n\t {\n\t baseFee = 17.00 + 1.50 * W;\n\t }\n\t if (rset === 'a6' && Z !== 0) // 4 to 6 months\n\t {\n\t baseFee = 0.50 * (17.00 + 1.50 * W);\n\t }\n\t if (rset === 'a3' && Z !== 0) // 1 to 3 months\n\t {\n\t baseFee = 0.25 * (17.00 + 1.50 * W);\n\t }\n\t ///////trailer less than 2000\n\t if (rset === 't15' && Z !== 0 && Z < 2000) // 14 or 15 months\n\t {\n\t baseFee = 1.25 * (3.50 + 1.50 * W);\n\t }\n\t if (rset === 't13' && Z !== 0 && Z < 2000) // 13 months ??\n\t {\n\t baseFee = 1.25 * (3.50 + 1.50 * W);\n\t }\n\t if (rset === 't12' && Z !== 0 && Z < 2000) // 7 to 12 months\n\t {\n\t baseFee = 3.50 + 1.50 * W;\n\t }\n\t if (rset === 't6' && Z !== 0 && Z < 2000) // 4 to 6 months\n\t {\n\t baseFee = 0.50 * (3.50 + 1.50 * W);\n\t }\n\t if (rset === 't3' && Z !== 0 && Z < 2000) // 1 to 3 months\n\t {\n\t baseFee = 0.25 * (3.50 + 1.50 * W);\n\t }\n\t\n\t // Lease Auto ANY 6 month period special\n\t // special 6 months any\n\t if (rset === 'a66' && Z !== 0) {\n\t //$2.50 semi-annual fee plus 11.60 14.10+cbf (partial because some fees are 1/2 for 6 months)\n\t baseFee = 2.50 + 0.50 * (17.00 + 1.50 * W);\n\t // r12 = 0; // NOTE: what is the point of setting the global r12 to 0?\n\t // ms = 6; // NOTE: do we need to do this?\n\t }\n\t\n\t // For Hire Trailers 2000 and over\n\t if (rset === 'tp15' && Z > 1999) // 14 or 15 months\n\t {\n\t baseFee = 1.25 * (13.50 + 1.50 * W);\n\t }\n\t if (rset === 'tp13' && Z > 1999) // 13 months\n\t {\n\t baseFee = 1.25 * (13.50 + 1.50 * W);\n\t }\n\t if (rset === 'tp12' && Z > 1999) // 7 to 12 months\n\t {\n\t baseFee = 13.50 + 1.50 * W;\n\t }\n\t if (rset === 'tp6' && Z > 1999) // 4 to 6 months\n\t {\n\t baseFee = 0.50 * (13.50 + 1.50 * W);\n\t }\n\t if (rset === 'tp3' && Z > 1999) // 1 to 3 months\n\t {\n\t baseFee = 0.25 * (13.50 + 1.50 * W);\n\t }\n\t }\n\t return (0, _precise2.default)(baseFee);\n\t}\n\t\n\texports.default = getLeaseBaseFeeFromWeight;\n\n/***/ },\n/* 325 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\texports.default = function (num) {\n\t var months = ['JAN', 'FEB', 'MAR', 'APR', 'MAY', 'JUN', 'JUL', 'AUG', 'SEP', 'OCT', 'NOV', 'DEC'];\n\t return months[Number(num) - 1];\n\t};\n\n/***/ },\n/* 326 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _noWhitespace = __webpack_require__(393);\n\t\n\tvar _noWhitespace2 = _interopRequireDefault(_noWhitespace);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar imageName = function imageName(name) {\n\t var jpegs = ['AdventHealthUniversity', 'AuburnUniversity', 'AveMariaUniversity', 'AmericanLegion', 'AmericaTheBeautiful', 'AnimalFriend', 'BarryUniversity', 'BeaconCollege', 'BestBuddies', 'BigBrothersBigSisters', 'BlueAngels', 'BonefishTarponTrust', 'CoastalConservationAssn', 'ConserveWildlife', 'DontTreadonMe', 'DucksUnlimited', 'EckerdCollege', 'EdwardWatersUniversity', 'EmbryRiddle', 'EvergladesUniversity', 'ExploreOffRoad', 'ExploreOurStateParks', 'FallenLawEnforcementOfficers', 'FamilyValues', 'FlaglerCollege', 'FloridaArts', 'FloridaCollege', 'FloridaGulfCoast', 'FloridaInstituteofTechnology', 'FloridaInternationalUniversity', 'FloridaMemorial', 'FloridaPanthers', 'FloridaSheriffsAssociation', 'FloridaSouthern', 'FloridaStateUniversity', 'HodgesUniversity', 'IndianRiverLagoon', 'JacksonvilleUniversity', 'KeiserUniversity', 'LighthouseAssociationVisitourLights', 'LynnUniversity', 'MiamiDolphins', 'MiamiHeat', 'MiamiMarlins', 'MotorcycleBlueAngels', 'Nascar', 'NovaSoutheasternUniversity', 'OrlandoCity', 'PalmBeachAtlanticUniversity', 'ProtectMarineWildlife', 'ProtectOurOceans', 'ProtectthePanther', 'RinglingSchool', 'RollinsCollege', 'SaintLeoUniversity', 'SaintThomasUniversity', 'SoutheasternUniversity', 'StetsonUniversity', 'StopChildAbuse', 'SupportEducation', 'SupportLawEnforcement', 'SupportScenicWalton', 'TampaBayBucs', 'TampaBayLightning', 'UniversityofCentralFlorida', 'UniversityofFlorida', 'UniversityofGeorgia', 'UniversityofTampa', 'UniversityofWestFlorida', 'WaltDisneyWorld', 'WarnerUniversity', 'WebberInternationalUniversity', 'WildlifeFoundationofFlorida'];\n\t var prefix = 'png';\n\t var clean = name.replace(/[^\\w+]/igm, '');\n\t\n\t if (jpegs.indexOf(clean) > -1) {\n\t prefix = 'jpg';\n\t }\n\t\n\t return (0, _noWhitespace2.default)(clean) + '.' + prefix;\n\t};\n\t\n\texports.default = imageName;\n\n/***/ },\n/* 327 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _SVCFees = __webpack_require__(77);\n\t\n\tvar _SVCFees2 = _interopRequireDefault(_SVCFees);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction SVCFees(options) {\n\t if (!options.vehicleClass) {\n\t throw new Error('vehicleClass is required to calculate SVCFees');\n\t }\n\t\n\t if (!options.numberOfMonths) {\n\t throw new Error('numberOfMonths is required to calculate SVCFees');\n\t }\n\t\n\t var vehicleClass = Number(options.vehicleClass);\n\t var months = Number(options.numberOfMonths);\n\t var Z = Number(options.weightlistValue || 0);\n\t\n\t var RZfee = _SVCFees2.default.RZfee,\n\t FVfee = _SVCFees2.default.FVfee,\n\t ACfee = _SVCFees2.default.ACfee,\n\t EMfee = _SVCFees2.default.EMfee,\n\t LEfee = _SVCFees2.default.LEfee,\n\t JJfee = _SVCFees2.default.JJfee,\n\t TDfee = _SVCFees2.default.TDfee,\n\t SSfee = _SVCFees2.default.SSfee,\n\t AVfee = _SVCFees2.default.AVfee,\n\t DDfee = _SVCFees2.default.DDfee,\n\t SVCfee = _SVCFees2.default.SVCfee,\n\t AFfee = _SVCFees2.default.AFfee,\n\t AFfee51 = _SVCFees2.default.AFfee51,\n\t AFfee74 = _SVCFees2.default.AFfee74,\n\t STfee = _SVCFees2.default.STfee,\n\t ADfee = _SVCFees2.default.ADfee,\n\t MANUfee = _SVCFees2.default.MANUfee,\n\t PAfee = _SVCFees2.default.PAfee,\n\t AFfee38 = _SVCFees2.default.AFfee38;\n\t\n\t // This will either be 0.50 or 0\n\t\n\t var BFfee = options.BFfee;\n\t\n\t var FeeTot = 0;\n\t\n\t // vehicleClass 01, 91 (95?, 82?, 14?) NO: STfee, ADfee, AFfee\n\t if (vehicleClass === 1 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 1 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 14 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 14 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 31 && months <= 13) {\n\t // 32,33\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 31 && (months === 14 || months === 15)) {\n\t // 32,33\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 82 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 82 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 95 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 95 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 91 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + TDfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 91 && (months === 14 || months === 15)) {\n\t // then some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * TDfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 37, 85 NO: FVfee, ACfee, EMfee, LEfee, JJfee, STfee, ADfee, TDfee, SSfee, AVfee, AFfee\n\t if (vehicleClass === 37 && months <= 13) {\n\t FeeTot = RZfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 37 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 85 && months <= 13) {\n\t FeeTot = RZfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 85 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + DDfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 41 (10,000GVW+), vehicleClass 102 (ag 10,000GVW+), vehicleClass 39 (forestry 10,000GVW+) NO: ADfee, TDfee, AFfee\n\t if (vehicleClass === 410 && months <= 13) {\n\t // (10,000GVW+) vehicleClass 41 Over\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + STfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 410 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * STfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 1020 && months <= 13) {\n\t // (ag 10,000GVW+) clas 102 Over\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + STfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 1020 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * STfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 390 && months <= 13) {\n\t // (forestry 10,000GVW+) 39o = vehicleClass 39 Over\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + STfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 390 && (months === 14 || months === 15)) {\n\t // then some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * STfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 93 && months <= 13) {\n\t // goat\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 93 && (months === 14 || months === 15)) {\n\t // goat then some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 42,52,56,56,62,77,92, 94, 96, 102(under 10,000gvw), 41(under 10,000gvw) NO: STfee, ADfee, TDfee, AFfee //\n\t if (vehicleClass === 42 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 42 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 52 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 52 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 56 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 56 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 62 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 62 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 77 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 77 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 92 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 92 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 94 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 94 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 96 && months <= 13) {\n\t // 1 to 13 months\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 96 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 102 && months <= 13) {\n\t // vehicleClass 102 Under 10,000GVW\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 102 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 41 && months <= 13) {\n\t // vehicleClass 41 Under 10,000GVW see vehicleClass 410 for over\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 41 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 51,86, NO: RZfee,LEfee,JJfee,STfee, ADFee, TDfee,SSfee,AVfee, AFfee=AFfee51\n\t // for those outside HS park\n\t if (vehicleClass === 51 && months <= 13) {\n\t FeeTot = FVfee + ACfee + EMfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 51 && (months === 14 || months === 15)) {\n\t // 14 & 15 months some fees charged twice\n\t FeeTot = FVfee + ACfee + 2 * EMfee + DDfee + SVCfee + BFfee;\n\t }\n\t // for those inside HS park\n\t if (vehicleClass === 510 && months <= 13) {\n\t FeeTot = FVfee + ACfee + EMfee + DDfee + SVCfee + BFfee + AFfee51; // 1 to 13 months\n\t }\n\t if (vehicleClass === 510 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = FVfee + ACfee + 2 * EMfee + DDfee + SVCfee + BFfee + 2 * AFfee51;\n\t }\n\t // for those outside HS park\n\t if (vehicleClass === 50 && months <= 13) {\n\t FeeTot = FVfee + ACfee + EMfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 50 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = FVfee + ACfee + 2 * EMfee + DDfee + SVCfee + BFfee;\n\t }\n\t // for those inside HS park\n\t if (vehicleClass === 500 && months <= 13) {\n\t FeeTot = FVfee + ACfee + EMfee + DDfee + SVCfee + BFfee + AFfee51; // 1 to 13 months\n\t }\n\t if (vehicleClass === 500 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = FVfee + ACfee + 2 * EMfee + DDfee + SVCfee + BFfee + 2 * AFfee51;\n\t }\n\t // vehicleClass 76,78 NO: LEfee,JJfee,STfee, ADFee, TDfee, AFfee=AFfee51 //\n\t if (vehicleClass === 76 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 76 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t // for those inside HS park\n\t if (vehicleClass === 760 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee + AFfee51; // 1 to 13 months\n\t }\n\t if (vehicleClass === 760 && (months === 14 || months === 15)) {\n\t // 14 & 15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee + 2 * AFfee51;\n\t }\n\t // for those outside HS park\n\t if (vehicleClass === 78 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 78 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 86 && months <= 15) {\n\t FeeTot = FVfee + ACfee + EMfee + SVCfee + BFfee + PAfee + MANUfee; // 1 to 15 months\n\t }\n\t // vehicleClass 65,80,69 NO: STfee, TDfee, AFfee //\n\t if (vehicleClass === 65 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + ADfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 65 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * ADfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 80 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + ADfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 80 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * ADfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 69 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + ADfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 69 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * ADfee + 2 * SSfee + AVfee + DDfee + AFfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 70,71,74, NO: STfee, ADfee, TDfee, AFfee\n\t if (vehicleClass === 70 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 70 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 71,74, NO: STfee, ADfee, TDfee, AFfee = AFfee74\n\t if (vehicleClass === 71 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + AFfee74 + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 71 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + 2 * AFfee74 + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 74 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + AFfee74 + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 74 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + 2 * AFfee74 + DDfee + SVCfee + BFfee;\n\t }\n\t // 103, 97 NO: STfee, ADfee, TDfee, AVfee, DDfee, AFfee //\n\t if (vehicleClass === 103 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 103 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AFfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 97 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 97 && (months === 14 || months === 15)) {\n\t // 14&15 months some fees charged twice\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AFfee + SVCfee + BFfee;\n\t }\n\t // For HIre vehicleClass 09, // no TDfee, AFfee\n\t if (vehicleClass === 9 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 9 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 54 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 54 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t // vehicleClass 53 and 36 buses and 6 month buses(set as vehicleClass 360 for calculation)\n\t if (vehicleClass === 53 && months <= 13) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 53 && (months === 14 || months === 15)) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t if (vehicleClass === 36 && months <= 13 && Z >= 10001) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + STfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t }\n\t if (vehicleClass === 36 && (months === 14 || months === 15) && Z >= 10001) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * STfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t } // No STfee\n\t if (vehicleClass === 36 && months <= 13 && Z <= 10000) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee; // 1 to 13 months\n\t } // No STfee\n\t if (vehicleClass === 36 && (months === 14 || months === 15) && Z <= 10000) {\n\t FeeTot = RZfee + FVfee + ACfee + 2 * EMfee + 2 * LEfee + 2 * JJfee + 2 * SSfee + AVfee + DDfee + SVCfee + BFfee;\n\t }\n\t // NOTE: John used to force the 6-month rule when calculating vehicle class 360\n\t // He wouldn't even bother calculating unless the months were forced to be 6:\n\t // if ((vehicleClass === 360) && (months === 6)) {\n\t if (vehicleClass === 360) {\n\t FeeTot = RZfee + FVfee + ACfee + EMfee + LEfee + JJfee + SSfee + AVfee + DDfee + SVCfee + BFfee + AFfee38; // 1 to 13 months\n\t }\n\t return (0, _precise2.default)(FeeTot);\n\t}\n\t\n\texports.default = SVCFees;\n\n/***/ },\n/* 328 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _processPipe = __webpack_require__(26);\n\t\n\tvar _processPipe2 = _interopRequireDefault(_processPipe);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _vesselSVCConstants = __webpack_require__(78);\n\t\n\tvar _vesselSVCConstants2 = _interopRequireDefault(_vesselSVCConstants);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tvar _getSecondYearFeeforBusCategory = __webpack_require__(329);\n\t\n\tvar _getSecondYearFeeforBusCategory2 = _interopRequireDefault(_getSecondYearFeeforBusCategory);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getSecondYearFee(options) {\n\t var selectedVehicleType = options.selectedVehicleType,\n\t applySecondYearFee = options.applySecondYearFee;\n\t\n\t if (!selectedVehicleType || typeof applySecondYearFee !== 'undefined' && applySecondYearFee === false) {\n\t return (0, _precise2.default)(0);\n\t }\n\t\n\t if (!selectedVehicleType) {\n\t return (0, _precise2.default)(0);\n\t }\n\t\n\t if (selectedVehicleType === _constants.VEHICLES.BUSES_TRAILER) {\n\t return (0, _getSecondYearFeeforBusCategory2.default)(options);\n\t }\n\t\n\t var BFfee = options.BFfee;\n\t\n\t var vehicleWeight = options.vehicleWeight || 0;\n\t var monthsFromNow = options.monthsFromNow;\n\t\n\t var pipe = (0, _processPipe2.default)(options.pipe);\n\t\n\t var svc = options.svc;\n\t var r16 = Number(pipe.r16);\n\t var r17 = pipe.r17;\n\t\n\t var K = pipe['r' + monthsFromNow];\n\t var W = Math.round(Number(vehicleWeight) / 100);\n\t var secondYearFee = 0;\n\t\n\t // console.log({ r16, r17, K, W, BFfee, svc, monthsFromNow });\n\t\n\t // This value is only used for vessels.\n\t var vscf12 = Number(options.vscf12);\n\t\n\t // Just add up all the Vessel SVC Fees\n\t var VSsvc = Object.keys(_vesselSVCConstants2.default).reduce(function (acc, n) {\n\t return _vesselSVCConstants2.default[n] + acc;\n\t }, 0);\n\t\n\t if (VSsvc !== 4.75) {\n\t throw new Error('VSsvc should be 4.75 per 9/01/14 fees');\n\t }\n\t\n\t // TODO: research the PDF to see if the cmm value will ever\n\t // be anything but 0.00 in this script. I think this value\n\t // will only ever be 50.00 if there is a commercial vessel\n\t // fee applied or zero.\n\t var cmm = 0;\n\t\n\t // Because John liked to do everything on the global state\n\t // this r17 check is repeated (from the various Vehicle Dropdown onChange handlers)\n\t // to ensure that r17 will equal the amounts he would specify in the global\n\t // state (and the code down below should behave as planned, but we can\n\t // still be modular). This entire module needs to be refactored.\n\t\n\t // From leases dropdown\n\t if (r17 === 'a12') {\n\t r17 = 17.00 + 1.50 * W + svc;\n\t }\n\t if (r17 === 'tp12') {\n\t r17 = 13.50 + 1.50 * W + svc;\n\t }\n\t if (r17 === 't12') {\n\t r17 = 3.50 + 1.50 * W + svc;\n\t }\n\t\n\t // From buses dropdown\n\t if (r17 === 'b12') {\n\t r17 = (17.00 + 2.00 * W) / 12 * 12 + svc;\n\t }\n\t if (r17 === 't12') {\n\t r17 = (3.50 + 1.00 * W) / 12 * 12 + svc;\n\t }\n\t\n\t var nr17 = Number(r17);\n\t var nr16 = Number(r16);\n\t\n\t // should be more than 3 or else choose 13 to 15\n\t // months on first months options Rsub1a\n\t if (monthsFromNow > 3) {\n\t // This is MATCHING ON EVERY SINGLE PIPE THAT EXISTS.\n\t if (nr16 !== 5 && nr16 !== 6 && nr17 !== 1 && nr17 !== 2 && K !== 'b' && K !== 't') {\n\t secondYearFee = nr17 + BFfee + cmm;\n\t }\n\t\n\t // Only Vessels have an r16 of 5 (matches 21 Vessels)\n\t if (nr16 === 5 && nr17 !== 0 && nr17 !== 1 && nr17 !== 2 && K !== 'b' && K !== 't') {\n\t secondYearFee = nr17 + VSsvc + vscf12 + BFfee + cmm;\n\t }\n\t\n\t // Only Lease have an r16 of 6 (matches 3 Lease Vehicles)\n\t if (nr16 === 6 && nr17 !== 1 && nr17 !== 2 && (K !== 'b' || K !== 't')) {\n\t secondYearFee = nr17;\n\t }\n\t\n\t // 0.00 base tax vessel (antique) (matches 2 vessels)\n\t if (nr16 === 5 && nr17 === 0 && nr17 !== 1 && nr17 !== 2 && K !== 'b' && K !== 't') {\n\t secondYearFee = 3.75 + BFfee + cmm;\n\t }\n\t\n\t // Certain Trailer or Buses (matches 0 vehicles)\n\t if (nr17 !== 1 && nr17 !== 2 && (K === 'b' || K === 't')) {\n\t // 2nd year on trailers and buses\n\t secondYearFee = nr17;\n\t }\n\t\n\t // Exempt and certain vehicles/vessels (matches 50/128 Vehicles/Vessels)\n\t if (nr17 === 2) {\n\t alert('not eligible for biennial (2nd year) renewal');\n\t secondYearFee = 0;\n\t }\n\t } else {\n\t alert('Number of Months chosen above should be more than 3 instead of adding biennial fees (choose 13 to 15 months)');\n\t secondYearFee = 0;\n\t }\n\t return (0, _precise2.default)(secondYearFee);\n\t} /* eslint-env browser, node */\n\texports.default = getSecondYearFee;\n\n/***/ },\n/* 329 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _processPipe = __webpack_require__(26);\n\t\n\tvar _processPipe2 = _interopRequireDefault(_processPipe);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getsecondYearFeeforBusCategory(options) {\n\t var monthsFromNow = options.monthsFromNow;\n\t\n\t var pipe = (0, _processPipe2.default)(options.pipe);\n\t\n\t var svc = Number(options.svc);\n\t var rset = pipe['r' + monthsFromNow];\n\t\n\t var Z = Number(options.vehicleWeight || 0);\n\t var K = rset;\n\t var W = Math.round(Z / 100);\n\t var classCode = Number(pipe.r22);\n\t var secondYear = 0;\n\t\n\t if (monthsFromNow > 3) {\n\t // 36 Buses, (All except private school bus)\n\t if (K === 'b' && Z !== 0) {\n\t secondYear = (17.00 + 2.00 * W) / 12 * 12 + svc;\n\t }\n\t\n\t // 36 Bus 6 month semiannual except private school bus\n\t if (K === 's' && Z !== 0) {\n\t // $2.50 semi-annual fee added in fee change and 11.60\n\t // due to partial fees (ARF etc) for 6 month period\n\t secondYear = 0;\n\t }\n\t\n\t // 53 Trailers Private Use over 500 lbs\n\t if (K === 't' && Z !== 0 && Z > 500) {\n\t secondYear = (3.50 + 1.00 * W) / 12 * 12 + svc;\n\t }\n\t\n\t // 360 is 6-month semiannual buses\n\t if (classCode === 360) {\n\t alert('not eligible for biennial (2nd year) renewal');\n\t secondYear = 0;\n\t }\n\t } else {\n\t alert('Number of Months chosen above should be more than 3 instead of adding biennial fees (choose 13 to 15 months)');\n\t secondYear = 0;\n\t }\n\t\n\t return secondYear;\n\t}\n\t\n\texports.default = getsecondYearFeeforBusCategory;\n\n/***/ },\n/* 330 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _vehicleWeightLimits = __webpack_require__(320);\n\t\n\tvar _vehicleWeightLimits2 = _interopRequireDefault(_vehicleWeightLimits);\n\t\n\tvar _vehicleLengthLimits = __webpack_require__(319);\n\t\n\tvar _vehicleLengthLimits2 = _interopRequireDefault(_vehicleLengthLimits);\n\t\n\tvar _trim = __webpack_require__(50);\n\t\n\tvar _trim2 = _interopRequireDefault(_trim);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getVehicleWeightOrLengthLimitById(id) {\n\t var trimmedId = (0, _trim2.default)(id);\n\t var limits = Object.assign({}, _vehicleWeightLimits2.default, _vehicleLengthLimits2.default);\n\t return limits[trimmedId];\n\t}\n\t\n\texports.default = getVehicleWeightOrLengthLimitById;\n\n/***/ },\n/* 331 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _vesselSVCConstants = __webpack_require__(78);\n\t\n\tvar _vesselSVCConstants2 = _interopRequireDefault(_vesselSVCConstants);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getVesselFee(options) {\n\t var shouldChargeVesselCountyFees = options.shouldChargeVesselCountyFees;\n\t\n\t var BaseFee = Number(options.BaseFee);\n\t var BFfee = Number(options.BFfee);\n\t var cmm = Number(options.cmm);\n\t var r17 = Number(options.pipe.r17);\n\t var r16 = Number(options.pipe.r16);\n\t var rset = Number(options.pipe['r' + options.monthsFromNow]);\n\t\n\t var vscf = 0;\n\t var total = 0;\n\t\n\t // Just add up all the Vessel SVC Fees\n\t var VSsvc = Object.keys(_vesselSVCConstants2.default).reduce(function (acc, n) {\n\t return _vesselSVCConstants2.default[n] + acc;\n\t }, 0);\n\t\n\t if (VSsvc !== 4.75) {\n\t throw new Error('VSSvc should be 4.75 per 9/01/14 fees');\n\t }\n\t\n\t if (shouldChargeVesselCountyFees) {\n\t vscf = rset * 0.50; // adjusted 2/11/10; // verified formula by email with Cyndi Collins at DMV 6/13/08 for monthly portion of variable vscf\n\t if (vscf < 1.75) {\n\t vscf = 1.75;\n\t }\n\t\n\t // Note that this this throws the calculations off.\n\t // It should be removed, but is here temporarily for\n\t // demonstration, evaluation and comparison.\n\t // if (vscf >= 1.75 || vscf < 1.75) {\n\t // vscf = 1.75;\n\t // }\n\t }\n\t\n\t if (r17 === 5.50) {\n\t // if vessel is 1-11 ft\n\t total = rset + VSsvc + BFfee + vscf + cmm;\n\t } else if (r17 !== 5.50 && r17 !== 0) {\n\t total = rset + VSsvc + BFfee + vscf + cmm;\n\t } else if (r17 !== 0) {\n\t // If not 1 - 11 Ft or Exempt\n\t total = BaseFee + VSsvc + BFfee + vscf + cmm;\n\t }\n\t\n\t if (r16 === 5 && (r17 === 0 || r17 === 2)) {\n\t // for exempt & antique vessels including commercial // 5.75\n\t total = 3.75 + BFfee + cmm;\n\t }\n\t\n\t return (0, _precise2.default)(total);\n\t}\n\t\n\texports.default = getVesselFee;\n\n/***/ },\n/* 332 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _processPipe = __webpack_require__(26);\n\t\n\tvar _processPipe2 = _interopRequireDefault(_processPipe);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction getVesselVscf12(state) {\n\t var pipe = (0, _processPipe2.default)(state.selectedVehicleValue);\n\t var r12 = Number(pipe.r12);\n\t var r17 = Number(pipe.r17);\n\t var rset = Number(pipe['r' + state.monthsFromNow]);\n\t\n\t var vscf1 = Math.round(r12 * 0.50 * 100) / 12; // verified formula\n\t var vscf = rset * 0.50; // adjusted 2/11/10 from (vscf1 * cResponse) / 100; // verified formula by email with Cyndi Collins at DMV 6/13/08 for monthly portion of variable vscf\n\t var vscf12 = vscf1 * 12 / 100; // added 6/26 to set 12 month value of variable vessel county fee vscf\n\t if (vscf < 1.75) {\n\t vscf = 1.75;\n\t }\n\t\n\t if (r17 === 5.50) {\n\t // if vessel is 1-11 ft\n\t // obsolete for Hillsborough County\n\t //vscf12 = 0;\n\t }\n\t return vscf12;\n\t}\n\t\n\texports.default = getVesselVscf12;\n\n/***/ },\n/* 333 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _getPipeValue = __webpack_require__(15);\n\t\n\tvar _getPipeValue2 = _interopRequireDefault(_getPipeValue);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar isSpecialPlateAllowed = function isSpecialPlateAllowed(pipe) {\n\t if (!pipe) {\n\t // return false;\n\t // Testing line below for original plate fees with specialty plates to unlock if a vehicle is not chosen\n\t return Number((0, _getPipeValue2.default)(pipe, 'r20')) !== 2;\n\t }\n\t // Special plates are not allowed if personal plates are\n\t // not allowed, and personal plates are not allowed when a\n\t // vehicle's pipestring value of r20 === 2.\n\t return Number((0, _getPipeValue2.default)(pipe, 'r20')) !== 2;\n\t};\n\t\n\texports.default = isSpecialPlateAllowed;\n\n/***/ },\n/* 334 */\n/***/ function(module, exports) {\n\n\t'use strict';\n\t\n\tvar _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; };\n\t\n\tfunction createOptgroupDropdownFromPDF(items) {\n\t if (!Array.isArray(items)) {\n\t throw new TypeError('createOptGroupDropDown expects an array. Got ' + (typeof items === 'undefined' ? 'undefined' : _typeof(items)));\n\t }\n\t\n\t var sp = '';\n\t items.forEach(function (entry) {\n\t var label = entry.cName;\n\t\n\t sp += '';\n\t });\n\t return sp;\n\t}\n\t\n\tmodule.exports = createOptgroupDropdownFromPDF;\n\n/***/ },\n/* 335 */\n/***/ function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\texports.default = function () {\n\t return new Date().getMonth() + 1;\n\t};\n\n/***/ },\n/* 336 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _redux = __webpack_require__(48);\n\t\n\tvar _registration = __webpack_require__(11);\n\t\n\tvar _registration2 = _interopRequireDefault(_registration);\n\t\n\tvar _titlefees = __webpack_require__(23);\n\t\n\tvar _titlefees2 = _interopRequireDefault(_titlefees);\n\t\n\tvar _salestaxes = __webpack_require__(38);\n\t\n\tvar _salestaxes2 = _interopRequireDefault(_salestaxes);\n\t\n\tvar _mobilehome = __webpack_require__(37);\n\t\n\tvar _mobilehome2 = _interopRequireDefault(_mobilehome);\n\t\n\tvar _otherTransactionFees = __webpack_require__(85);\n\t\n\tvar _otherTransactionFees2 = _interopRequireDefault(_otherTransactionFees);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar reducers = (0, _redux.combineReducers)({\n\t registration: _registration2.default,\n\t titlefees: _titlefees2.default,\n\t salestaxes: _salestaxes2.default,\n\t mobilehome: _mobilehome2.default,\n\t otherTransactionFees: _otherTransactionFees2.default\n\t});\n\t\n\texports.default = reducers;\n\n/***/ },\n/* 337 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _redux = __webpack_require__(48);\n\t\n\tvar _reduxDevtoolsExtension = __webpack_require__(513);\n\t\n\tvar _reduxLogger = __webpack_require__(514);\n\t\n\tvar _redux2 = __webpack_require__(336);\n\t\n\tvar _redux3 = _interopRequireDefault(_redux2);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar middlewares = [];\n\t\n\tif (false) {\n\t middlewares.push(_reduxLogger.logger);\n\t}\n\t\n\tvar store = (0, _redux.createStore)(_redux3.default, {}, (0, _reduxDevtoolsExtension.composeWithDevTools)(_redux.applyMiddleware.apply(undefined, middlewares)\n\t// other store enhancers if any\n\t));\n\t\n\texports.default = store;\n\n/***/ },\n/* 338 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _feeCalculatorTotal = __webpack_require__(51);\n\t\n\tvar _feeCalculatorTotal2 = _interopRequireDefault(_feeCalculatorTotal);\n\t\n\tvar _feeCalculatorDebitCardTotal = __webpack_require__(344);\n\t\n\tvar _feeCalculatorDebitCardTotal2 = _interopRequireDefault(_feeCalculatorDebitCardTotal);\n\t\n\tvar _feeCalculatorCreditCardTotal = __webpack_require__(343);\n\t\n\tvar _feeCalculatorCreditCardTotal2 = _interopRequireDefault(_feeCalculatorCreditCardTotal);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; } /* eslint-env browser, node */\n\t\n\t\n\tvar FeeCalculatorTotal = function (_Component) {\n\t _inherits(FeeCalculatorTotal, _Component);\n\t\n\t function FeeCalculatorTotal() {\n\t _classCallCheck(this, FeeCalculatorTotal);\n\t\n\t return _possibleConstructorReturn(this, (FeeCalculatorTotal.__proto__ || Object.getPrototypeOf(FeeCalculatorTotal)).apply(this, arguments));\n\t }\n\t\n\t _createClass(FeeCalculatorTotal, [{\n\t key: 'render',\n\t value: function render() {\n\t var _props = this.props,\n\t cashTotal = _props.cashTotal,\n\t debitCardTotal = _props.debitCardTotal,\n\t creditCardTotal = _props.creditCardTotal;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'FeeCalculatorTotal' },\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-subheading' },\n\t 'if paid by cash/check'\n\t ),\n\t _react2.default.createElement(\n\t 'h2',\n\t { className: 'FeeCalculatorTotal-text' },\n\t 'TOTAL ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-number' },\n\t cashTotal || '0.00'\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-subheading' },\n\t 'if paid by debit card'\n\t ),\n\t _react2.default.createElement(\n\t 'h2',\n\t { className: 'FeeCalculatorTotal-text' },\n\t 'TOTAL ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-number' },\n\t debitCardTotal || '0.00'\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-subheading' },\n\t 'if paid by credit card'\n\t ),\n\t _react2.default.createElement(\n\t 'h2',\n\t { className: 'FeeCalculatorTotal-text' },\n\t 'TOTAL ',\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-number' },\n\t creditCardTotal || '0.00'\n\t )\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'FeeCalculatorTotal-note print-only' },\n\t 'Note: Transactions submitted by mail must be paid by Check or Certified Funds.'\n\t ),\n\t _react2.default.createElement(\n\t 'span',\n\t { className: 'footnote print-only' },\n\t '* Fees and Totals contained herein are ',\n\t _react2.default.createElement(\n\t 'em',\n\t null,\n\t 'estimations only'\n\t ),\n\t ' and are subject to change.'\n\t ),\n\t _react2.default.createElement(\n\t 'button',\n\t { className: 'PrintBtn no-print', onClick: function onClick() {\n\t return window.print();\n\t } },\n\t 'PRINT'\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return FeeCalculatorTotal;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t cashTotal: (0, _feeCalculatorTotal2.default)(state),\n\t debitCardTotal: (0, _feeCalculatorDebitCardTotal2.default)(state),\n\t creditCardTotal: (0, _feeCalculatorCreditCardTotal2.default)(state)\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(FeeCalculatorTotal);\n\n/***/ },\n/* 339 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _otherTransactionFeesTotal = __webpack_require__(87);\n\t\n\tvar _otherTransactionFeesTotal2 = _interopRequireDefault(_otherTransactionFeesTotal);\n\t\n\tvar _TextInput = __webpack_require__(8);\n\t\n\tvar _TextInput2 = _interopRequireDefault(_TextInput);\n\t\n\tvar _otherTransactionFees = __webpack_require__(85);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar OtherTransactionFees = function (_Component) {\n\t _inherits(OtherTransactionFees, _Component);\n\t\n\t function OtherTransactionFees() {\n\t _classCallCheck(this, OtherTransactionFees);\n\t\n\t return _possibleConstructorReturn(this, (OtherTransactionFees.__proto__ || Object.getPrototypeOf(OtherTransactionFees)).apply(this, arguments));\n\t }\n\t\n\t _createClass(OtherTransactionFees, [{\n\t key: \"render\",\n\t value: function render() {\n\t var _this2 = this;\n\t\n\t return _react2.default.createElement(\n\t \"div\",\n\t { className: \"Box\" },\n\t _react2.default.createElement(\n\t \"div\",\n\t { className: \"SalesTax\" },\n\t _react2.default.createElement(\n\t \"div\",\n\t { className: \"Row Title-feeRow\" },\n\t _react2.default.createElement(\"input\", {\n\t id: \"DriversLicenseIdFee\",\n\t \"data-id\": \"totalDriversLicenseIdFee\",\n\t \"data-tooltip\": \"Enter the total fees paid for your driver's license or offcial ID card.\",\n\t type: \"number\",\n\t value: this.props.driversLicenseIdFee,\n\t onChange: function onChange(event) {\n\t return _this2.props.onChangeDriversLicenseIdFee(event.target.value);\n\t },\n\t className: \"Row-total Row-editableTotal\"\n\t }),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"no-print\" },\n\t \"Enter Driver License / ID Card Fees\"\n\t ),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"print-label print-only\" },\n\t \"Total Driver License / ID Card Fees\"\n\t )\n\t ),\n\t _react2.default.createElement(\n\t \"div\",\n\t { className: \"Row Title-feeRow\" },\n\t _react2.default.createElement(\"input\", {\n\t id: \"PropertyTaxFee\",\n\t \"data-id\": \"totalPropertyTaxFee\",\n\t \"data-tooltip\": \"Enter the total Property Tax fee.\",\n\t type: \"number\",\n\t value: this.props.propertyTaxFee,\n\t onChange: function onChange(event) {\n\t return _this2.props.onChangePropertyTaxFee(event.target.value);\n\t },\n\t className: \"Row-total Row-editableTotal\"\n\t }),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"no-print\" },\n\t \"Enter Property Tax Fees\"\n\t ),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"print-label print-only\" },\n\t \"Total Property Tax Fees\"\n\t )\n\t ),\n\t _react2.default.createElement(\n\t \"div\",\n\t { className: \"Row Title-feeRow\" },\n\t _react2.default.createElement(\"input\", {\n\t id: \"HuntingFishingFee\",\n\t \"data-id\": \"totalHuntingFishingFee\",\n\t \"data-tooltip\": \"Enter the total Hunting and Fishing fee.\",\n\t type: \"number\",\n\t value: this.props.huntingAndFishingFee,\n\t onChange: function onChange(event) {\n\t return _this2.props.onChangeHuntingAndFishingFee(event.target.value);\n\t },\n\t className: \"Row-total Row-editableTotal\"\n\t }),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"no-print\" },\n\t \"Enter Hunting and Fishing Fees\"\n\t ),\n\t _react2.default.createElement(\n\t \"b\",\n\t { className: \"print-label print-only\" },\n\t \"Total Hunting and Fishing Fees\"\n\t )\n\t ),\n\t _react2.default.createElement(\n\t \"div\",\n\t { className: \"Row Row-finalTotalRow\" },\n\t _react2.default.createElement(_TextInput2.default, {\n\t tabIndex: \"-1\",\n\t className: \"Row-total Row-finalTotal\",\n\t id: \"ONewTotal\",\n\t tooltip: \"Registration Total\",\n\t value: this.props.total || \"0.00\",\n\t readOnly: true\n\t }),\n\t _react2.default.createElement(\n\t \"label\",\n\t { className: \"Row-finalTotalLabel\", htmlFor: \"ONewTotal\" },\n\t \"OTHER FEES TOTAL\"\n\t )\n\t )\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return OtherTransactionFees;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t driversLicenseIdFee: state.otherTransactionFees.driversLicenseIdFee,\n\t propertyTaxFee: state.otherTransactionFees.propertyTaxFee,\n\t huntingAndFishingFee: state.otherTransactionFees.huntingAndFishingFee,\n\t total: (0, _otherTransactionFeesTotal2.default)(state)\n\t };\n\t};\n\t\n\tvar mapDispatchToProps = function mapDispatchToProps(dispatch) {\n\t return {\n\t onChangeDriversLicenseIdFee: function onChangeDriversLicenseIdFee(fee) {\n\t return dispatch((0, _otherTransactionFees.setDriverLicenseIdFee)(fee));\n\t },\n\t onChangePropertyTaxFee: function onChangePropertyTaxFee(fee) {\n\t return dispatch((0, _otherTransactionFees.setPropertyTaxFee)(fee));\n\t },\n\t onChangeHuntingAndFishingFee: function onChangeHuntingAndFishingFee(fee) {\n\t return dispatch((0, _otherTransactionFees.setHuntingFishingFee)(fee));\n\t }\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps, mapDispatchToProps)(OtherTransactionFees);\n\n/***/ },\n/* 340 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _ExpirationRow = __webpack_require__(268);\n\t\n\tvar _ExpirationRow2 = _interopRequireDefault(_ExpirationRow);\n\t\n\tvar _VehicleSelectRow = __webpack_require__(288);\n\t\n\tvar _VehicleSelectRow2 = _interopRequireDefault(_VehicleSelectRow);\n\t\n\tvar _RegistrationConsole = __webpack_require__(279);\n\t\n\tvar _RegistrationConsole2 = _interopRequireDefault(_RegistrationConsole);\n\t\n\tvar _TotalBaseAndSVCFee = __webpack_require__(284);\n\t\n\tvar _TotalBaseAndSVCFee2 = _interopRequireDefault(_TotalBaseAndSVCFee);\n\t\n\tvar _TotalPlateFee = __webpack_require__(286);\n\t\n\tvar _TotalPlateFee2 = _interopRequireDefault(_TotalPlateFee);\n\t\n\tvar _PenaltyFee = __webpack_require__(277);\n\t\n\tvar _PenaltyFee2 = _interopRequireDefault(_PenaltyFee);\n\t\n\tvar _TotalTransferFee = __webpack_require__(287);\n\t\n\tvar _TotalTransferFee2 = _interopRequireDefault(_TotalTransferFee);\n\t\n\tvar _CommercialVesselFee = __webpack_require__(272);\n\t\n\tvar _CommercialVesselFee2 = _interopRequireDefault(_CommercialVesselFee);\n\t\n\tvar _TotalMobileHomeFee = __webpack_require__(285);\n\t\n\tvar _TotalMobileHomeFee2 = _interopRequireDefault(_TotalMobileHomeFee);\n\t\n\tvar _SubTotalFeesCredit = __webpack_require__(283);\n\t\n\tvar _SubTotalFeesCredit2 = _interopRequireDefault(_SubTotalFeesCredit);\n\t\n\tvar _CreditTotal = __webpack_require__(273);\n\t\n\tvar _CreditTotal2 = _interopRequireDefault(_CreditTotal);\n\t\n\tvar _RegistrationTotal = __webpack_require__(280);\n\t\n\tvar _RegistrationTotal2 = _interopRequireDefault(_RegistrationTotal);\n\t\n\tvar _VehicleWeightFee = __webpack_require__(289);\n\t\n\tvar _VehicleWeightFee2 = _interopRequireDefault(_VehicleWeightFee);\n\t\n\tvar _InitialRegistrationFee = __webpack_require__(274);\n\t\n\tvar _InitialRegistrationFee2 = _interopRequireDefault(_InitialRegistrationFee);\n\t\n\tvar _PersonalizedPlateFee = __webpack_require__(278);\n\t\n\tvar _PersonalizedPlateFee2 = _interopRequireDefault(_PersonalizedPlateFee);\n\t\n\tvar _SpecialtyPlate = __webpack_require__(282);\n\t\n\tvar _SpecialtyPlate2 = _interopRequireDefault(_SpecialtyPlate);\n\t\n\tvar _ParkPlacards = __webpack_require__(276);\n\t\n\tvar _ParkPlacards2 = _interopRequireDefault(_ParkPlacards);\n\t\n\tvar _MailFee = __webpack_require__(275);\n\t\n\tvar _MailFee2 = _interopRequireDefault(_MailFee);\n\t\n\tvar _SecondYearFee = __webpack_require__(281);\n\t\n\tvar _SecondYearFee2 = _interopRequireDefault(_SecondYearFee);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar RegistrationFees = function (_Component) {\n\t _inherits(RegistrationFees, _Component);\n\t\n\t function RegistrationFees() {\n\t _classCallCheck(this, RegistrationFees);\n\t\n\t return _possibleConstructorReturn(this, (RegistrationFees.__proto__ || Object.getPrototypeOf(RegistrationFees)).apply(this, arguments));\n\t }\n\t\n\t _createClass(RegistrationFees, [{\n\t key: 'render',\n\t value: function render() {\n\t var monthsFromNow = this.props.monthsFromNow;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(_ExpirationRow2.default, null),\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Registration' },\n\t _react2.default.createElement('div', { className: 'Registration-mask', style: { display: monthsFromNow ? 'none' : 'block' } }),\n\t _react2.default.createElement(_RegistrationConsole2.default, null),\n\t _react2.default.createElement(_VehicleSelectRow2.default, null),\n\t _react2.default.createElement(_TotalBaseAndSVCFee2.default, null),\n\t _react2.default.createElement(_CommercialVesselFee2.default, null),\n\t _react2.default.createElement(_TotalMobileHomeFee2.default, null),\n\t _react2.default.createElement(_VehicleWeightFee2.default, null),\n\t _react2.default.createElement(_SecondYearFee2.default, null),\n\t _react2.default.createElement(_CreditTotal2.default, null),\n\t _react2.default.createElement(_SubTotalFeesCredit2.default, null),\n\t _react2.default.createElement(_PenaltyFee2.default, null),\n\t _react2.default.createElement(_InitialRegistrationFee2.default, null),\n\t _react2.default.createElement(_TotalPlateFee2.default, null),\n\t _react2.default.createElement(_TotalTransferFee2.default, null),\n\t _react2.default.createElement(_PersonalizedPlateFee2.default, null),\n\t _react2.default.createElement(_SpecialtyPlate2.default, null),\n\t _react2.default.createElement(_ParkPlacards2.default, null),\n\t _react2.default.createElement(_MailFee2.default, null),\n\t _react2.default.createElement(_RegistrationTotal2.default, null)\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return RegistrationFees;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t monthsFromNow: state.registration.monthsFromNow\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(RegistrationFees);\n\n/***/ },\n/* 341 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _SalesPrice = __webpack_require__(293);\n\t\n\tvar _SalesPrice2 = _interopRequireDefault(_SalesPrice);\n\t\n\tvar _FloridaSalesTax = __webpack_require__(292);\n\t\n\tvar _FloridaSalesTax2 = _interopRequireDefault(_FloridaSalesTax);\n\t\n\tvar _CountyDiscretionaryTax = __webpack_require__(290);\n\t\n\tvar _CountyDiscretionaryTax2 = _interopRequireDefault(_CountyDiscretionaryTax);\n\t\n\tvar _SubtotalSalesTax = __webpack_require__(295);\n\t\n\tvar _SubtotalSalesTax2 = _interopRequireDefault(_SubtotalSalesTax);\n\t\n\tvar _Credit = __webpack_require__(291);\n\t\n\tvar _Credit2 = _interopRequireDefault(_Credit);\n\t\n\tvar _SalesTaxTotal = __webpack_require__(294);\n\t\n\tvar _SalesTaxTotal2 = _interopRequireDefault(_SalesTaxTotal);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar SalesTaxes = function (_Component) {\n\t _inherits(SalesTaxes, _Component);\n\t\n\t function SalesTaxes() {\n\t _classCallCheck(this, SalesTaxes);\n\t\n\t return _possibleConstructorReturn(this, (SalesTaxes.__proto__ || Object.getPrototypeOf(SalesTaxes)).apply(this, arguments));\n\t }\n\t\n\t _createClass(SalesTaxes, [{\n\t key: 'render',\n\t value: function render() {\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'SalesTax' },\n\t _react2.default.createElement(_SalesPrice2.default, null),\n\t _react2.default.createElement(_FloridaSalesTax2.default, { titleType: this.props.titleType }),\n\t _react2.default.createElement(_CountyDiscretionaryTax2.default, null),\n\t _react2.default.createElement(_SubtotalSalesTax2.default, null),\n\t _react2.default.createElement(_Credit2.default, null),\n\t _react2.default.createElement(_SalesTaxTotal2.default, null)\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return SalesTaxes;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t titleType: state.titlefees.selectedTitleValue\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(SalesTaxes);\n\n/***/ },\n/* 342 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _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; }; }();\n\t\n\tvar _react = __webpack_require__(2);\n\t\n\tvar _react2 = _interopRequireDefault(_react);\n\t\n\tvar _reactRedux = __webpack_require__(3);\n\t\n\tvar _TitleDropdowns = __webpack_require__(300);\n\t\n\tvar _TitleDropdowns2 = _interopRequireDefault(_TitleDropdowns);\n\t\n\tvar _Liens = __webpack_require__(299);\n\t\n\tvar _Liens2 = _interopRequireDefault(_Liens);\n\t\n\tvar _LemonLaw = __webpack_require__(298);\n\t\n\tvar _LemonLaw2 = _interopRequireDefault(_LemonLaw);\n\t\n\tvar _LateFee = __webpack_require__(297);\n\t\n\tvar _LateFee2 = _interopRequireDefault(_LateFee);\n\t\n\tvar _FastTitle = __webpack_require__(296);\n\t\n\tvar _FastTitle2 = _interopRequireDefault(_FastTitle);\n\t\n\tvar _TitleTotal = __webpack_require__(301);\n\t\n\tvar _TitleTotal2 = _interopRequireDefault(_TitleTotal);\n\t\n\tvar _TotalMobileHomeFee = __webpack_require__(302);\n\t\n\tvar _TotalMobileHomeFee2 = _interopRequireDefault(_TotalMobileHomeFee);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\t\n\tfunction _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; }\n\t\n\tfunction _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; }\n\t\n\tvar TitleFees = function (_Component) {\n\t _inherits(TitleFees, _Component);\n\t\n\t function TitleFees() {\n\t _classCallCheck(this, TitleFees);\n\t\n\t return _possibleConstructorReturn(this, (TitleFees.__proto__ || Object.getPrototypeOf(TitleFees)).apply(this, arguments));\n\t }\n\t\n\t _createClass(TitleFees, [{\n\t key: 'render',\n\t value: function render() {\n\t var monthsFromNow = this.props.monthsFromNow;\n\t\n\t return _react2.default.createElement(\n\t 'div',\n\t { className: 'Box' },\n\t _react2.default.createElement(\n\t 'div',\n\t { className: 'Title' },\n\t _react2.default.createElement('div', { className: 'Title-mask', style: { display: monthsFromNow ? 'none' : 'block' } }),\n\t _react2.default.createElement(_TitleDropdowns2.default, null),\n\t _react2.default.createElement(_TotalMobileHomeFee2.default, null),\n\t _react2.default.createElement(_Liens2.default, null),\n\t _react2.default.createElement(_LemonLaw2.default, null),\n\t _react2.default.createElement(_LateFee2.default, null),\n\t _react2.default.createElement(_FastTitle2.default, null),\n\t _react2.default.createElement(_TitleTotal2.default, null)\n\t )\n\t );\n\t }\n\t }]);\n\t\n\t return TitleFees;\n\t}(_react.Component);\n\t\n\tvar mapStateToProps = function mapStateToProps(state) {\n\t return {\n\t monthsFromNow: state.registration.monthsFromNow\n\t };\n\t};\n\t\n\texports.default = (0, _reactRedux.connect)(mapStateToProps)(TitleFees);\n\n/***/ },\n/* 343 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _reselect = __webpack_require__(13);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _feeCalculatorTotal = __webpack_require__(51);\n\t\n\tvar _feeCalculatorTotal2 = _interopRequireDefault(_feeCalculatorTotal);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar feeCalculatorTotalSel = function feeCalculatorTotalSel(state) {\n\t return (0, _feeCalculatorTotal2.default)(state);\n\t};\n\t\n\tvar selector = (0, _reselect.createSelector)([feeCalculatorTotalSel], function (_cashTotal) {\n\t var cashTotal = Number(_cashTotal);\n\t\n\t // If cash total is less than or equal to 100.00\n\t // then just add 2.50 to the total\n\t if (cashTotal <= 100) {\n\t return (0, _precise2.default)(cashTotal + 2.5);\n\t }\n\t\n\t // Otherwise, take 2.5% of the total and add that to the total\n\t return (0, _precise2.default)(2.5 / 100 * cashTotal + cashTotal);\n\t});\n\t\n\texports.default = selector;\n\n/***/ },\n/* 344 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _reselect = __webpack_require__(13);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _feeCalculatorTotal = __webpack_require__(51);\n\t\n\tvar _feeCalculatorTotal2 = _interopRequireDefault(_feeCalculatorTotal);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar feeCalculatorTotalSel = function feeCalculatorTotalSel(state) {\n\t return (0, _feeCalculatorTotal2.default)(state);\n\t};\n\t\n\tvar selector = (0, _reselect.createSelector)([feeCalculatorTotalSel], function (_cashTotal) {\n\t var cashTotal = Number(_cashTotal);\n\t\n\t // Debit card fee is just 2.50 added to the cash total\n\t var debitCardFee = 2.5;\n\t return (0, _precise2.default)(cashTotal + debitCardFee);\n\t});\n\t\n\texports.default = selector;\n\n/***/ },\n/* 345 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _reselect = __webpack_require__(13);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _constants = __webpack_require__(14);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar SVCFeesTotalSelector = function SVCFeesTotalSelector(state) {\n\t return state.registration.SVCFEE_TOTAL;\n\t};\n\tvar BaseFeeSelector = function BaseFeeSelector(state) {\n\t return state.registration.BaseFee;\n\t};\n\tvar selectedVehicleTypeSel = function selectedVehicleTypeSel(state) {\n\t return state.registration.selectedVehicleType;\n\t};\n\t\n\t// Rsub1a\n\tvar totalBaseAndSVCFee = (0, _reselect.createSelector)([SVCFeesTotalSelector, BaseFeeSelector, selectedVehicleTypeSel], function (svc, base, selectedVehicleType) {\n\t if (selectedVehicleType === _constants.VEHICLES.BUSES_TRAILER) {\n\t base = 0;\n\t }\n\t\n\t return (0, _precise2.default)(Number(svc) + Number(base));\n\t});\n\t\n\texports.default = totalBaseAndSVCFee;\n\n/***/ },\n/* 346 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _reselect = __webpack_require__(13);\n\t\n\tvar _getMonthsFromNowNumber = __webpack_require__(82);\n\t\n\tvar _getMonthsFromNowNumber2 = _interopRequireDefault(_getMonthsFromNowNumber);\n\t\n\tvar _precise = __webpack_require__(5);\n\t\n\tvar _precise2 = _interopRequireDefault(_precise);\n\t\n\tvar _getMonthLabelFromNumber = __webpack_require__(325);\n\t\n\tvar _getMonthLabelFromNumber2 = _interopRequireDefault(_getMonthLabelFromNumber);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar SVCFeesTotalSelector = function SVCFeesTotalSelector(state) {\n\t return state.registration.SVCFEE_TOTAL;\n\t};\n\tvar BaseFeeSelector = function BaseFeeSelector(state) {\n\t return state.registration.BaseFee;\n\t};\n\tvar MonthsSelector = function MonthsSelector(state) {\n\t return state.registration.monthsFromNow;\n\t};\n\tvar selectedMonthNumberSel = function selectedMonthNumberSel(state) {\n\t return state.registration.selectedMonthNumber;\n\t};\n\t\n\tvar totalBaseAndSVCFeeString = (0, _reselect.createSelector)([SVCFeesTotalSelector, BaseFeeSelector, MonthsSelector, selectedMonthNumberSel], function (svc, base, months, selectedMonthNumber) {\n\t var s = '';\n\t if (months) {\n\t var n = (0, _getMonthsFromNowNumber2.default)(months);\n\t var label = (0, _getMonthLabelFromNumber2.default)(selectedMonthNumber);\n\t\n\t s += '' + n + ' month' + (n > 1 ? 's' : '') + ' (' + label + ') ';\n\t }\n\t if (base) {\n\t s += '' + (0, _precise2.default)(base) + ' (Base)';\n\t }\n\t if (svc && Number(svc) > 0) {\n\t s += ' + ' + svc + ' (SVC)';\n\t }\n\t return s;\n\t});\n\t\n\texports.default = totalBaseAndSVCFeeString;\n\n/***/ },\n/* 347 */\n/***/ function(module, exports, __webpack_require__) {\n\n\t/**\n\t * Copyright (c) 2013-present, Facebook, Inc.\n\t *\n\t * This source code is licensed under the MIT license found in the\n\t * LICENSE file in the root directory of this source tree.\n\t *\n\t */\n\t\n\t'use strict';\n\t\n\tvar _assign = __webpack_require__(9);\n\t\n\tvar emptyObject = __webpack_require__(41);\n\tvar _invariant = __webpack_require__(4);\n\t\n\tif (false) {\n\t var warning = require('fbjs/lib/warning');\n\t}\n\t\n\tvar MIXINS_KEY = 'mixins';\n\t\n\t// Helper function to allow the creation of anonymous functions which do not\n\t// have .name set to the name of the variable being assigned to.\n\tfunction identity(fn) {\n\t return fn;\n\t}\n\t\n\tvar ReactPropTypeLocationNames;\n\tif (false) {\n\t ReactPropTypeLocationNames = {\n\t prop: 'prop',\n\t context: 'context',\n\t childContext: 'child context'\n\t };\n\t} else {\n\t ReactPropTypeLocationNames = {};\n\t}\n\t\n\tfunction factory(ReactComponent, isValidElement, ReactNoopUpdateQueue) {\n\t /**\n\t * Policies that describe methods in `ReactClassInterface`.\n\t */\n\t\n\t var injectedMixins = [];\n\t\n\t /**\n\t * Composite components are higher-level components that compose other composite\n\t * or host components.\n\t *\n\t * To create a new type of `ReactClass`, pass a specification of\n\t * your new class to `React.createClass`. The only requirement of your class\n\t * specification is that you implement a `render` method.\n\t *\n\t * var MyComponent = React.createClass({\n\t * render: function() {\n\t * return Hello World
;\n\t * }\n\t * });\n\t *\n\t * The class specification supports a specific protocol of methods that have\n\t * special meaning (e.g. `render`). See `ReactClassInterface` for\n\t * more the comprehensive protocol. Any other properties and methods in the\n\t * class specification will be available on the prototype.\n\t *\n\t * @interface ReactClassInterface\n\t * @internal\n\t */\n\t var ReactClassInterface = {\n\t /**\n\t * An array of Mixin objects to include when defining your component.\n\t *\n\t * @type {array}\n\t * @optional\n\t */\n\t mixins: 'DEFINE_MANY',\n\t\n\t /**\n\t * An object containing properties and methods that should be defined on\n\t * the component's constructor instead of its prototype (static methods).\n\t *\n\t * @type {object}\n\t * @optional\n\t */\n\t statics: 'DEFINE_MANY',\n\t\n\t /**\n\t * Definition of prop types for this component.\n\t *\n\t * @type {object}\n\t * @optional\n\t */\n\t propTypes: 'DEFINE_MANY',\n\t\n\t /**\n\t * Definition of context types for this component.\n\t *\n\t * @type {object}\n\t * @optional\n\t */\n\t contextTypes: 'DEFINE_MANY',\n\t\n\t /**\n\t * Definition of context types this component sets for its children.\n\t *\n\t * @type {object}\n\t * @optional\n\t */\n\t childContextTypes: 'DEFINE_MANY',\n\t\n\t // ==== Definition methods ====\n\t\n\t /**\n\t * Invoked when the component is mounted. Values in the mapping will be set on\n\t * `this.props` if that prop is not specified (i.e. using an `in` check).\n\t *\n\t * This method is invoked before `getInitialState` and therefore cannot rely\n\t * on `this.state` or use `this.setState`.\n\t *\n\t * @return {object}\n\t * @optional\n\t */\n\t getDefaultProps: 'DEFINE_MANY_MERGED',\n\t\n\t /**\n\t * Invoked once before the component is mounted. The return value will be used\n\t * as the initial value of `this.state`.\n\t *\n\t * getInitialState: function() {\n\t * return {\n\t * isOn: false,\n\t * fooBaz: new BazFoo()\n\t * }\n\t * }\n\t *\n\t * @return {object}\n\t * @optional\n\t */\n\t getInitialState: 'DEFINE_MANY_MERGED',\n\t\n\t /**\n\t * @return {object}\n\t * @optional\n\t */\n\t getChildContext: 'DEFINE_MANY_MERGED',\n\t\n\t /**\n\t * Uses props from `this.props` and state from `this.state` to render the\n\t * structure of the component.\n\t *\n\t * No guarantees are made about when or how often this method is invoked, so\n\t * it must not have side effects.\n\t *\n\t * render: function() {\n\t * var name = this.props.name;\n\t * return Hello, {name}!
;\n\t * }\n\t *\n\t * @return {ReactComponent}\n\t * @required\n\t */\n\t render: 'DEFINE_ONCE',\n\t\n\t // ==== Delegate methods ====\n\t\n\t /**\n\t * Invoked when the component is initially created and about to be mounted.\n\t * This may have side effects, but any external subscriptions or data created\n\t * by this method must be cleaned up in `componentWillUnmount`.\n\t *\n\t * @optional\n\t */\n\t componentWillMount: 'DEFINE_MANY',\n\t\n\t /**\n\t * Invoked when the component has been mounted and has a DOM representation.\n\t * However, there is no guarantee that the DOM node is in the document.\n\t *\n\t * Use this as an opportunity to operate on the DOM when the component has\n\t * been mounted (initialized and rendered) for the first time.\n\t *\n\t * @param {DOMElement} rootNode DOM element representing the component.\n\t * @optional\n\t */\n\t componentDidMount: 'DEFINE_MANY',\n\t\n\t /**\n\t * Invoked before the component receives new props.\n\t *\n\t * Use this as an opportunity to react to a prop transition by updating the\n\t * state using `this.setState`. Current props are accessed via `this.props`.\n\t *\n\t * componentWillReceiveProps: function(nextProps, nextContext) {\n\t * this.setState({\n\t * likesIncreasing: nextProps.likeCount > this.props.likeCount\n\t * });\n\t * }\n\t *\n\t * NOTE: There is no equivalent `componentWillReceiveState`. An incoming prop\n\t * transition may cause a state change, but the opposite is not true. If you\n\t * need it, you are probably looking for `componentWillUpdate`.\n\t *\n\t * @param {object} nextProps\n\t * @optional\n\t */\n\t componentWillReceiveProps: 'DEFINE_MANY',\n\t\n\t /**\n\t * Invoked while deciding if the component should be updated as a result of\n\t * receiving new props, state and/or context.\n\t *\n\t * Use this as an opportunity to `return false` when you're certain that the\n\t * transition to the new props/state/context will not require a component\n\t * update.\n\t *\n\t * shouldComponentUpdate: function(nextProps, nextState, nextContext) {\n\t * return !equal(nextProps, this.props) ||\n\t * !equal(nextState, this.state) ||\n\t * !equal(nextContext, this.context);\n\t * }\n\t *\n\t * @param {object} nextProps\n\t * @param {?object} nextState\n\t * @param {?object} nextContext\n\t * @return {boolean} True if the component should update.\n\t * @optional\n\t */\n\t shouldComponentUpdate: 'DEFINE_ONCE',\n\t\n\t /**\n\t * Invoked when the component is about to update due to a transition from\n\t * `this.props`, `this.state` and `this.context` to `nextProps`, `nextState`\n\t * and `nextContext`.\n\t *\n\t * Use this as an opportunity to perform preparation before an update occurs.\n\t *\n\t * NOTE: You **cannot** use `this.setState()` in this method.\n\t *\n\t * @param {object} nextProps\n\t * @param {?object} nextState\n\t * @param {?object} nextContext\n\t * @param {ReactReconcileTransaction} transaction\n\t * @optional\n\t */\n\t componentWillUpdate: 'DEFINE_MANY',\n\t\n\t /**\n\t * Invoked when the component's DOM representation has been updated.\n\t *\n\t * Use this as an opportunity to operate on the DOM when the component has\n\t * been updated.\n\t *\n\t * @param {object} prevProps\n\t * @param {?object} prevState\n\t * @param {?object} prevContext\n\t * @param {DOMElement} rootNode DOM element representing the component.\n\t * @optional\n\t */\n\t componentDidUpdate: 'DEFINE_MANY',\n\t\n\t /**\n\t * Invoked when the component is about to be removed from its parent and have\n\t * its DOM representation destroyed.\n\t *\n\t * Use this as an opportunity to deallocate any external resources.\n\t *\n\t * NOTE: There is no `componentDidUnmount` since your component will have been\n\t * destroyed by that point.\n\t *\n\t * @optional\n\t */\n\t componentWillUnmount: 'DEFINE_MANY',\n\t\n\t /**\n\t * Replacement for (deprecated) `componentWillMount`.\n\t *\n\t * @optional\n\t */\n\t UNSAFE_componentWillMount: 'DEFINE_MANY',\n\t\n\t /**\n\t * Replacement for (deprecated) `componentWillReceiveProps`.\n\t *\n\t * @optional\n\t */\n\t UNSAFE_componentWillReceiveProps: 'DEFINE_MANY',\n\t\n\t /**\n\t * Replacement for (deprecated) `componentWillUpdate`.\n\t *\n\t * @optional\n\t */\n\t UNSAFE_componentWillUpdate: 'DEFINE_MANY',\n\t\n\t // ==== Advanced methods ====\n\t\n\t /**\n\t * Updates the component's currently mounted DOM representation.\n\t *\n\t * By default, this implements React's rendering and reconciliation algorithm.\n\t * Sophisticated clients may wish to override this.\n\t *\n\t * @param {ReactReconcileTransaction} transaction\n\t * @internal\n\t * @overridable\n\t */\n\t updateComponent: 'OVERRIDE_BASE'\n\t };\n\t\n\t /**\n\t * Similar to ReactClassInterface but for static methods.\n\t */\n\t var ReactClassStaticInterface = {\n\t /**\n\t * This method is invoked after a component is instantiated and when it\n\t * receives new props. Return an object to update state in response to\n\t * prop changes. Return null to indicate no change to state.\n\t *\n\t * If an object is returned, its keys will be merged into the existing state.\n\t *\n\t * @return {object || null}\n\t * @optional\n\t */\n\t getDerivedStateFromProps: 'DEFINE_MANY_MERGED'\n\t };\n\t\n\t /**\n\t * Mapping from class specification keys to special processing functions.\n\t *\n\t * Although these are declared like instance properties in the specification\n\t * when defining classes using `React.createClass`, they are actually static\n\t * and are accessible on the constructor instead of the prototype. Despite\n\t * being static, they must be defined outside of the \"statics\" key under\n\t * which all other static methods are defined.\n\t */\n\t var RESERVED_SPEC_KEYS = {\n\t displayName: function(Constructor, displayName) {\n\t Constructor.displayName = displayName;\n\t },\n\t mixins: function(Constructor, mixins) {\n\t if (mixins) {\n\t for (var i = 0; i < mixins.length; i++) {\n\t mixSpecIntoComponent(Constructor, mixins[i]);\n\t }\n\t }\n\t },\n\t childContextTypes: function(Constructor, childContextTypes) {\n\t if (false) {\n\t validateTypeDef(Constructor, childContextTypes, 'childContext');\n\t }\n\t Constructor.childContextTypes = _assign(\n\t {},\n\t Constructor.childContextTypes,\n\t childContextTypes\n\t );\n\t },\n\t contextTypes: function(Constructor, contextTypes) {\n\t if (false) {\n\t validateTypeDef(Constructor, contextTypes, 'context');\n\t }\n\t Constructor.contextTypes = _assign(\n\t {},\n\t Constructor.contextTypes,\n\t contextTypes\n\t );\n\t },\n\t /**\n\t * Special case getDefaultProps which should move into statics but requires\n\t * automatic merging.\n\t */\n\t getDefaultProps: function(Constructor, getDefaultProps) {\n\t if (Constructor.getDefaultProps) {\n\t Constructor.getDefaultProps = createMergedResultFunction(\n\t Constructor.getDefaultProps,\n\t getDefaultProps\n\t );\n\t } else {\n\t Constructor.getDefaultProps = getDefaultProps;\n\t }\n\t },\n\t propTypes: function(Constructor, propTypes) {\n\t if (false) {\n\t validateTypeDef(Constructor, propTypes, 'prop');\n\t }\n\t Constructor.propTypes = _assign({}, Constructor.propTypes, propTypes);\n\t },\n\t statics: function(Constructor, statics) {\n\t mixStaticSpecIntoComponent(Constructor, statics);\n\t },\n\t autobind: function() {}\n\t };\n\t\n\t function validateTypeDef(Constructor, typeDef, location) {\n\t for (var propName in typeDef) {\n\t if (typeDef.hasOwnProperty(propName)) {\n\t // use a warning instead of an _invariant so components\n\t // don't show up in prod but only in __DEV__\n\t if (false) {\n\t warning(\n\t typeof typeDef[propName] === 'function',\n\t '%s: %s type `%s` is invalid; it must be a function, usually from ' +\n\t 'React.PropTypes.',\n\t Constructor.displayName || 'ReactClass',\n\t ReactPropTypeLocationNames[location],\n\t propName\n\t );\n\t }\n\t }\n\t }\n\t }\n\t\n\t function validateMethodOverride(isAlreadyDefined, name) {\n\t var specPolicy = ReactClassInterface.hasOwnProperty(name)\n\t ? ReactClassInterface[name]\n\t : null;\n\t\n\t // Disallow overriding of base class methods unless explicitly allowed.\n\t if (ReactClassMixin.hasOwnProperty(name)) {\n\t _invariant(\n\t specPolicy === 'OVERRIDE_BASE',\n\t 'ReactClassInterface: You are attempting to override ' +\n\t '`%s` from your class specification. Ensure that your method names ' +\n\t 'do not overlap with React methods.',\n\t name\n\t );\n\t }\n\t\n\t // Disallow defining methods more than once unless explicitly allowed.\n\t if (isAlreadyDefined) {\n\t _invariant(\n\t specPolicy === 'DEFINE_MANY' || specPolicy === 'DEFINE_MANY_MERGED',\n\t 'ReactClassInterface: You are attempting to define ' +\n\t '`%s` on your component more than once. This conflict may be due ' +\n\t 'to a mixin.',\n\t name\n\t );\n\t }\n\t }\n\t\n\t /**\n\t * Mixin helper which handles policy validation and reserved\n\t * specification keys when building React classes.\n\t */\n\t function mixSpecIntoComponent(Constructor, spec) {\n\t if (!spec) {\n\t if (false) {\n\t var typeofSpec = typeof spec;\n\t var isMixinValid = typeofSpec === 'object' && spec !== null;\n\t\n\t if (process.env.NODE_ENV !== 'production') {\n\t warning(\n\t isMixinValid,\n\t \"%s: You're attempting to include a mixin that is either null \" +\n\t 'or not an object. Check the mixins included by the component, ' +\n\t 'as well as any mixins they include themselves. ' +\n\t 'Expected object but got %s.',\n\t Constructor.displayName || 'ReactClass',\n\t spec === null ? null : typeofSpec\n\t );\n\t }\n\t }\n\t\n\t return;\n\t }\n\t\n\t _invariant(\n\t typeof spec !== 'function',\n\t \"ReactClass: You're attempting to \" +\n\t 'use a component class or function as a mixin. Instead, just use a ' +\n\t 'regular object.'\n\t );\n\t _invariant(\n\t !isValidElement(spec),\n\t \"ReactClass: You're attempting to \" +\n\t 'use a component as a mixin. Instead, just use a regular object.'\n\t );\n\t\n\t var proto = Constructor.prototype;\n\t var autoBindPairs = proto.__reactAutoBindPairs;\n\t\n\t // By handling mixins before any other properties, we ensure the same\n\t // chaining order is applied to methods with DEFINE_MANY policy, whether\n\t // mixins are listed before or after these methods in the spec.\n\t if (spec.hasOwnProperty(MIXINS_KEY)) {\n\t RESERVED_SPEC_KEYS.mixins(Constructor, spec.mixins);\n\t }\n\t\n\t for (var name in spec) {\n\t if (!spec.hasOwnProperty(name)) {\n\t continue;\n\t }\n\t\n\t if (name === MIXINS_KEY) {\n\t // We have already handled mixins in a special case above.\n\t continue;\n\t }\n\t\n\t var property = spec[name];\n\t var isAlreadyDefined = proto.hasOwnProperty(name);\n\t validateMethodOverride(isAlreadyDefined, name);\n\t\n\t if (RESERVED_SPEC_KEYS.hasOwnProperty(name)) {\n\t RESERVED_SPEC_KEYS[name](Constructor, property);\n\t } else {\n\t // Setup methods on prototype:\n\t // The following member methods should not be automatically bound:\n\t // 1. Expected ReactClass methods (in the \"interface\").\n\t // 2. Overridden methods (that were mixed in).\n\t var isReactClassMethod = ReactClassInterface.hasOwnProperty(name);\n\t var isFunction = typeof property === 'function';\n\t var shouldAutoBind =\n\t isFunction &&\n\t !isReactClassMethod &&\n\t !isAlreadyDefined &&\n\t spec.autobind !== false;\n\t\n\t if (shouldAutoBind) {\n\t autoBindPairs.push(name, property);\n\t proto[name] = property;\n\t } else {\n\t if (isAlreadyDefined) {\n\t var specPolicy = ReactClassInterface[name];\n\t\n\t // These cases should already be caught by validateMethodOverride.\n\t _invariant(\n\t isReactClassMethod &&\n\t (specPolicy === 'DEFINE_MANY_MERGED' ||\n\t specPolicy === 'DEFINE_MANY'),\n\t 'ReactClass: Unexpected spec policy %s for key %s ' +\n\t 'when mixing in component specs.',\n\t specPolicy,\n\t name\n\t );\n\t\n\t // For methods which are defined more than once, call the existing\n\t // methods before calling the new property, merging if appropriate.\n\t if (specPolicy === 'DEFINE_MANY_MERGED') {\n\t proto[name] = createMergedResultFunction(proto[name], property);\n\t } else if (specPolicy === 'DEFINE_MANY') {\n\t proto[name] = createChainedFunction(proto[name], property);\n\t }\n\t } else {\n\t proto[name] = property;\n\t if (false) {\n\t // Add verbose displayName to the function, which helps when looking\n\t // at profiling tools.\n\t if (typeof property === 'function' && spec.displayName) {\n\t proto[name].displayName = spec.displayName + '_' + name;\n\t }\n\t }\n\t }\n\t }\n\t }\n\t }\n\t }\n\t\n\t function mixStaticSpecIntoComponent(Constructor, statics) {\n\t if (!statics) {\n\t return;\n\t }\n\t\n\t for (var name in statics) {\n\t var property = statics[name];\n\t if (!statics.hasOwnProperty(name)) {\n\t continue;\n\t }\n\t\n\t var isReserved = name in RESERVED_SPEC_KEYS;\n\t _invariant(\n\t !isReserved,\n\t 'ReactClass: You are attempting to define a reserved ' +\n\t 'property, `%s`, that shouldn\\'t be on the \"statics\" key. Define it ' +\n\t 'as an instance property instead; it will still be accessible on the ' +\n\t 'constructor.',\n\t name\n\t );\n\t\n\t var isAlreadyDefined = name in Constructor;\n\t if (isAlreadyDefined) {\n\t var specPolicy = ReactClassStaticInterface.hasOwnProperty(name)\n\t ? ReactClassStaticInterface[name]\n\t : null;\n\t\n\t _invariant(\n\t specPolicy === 'DEFINE_MANY_MERGED',\n\t 'ReactClass: You are attempting to define ' +\n\t '`%s` on your component more than once. This conflict may be ' +\n\t 'due to a mixin.',\n\t name\n\t );\n\t\n\t Constructor[name] = createMergedResultFunction(Constructor[name], property);\n\t\n\t return;\n\t }\n\t\n\t Constructor[name] = property;\n\t }\n\t }\n\t\n\t /**\n\t * Merge two objects, but throw if both contain the same key.\n\t *\n\t * @param {object} one The first object, which is mutated.\n\t * @param {object} two The second object\n\t * @return {object} one after it has been mutated to contain everything in two.\n\t */\n\t function mergeIntoWithNoDuplicateKeys(one, two) {\n\t _invariant(\n\t one && two && typeof one === 'object' && typeof two === 'object',\n\t 'mergeIntoWithNoDuplicateKeys(): Cannot merge non-objects.'\n\t );\n\t\n\t for (var key in two) {\n\t if (two.hasOwnProperty(key)) {\n\t _invariant(\n\t one[key] === undefined,\n\t 'mergeIntoWithNoDuplicateKeys(): ' +\n\t 'Tried to merge two objects with the same key: `%s`. This conflict ' +\n\t 'may be due to a mixin; in particular, this may be caused by two ' +\n\t 'getInitialState() or getDefaultProps() methods returning objects ' +\n\t 'with clashing keys.',\n\t key\n\t );\n\t one[key] = two[key];\n\t }\n\t }\n\t return one;\n\t }\n\t\n\t /**\n\t * Creates a function that invokes two functions and merges their return values.\n\t *\n\t * @param {function} one Function to invoke first.\n\t * @param {function} two Function to invoke second.\n\t * @return {function} Function that invokes the two argument functions.\n\t * @private\n\t */\n\t function createMergedResultFunction(one, two) {\n\t return function mergedResult() {\n\t var a = one.apply(this, arguments);\n\t var b = two.apply(this, arguments);\n\t if (a == null) {\n\t return b;\n\t } else if (b == null) {\n\t return a;\n\t }\n\t var c = {};\n\t mergeIntoWithNoDuplicateKeys(c, a);\n\t mergeIntoWithNoDuplicateKeys(c, b);\n\t return c;\n\t };\n\t }\n\t\n\t /**\n\t * Creates a function that invokes two functions and ignores their return vales.\n\t *\n\t * @param {function} one Function to invoke first.\n\t * @param {function} two Function to invoke second.\n\t * @return {function} Function that invokes the two argument functions.\n\t * @private\n\t */\n\t function createChainedFunction(one, two) {\n\t return function chainedFunction() {\n\t one.apply(this, arguments);\n\t two.apply(this, arguments);\n\t };\n\t }\n\t\n\t /**\n\t * Binds a method to the component.\n\t *\n\t * @param {object} component Component whose method is going to be bound.\n\t * @param {function} method Method to be bound.\n\t * @return {function} The bound method.\n\t */\n\t function bindAutoBindMethod(component, method) {\n\t var boundMethod = method.bind(component);\n\t if (false) {\n\t boundMethod.__reactBoundContext = component;\n\t boundMethod.__reactBoundMethod = method;\n\t boundMethod.__reactBoundArguments = null;\n\t var componentName = component.constructor.displayName;\n\t var _bind = boundMethod.bind;\n\t boundMethod.bind = function(newThis) {\n\t for (\n\t var _len = arguments.length,\n\t args = Array(_len > 1 ? _len - 1 : 0),\n\t _key = 1;\n\t _key < _len;\n\t _key++\n\t ) {\n\t args[_key - 1] = arguments[_key];\n\t }\n\t\n\t // User is trying to bind() an autobound method; we effectively will\n\t // ignore the value of \"this\" that the user is trying to use, so\n\t // let's warn.\n\t if (newThis !== component && newThis !== null) {\n\t if (process.env.NODE_ENV !== 'production') {\n\t warning(\n\t false,\n\t 'bind(): React component methods may only be bound to the ' +\n\t 'component instance. See %s',\n\t componentName\n\t );\n\t }\n\t } else if (!args.length) {\n\t if (process.env.NODE_ENV !== 'production') {\n\t warning(\n\t false,\n\t 'bind(): You are binding a component method to the component. ' +\n\t 'React does this for you automatically in a high-performance ' +\n\t 'way, so you can safely remove this call. See %s',\n\t componentName\n\t );\n\t }\n\t return boundMethod;\n\t }\n\t var reboundMethod = _bind.apply(boundMethod, arguments);\n\t reboundMethod.__reactBoundContext = component;\n\t reboundMethod.__reactBoundMethod = method;\n\t reboundMethod.__reactBoundArguments = args;\n\t return reboundMethod;\n\t };\n\t }\n\t return boundMethod;\n\t }\n\t\n\t /**\n\t * Binds all auto-bound methods in a component.\n\t *\n\t * @param {object} component Component whose method is going to be bound.\n\t */\n\t function bindAutoBindMethods(component) {\n\t var pairs = component.__reactAutoBindPairs;\n\t for (var i = 0; i < pairs.length; i += 2) {\n\t var autoBindKey = pairs[i];\n\t var method = pairs[i + 1];\n\t component[autoBindKey] = bindAutoBindMethod(component, method);\n\t }\n\t }\n\t\n\t var IsMountedPreMixin = {\n\t componentDidMount: function() {\n\t this.__isMounted = true;\n\t }\n\t };\n\t\n\t var IsMountedPostMixin = {\n\t componentWillUnmount: function() {\n\t this.__isMounted = false;\n\t }\n\t };\n\t\n\t /**\n\t * Add more to the ReactClass base class. These are all legacy features and\n\t * therefore not already part of the modern ReactComponent.\n\t */\n\t var ReactClassMixin = {\n\t /**\n\t * TODO: This will be deprecated because state should always keep a consistent\n\t * type signature and the only use case for this, is to avoid that.\n\t */\n\t replaceState: function(newState, callback) {\n\t this.updater.enqueueReplaceState(this, newState, callback);\n\t },\n\t\n\t /**\n\t * Checks whether or not this composite component is mounted.\n\t * @return {boolean} True if mounted, false otherwise.\n\t * @protected\n\t * @final\n\t */\n\t isMounted: function() {\n\t if (false) {\n\t warning(\n\t this.__didWarnIsMounted,\n\t '%s: isMounted is deprecated. Instead, make sure to clean up ' +\n\t 'subscriptions and pending requests in componentWillUnmount to ' +\n\t 'prevent memory leaks.',\n\t (this.constructor && this.constructor.displayName) ||\n\t this.name ||\n\t 'Component'\n\t );\n\t this.__didWarnIsMounted = true;\n\t }\n\t return !!this.__isMounted;\n\t }\n\t };\n\t\n\t var ReactClassComponent = function() {};\n\t _assign(\n\t ReactClassComponent.prototype,\n\t ReactComponent.prototype,\n\t ReactClassMixin\n\t );\n\t\n\t /**\n\t * Creates a composite component class given a class specification.\n\t * See https://facebook.github.io/react/docs/top-level-api.html#react.createclass\n\t *\n\t * @param {object} spec Class specification (which must define `render`).\n\t * @return {function} Component constructor function.\n\t * @public\n\t */\n\t function createClass(spec) {\n\t // To keep our warnings more understandable, we'll use a little hack here to\n\t // ensure that Constructor.name !== 'Constructor'. This makes sure we don't\n\t // unnecessarily identify a class without displayName as 'Constructor'.\n\t var Constructor = identity(function(props, context, updater) {\n\t // This constructor gets overridden by mocks. The argument is used\n\t // by mocks to assert on what gets mounted.\n\t\n\t if (false) {\n\t warning(\n\t this instanceof Constructor,\n\t 'Something is calling a React component directly. Use a factory or ' +\n\t 'JSX instead. See: https://fb.me/react-legacyfactory'\n\t );\n\t }\n\t\n\t // Wire up auto-binding\n\t if (this.__reactAutoBindPairs.length) {\n\t bindAutoBindMethods(this);\n\t }\n\t\n\t this.props = props;\n\t this.context = context;\n\t this.refs = emptyObject;\n\t this.updater = updater || ReactNoopUpdateQueue;\n\t\n\t this.state = null;\n\t\n\t // ReactClasses doesn't have constructors. Instead, they use the\n\t // getInitialState and componentWillMount methods for initialization.\n\t\n\t var initialState = this.getInitialState ? this.getInitialState() : null;\n\t if (false) {\n\t // We allow auto-mocks to proceed as if they're returning null.\n\t if (\n\t initialState === undefined &&\n\t this.getInitialState._isMockFunction\n\t ) {\n\t // This is probably bad practice. Consider warning here and\n\t // deprecating this convenience.\n\t initialState = null;\n\t }\n\t }\n\t _invariant(\n\t typeof initialState === 'object' && !Array.isArray(initialState),\n\t '%s.getInitialState(): must return an object or null',\n\t Constructor.displayName || 'ReactCompositeComponent'\n\t );\n\t\n\t this.state = initialState;\n\t });\n\t Constructor.prototype = new ReactClassComponent();\n\t Constructor.prototype.constructor = Constructor;\n\t Constructor.prototype.__reactAutoBindPairs = [];\n\t\n\t injectedMixins.forEach(mixSpecIntoComponent.bind(null, Constructor));\n\t\n\t mixSpecIntoComponent(Constructor, IsMountedPreMixin);\n\t mixSpecIntoComponent(Constructor, spec);\n\t mixSpecIntoComponent(Constructor, IsMountedPostMixin);\n\t\n\t // Initialize the defaultProps property after all mixins have been merged.\n\t if (Constructor.getDefaultProps) {\n\t Constructor.defaultProps = Constructor.getDefaultProps();\n\t }\n\t\n\t if (false) {\n\t // This is a tag to indicate that the use of these method names is ok,\n\t // since it's used with createClass. If it's not, then it's likely a\n\t // mistake so we'll warn you to use the static property, property\n\t // initializer or constructor respectively.\n\t if (Constructor.getDefaultProps) {\n\t Constructor.getDefaultProps.isReactClassApproved = {};\n\t }\n\t if (Constructor.prototype.getInitialState) {\n\t Constructor.prototype.getInitialState.isReactClassApproved = {};\n\t }\n\t }\n\t\n\t _invariant(\n\t Constructor.prototype.render,\n\t 'createClass(...): Class specification must implement a `render` method.'\n\t );\n\t\n\t if (false) {\n\t warning(\n\t !Constructor.prototype.componentShouldUpdate,\n\t '%s has a method called ' +\n\t 'componentShouldUpdate(). Did you mean shouldComponentUpdate()? ' +\n\t 'The name is phrased as a question because the function is ' +\n\t 'expected to return a value.',\n\t spec.displayName || 'A component'\n\t );\n\t warning(\n\t !Constructor.prototype.componentWillRecieveProps,\n\t '%s has a method called ' +\n\t 'componentWillRecieveProps(). Did you mean componentWillReceiveProps()?',\n\t spec.displayName || 'A component'\n\t );\n\t warning(\n\t !Constructor.prototype.UNSAFE_componentWillRecieveProps,\n\t '%s has a method called UNSAFE_componentWillRecieveProps(). ' +\n\t 'Did you mean UNSAFE_componentWillReceiveProps()?',\n\t spec.displayName || 'A component'\n\t );\n\t }\n\t\n\t // Reduce time spent doing lookups by setting these on the prototype.\n\t for (var methodName in ReactClassInterface) {\n\t if (!Constructor.prototype[methodName]) {\n\t Constructor.prototype[methodName] = null;\n\t }\n\t }\n\t\n\t return Constructor;\n\t }\n\t\n\t return createClass;\n\t}\n\t\n\tmodule.exports = factory;\n\n\n/***/ },\n/* 348 */\n/***/ function(module, exports) {\n\n\t//Types of elements found in the DOM\n\tmodule.exports = {\n\t\tText: \"text\", //Text\n\t\tDirective: \"directive\", // ... ?>\n\t\tComment: \"comment\", //\n\t\tScript: \"script\", //